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
timestamp[ns, tz=UTC] | date_merged
timestamp[ns, tz=UTC] | 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,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Scripting/Core/Hosting/AssemblyLoader/MetadataShadowCopy.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.Diagnostics;
namespace Microsoft.CodeAnalysis.Scripting.Hosting
{
/// <summary>
/// Represents a shadow copy of an assembly or a standalone module.
/// </summary>
public sealed class MetadataShadowCopy
{
/// <summary>
/// Assembly manifest module copy or a standalone module copy.
/// </summary>
public FileShadowCopy PrimaryModule { get; }
/// <summary>
/// Documentation file copy or null if there is none.
/// </summary>
/// <remarks>
/// Documentation files are currently only supported for manifest modules, not modules included in an assembly.
/// </remarks>
public FileShadowCopy DocumentationFile { get; }
// this instance doesn't own the image
public Metadata Metadata { get; }
internal MetadataShadowCopy(FileShadowCopy primaryModule, FileShadowCopy documentationFileOpt, Metadata metadataCopy)
{
Debug.Assert(primaryModule != null);
Debug.Assert(metadataCopy != null);
////Debug.Assert(!metadataCopy.IsImageOwner); property is now internal
PrimaryModule = primaryModule;
DocumentationFile = documentationFileOpt;
Metadata = metadataCopy;
}
// keep this internal so that users can't delete files that the provider manages
internal void DisposeFileHandles()
{
PrimaryModule.DisposeFileStream();
DocumentationFile?.DisposeFileStream();
}
}
}
| // 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.Diagnostics;
namespace Microsoft.CodeAnalysis.Scripting.Hosting
{
/// <summary>
/// Represents a shadow copy of an assembly or a standalone module.
/// </summary>
public sealed class MetadataShadowCopy
{
/// <summary>
/// Assembly manifest module copy or a standalone module copy.
/// </summary>
public FileShadowCopy PrimaryModule { get; }
/// <summary>
/// Documentation file copy or null if there is none.
/// </summary>
/// <remarks>
/// Documentation files are currently only supported for manifest modules, not modules included in an assembly.
/// </remarks>
public FileShadowCopy DocumentationFile { get; }
// this instance doesn't own the image
public Metadata Metadata { get; }
internal MetadataShadowCopy(FileShadowCopy primaryModule, FileShadowCopy documentationFileOpt, Metadata metadataCopy)
{
Debug.Assert(primaryModule != null);
Debug.Assert(metadataCopy != null);
////Debug.Assert(!metadataCopy.IsImageOwner); property is now internal
PrimaryModule = primaryModule;
DocumentationFile = documentationFileOpt;
Metadata = metadataCopy;
}
// keep this internal so that users can't delete files that the provider manages
internal void DisposeFileHandles()
{
PrimaryModule.DisposeFileStream();
DocumentationFile?.DisposeFileStream();
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Binder/Binder_Await.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.Generic;
using System.Collections.Immutable;
using System.Diagnostics;
using System.Diagnostics.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp
{
/// <summary>
/// This portion of the binder converts an AwaitExpressionSyntax into a BoundExpression
/// </summary>
internal partial class Binder
{
private BoundExpression BindAwait(AwaitExpressionSyntax node, BindingDiagnosticBag diagnostics)
{
BoundExpression expression = BindRValueWithoutTargetType(node.Expression, diagnostics);
return BindAwait(expression, node, diagnostics);
}
private BoundAwaitExpression BindAwait(BoundExpression expression, SyntaxNode node, BindingDiagnosticBag diagnostics)
{
bool hasErrors = false;
var placeholder = new BoundAwaitableValuePlaceholder(expression.Syntax, GetValEscape(expression, LocalScopeDepth), expression.Type);
ReportBadAwaitDiagnostics(node, node.Location, diagnostics, ref hasErrors);
var info = BindAwaitInfo(placeholder, node, diagnostics, ref hasErrors, expressionOpt: expression);
// Spec 7.7.7.2:
// The expression await t is classified the same way as the expression (t).GetAwaiter().GetResult(). Thus,
// if the return type of GetResult is void, the await-expression is classified as nothing. If it has a
// non-void return type T, the await-expression is classified as a value of type T.
TypeSymbol awaitExpressionType = info.GetResult?.ReturnType ?? (hasErrors ? CreateErrorType() : Compilation.DynamicType);
return new BoundAwaitExpression(node, expression, info, awaitExpressionType, hasErrors);
}
internal void ReportBadAwaitDiagnostics(SyntaxNode node, Location location, BindingDiagnosticBag diagnostics, ref bool hasErrors)
{
hasErrors |= ReportBadAwaitWithoutAsync(location, diagnostics);
hasErrors |= ReportBadAwaitContext(node, location, diagnostics);
}
internal BoundAwaitableInfo BindAwaitInfo(BoundAwaitableValuePlaceholder placeholder, SyntaxNode node, BindingDiagnosticBag diagnostics, ref bool hasErrors, BoundExpression? expressionOpt = null)
{
bool hasGetAwaitableErrors = !GetAwaitableExpressionInfo(
expressionOpt ?? placeholder,
placeholder,
out bool isDynamic,
out BoundExpression? getAwaiter,
out PropertySymbol? isCompleted,
out MethodSymbol? getResult,
getAwaiterGetResultCall: out _,
node,
diagnostics);
hasErrors |= hasGetAwaitableErrors;
return new BoundAwaitableInfo(node, placeholder, isDynamic: isDynamic, getAwaiter, isCompleted, getResult, hasErrors: hasGetAwaitableErrors) { WasCompilerGenerated = true };
}
/// <summary>
/// Return true iff an await with this subexpression would be legal where the expression appears.
/// </summary>
private bool CouldBeAwaited(BoundExpression expression)
{
// If the expression doesn't have a type, just bail out now. Also,
// the dynamic type is always awaitable in an async method and
// could generate a lot of noise if we warned on it. Finally, we only want
// to warn on method calls, not other kinds of expressions.
if (expression.Kind != BoundKind.Call)
{
return false;
}
var type = expression.Type;
if ((type is null) ||
type.IsDynamic() ||
(type.IsVoidType()))
{
return false;
}
var call = (BoundCall)expression;
// First check if the target method is async.
if ((object)call.Method != null && call.Method.IsAsync)
{
return true;
}
// Then check if the method call returns a WinRT async type.
if (ImplementsWinRTAsyncInterface(call.Type))
{
return true;
}
// Finally, if we're in an async method, and the expression could be awaited, report that it is instead discarded.
var containingMethod = this.ContainingMemberOrLambda as MethodSymbol;
if (containingMethod is null || !containingMethod.IsAsync)
{
return false;
}
if (ContextForbidsAwait)
{
return false;
}
var boundAwait = BindAwait(expression, expression.Syntax, BindingDiagnosticBag.Discarded);
return !boundAwait.HasAnyErrors;
}
/// <summary>
/// Assuming we are in an async method, return true if we're in a context where await would be illegal.
/// Specifically, return true if we're in a lock or catch filter.
/// </summary>
private bool ContextForbidsAwait
{
get
{
return this.Flags.Includes(BinderFlags.InCatchFilter) ||
this.Flags.Includes(BinderFlags.InLockBody);
}
}
/// <summary>
/// Reports an error if the await expression did not occur in an async context.
/// </summary>
/// <returns>True if the expression contains errors.</returns>
[SuppressMessage("Style", "VSTHRD200:Use \"Async\" suffix for async methods", Justification = "'await without async' refers to the error scenario.")]
private bool ReportBadAwaitWithoutAsync(Location location, BindingDiagnosticBag diagnostics)
{
DiagnosticInfo? info = null;
var containingMemberOrLambda = this.ContainingMemberOrLambda;
if (containingMemberOrLambda is object)
{
switch (containingMemberOrLambda.Kind)
{
case SymbolKind.Field:
if (containingMemberOrLambda.ContainingType.IsScriptClass)
{
if (((FieldSymbol)containingMemberOrLambda).IsStatic)
{
info = new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitInStaticVariableInitializer);
}
else
{
return false;
}
}
break;
case SymbolKind.Method:
var method = (MethodSymbol)containingMemberOrLambda;
if (method.IsAsync)
{
return false;
}
if (method.MethodKind == MethodKind.AnonymousFunction)
{
info = method.IsImplicitlyDeclared ?
// The await expression occurred in a query expression:
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitInQuery) :
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutAsyncLambda, ((LambdaSymbol)method).MessageID.Localize());
}
else
{
info = method.ReturnsVoid ?
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutVoidAsyncMethod) :
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutAsyncMethod, method.ReturnType);
}
break;
}
}
if (info == null)
{
info = new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutAsync);
}
Error(diagnostics, info, location);
return true;
}
/// <summary>
/// Report diagnostics if the await expression occurs in a context where it is not allowed.
/// </summary>
/// <returns>True if errors were found.</returns>
private bool ReportBadAwaitContext(SyntaxNode node, Location location, BindingDiagnosticBag diagnostics)
{
if (this.InUnsafeRegion && !this.Flags.Includes(BinderFlags.AllowAwaitInUnsafeContext))
{
Error(diagnostics, ErrorCode.ERR_AwaitInUnsafeContext, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InLockBody))
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInLock, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InCatchFilter))
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInCatchFilter, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InFinallyBlock) &&
(node.SyntaxTree as CSharpSyntaxTree)?.Options?.IsFeatureEnabled(MessageID.IDS_AwaitInCatchAndFinally) == false)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInFinally, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InCatchBlock) &&
(node.SyntaxTree as CSharpSyntaxTree)?.Options?.IsFeatureEnabled(MessageID.IDS_AwaitInCatchAndFinally) == false)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInCatch, location);
return true;
}
else
{
return false;
}
}
/// <summary>
/// Finds and validates the required members of an awaitable expression, as described in spec 7.7.7.1.
/// </summary>
/// <returns>True if the expression is awaitable; false otherwise.</returns>
internal bool GetAwaitableExpressionInfo(
BoundExpression expression,
out BoundExpression? getAwaiterGetResultCall,
SyntaxNode node,
BindingDiagnosticBag diagnostics)
{
return GetAwaitableExpressionInfo(expression, expression, out _, out _, out _, out _, out getAwaiterGetResultCall, node, diagnostics);
}
private bool GetAwaitableExpressionInfo(
BoundExpression expression,
BoundExpression getAwaiterArgument,
out bool isDynamic,
out BoundExpression? getAwaiter,
out PropertySymbol? isCompleted,
out MethodSymbol? getResult,
out BoundExpression? getAwaiterGetResultCall,
SyntaxNode node,
BindingDiagnosticBag diagnostics)
{
Debug.Assert(TypeSymbol.Equals(expression.Type, getAwaiterArgument.Type, TypeCompareKind.ConsiderEverything));
isDynamic = false;
getAwaiter = null;
isCompleted = null;
getResult = null;
getAwaiterGetResultCall = null;
if (!ValidateAwaitedExpression(expression, node, diagnostics))
{
return false;
}
if (expression.HasDynamicType())
{
isDynamic = true;
return true;
}
if (!GetGetAwaiterMethod(getAwaiterArgument, node, diagnostics, out getAwaiter))
{
return false;
}
TypeSymbol awaiterType = getAwaiter.Type!;
return GetIsCompletedProperty(awaiterType, node, expression.Type!, diagnostics, out isCompleted)
&& AwaiterImplementsINotifyCompletion(awaiterType, node, diagnostics)
&& GetGetResultMethod(getAwaiter, node, expression.Type!, diagnostics, out getResult, out getAwaiterGetResultCall);
}
/// <summary>
/// Validates the awaited expression, returning true if no errors are found.
/// </summary>
private static bool ValidateAwaitedExpression(BoundExpression expression, SyntaxNode node, BindingDiagnosticBag diagnostics)
{
if (expression.HasAnyErrors)
{
// The appropriate diagnostics have already been reported.
return false;
}
if (expression.Type is null)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArgIntrinsic, node, expression.Display);
return false;
}
return true;
}
/// <summary>
/// Finds the GetAwaiter method of an awaitable expression.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An awaitable expression t has an accessible instance or extension method called GetAwaiter with no
/// parameters and no type parameters, and a return type A that meets the additional requirements for an
/// Awaiter.
/// NOTE: this is an error in the spec. An extension method of the form
/// Awaiter<T> GetAwaiter<T>(this Task<T>) may be used.
/// </remarks>
private bool GetGetAwaiterMethod(BoundExpression expression, SyntaxNode node, BindingDiagnosticBag diagnostics, [NotNullWhen(true)] out BoundExpression? getAwaiterCall)
{
RoslynDebug.Assert(expression.Type is object);
if (expression.Type.IsVoidType())
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArgVoidCall, node);
getAwaiterCall = null;
return false;
}
getAwaiterCall = MakeInvocationExpression(node, expression, WellKnownMemberNames.GetAwaiter, ImmutableArray<BoundExpression>.Empty, diagnostics);
if (getAwaiterCall.HasAnyErrors) // && !expression.HasAnyErrors?
{
getAwaiterCall = null;
return false;
}
if (getAwaiterCall.Kind != BoundKind.Call)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArg, node, expression.Type);
getAwaiterCall = null;
return false;
}
var getAwaiterMethod = ((BoundCall)getAwaiterCall).Method;
if (getAwaiterMethod is ErrorMethodSymbol ||
HasOptionalOrVariableParameters(getAwaiterMethod) || // We might have been able to resolve a GetAwaiter overload with optional parameters, so check for that here
getAwaiterMethod.ReturnsVoid) // If GetAwaiter returns void, don't bother checking that it returns an Awaiter.
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArg, node, expression.Type);
getAwaiterCall = null;
return false;
}
return true;
}
/// <summary>
/// Finds the IsCompleted property of an Awaiter type.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An Awaiter A has an accessible, readable instance property IsCompleted of type bool.
/// </remarks>
private bool GetIsCompletedProperty(TypeSymbol awaiterType, SyntaxNode node, TypeSymbol awaitedExpressionType, BindingDiagnosticBag diagnostics, [NotNullWhen(true)] out PropertySymbol? isCompletedProperty)
{
var receiver = new BoundLiteral(node, ConstantValue.Null, awaiterType);
var name = WellKnownMemberNames.IsCompleted;
var qualified = BindInstanceMemberAccess(node, node, receiver, name, 0, default(SeparatedSyntaxList<TypeSyntax>), default(ImmutableArray<TypeWithAnnotations>), invoked: false, indexed: false, diagnostics);
if (qualified.HasAnyErrors)
{
isCompletedProperty = null;
return false;
}
if (qualified.Kind != BoundKind.PropertyAccess)
{
Error(diagnostics, ErrorCode.ERR_NoSuchMember, node, awaiterType, WellKnownMemberNames.IsCompleted);
isCompletedProperty = null;
return false;
}
isCompletedProperty = ((BoundPropertyAccess)qualified).PropertySymbol;
if (isCompletedProperty.IsWriteOnly)
{
Error(diagnostics, ErrorCode.ERR_PropertyLacksGet, node, isCompletedProperty);
isCompletedProperty = null;
return false;
}
if (isCompletedProperty.Type.SpecialType != SpecialType.System_Boolean)
{
Error(diagnostics, ErrorCode.ERR_BadAwaiterPattern, node, awaiterType, awaitedExpressionType);
isCompletedProperty = null;
return false;
}
return true;
}
/// <summary>
/// Checks that the Awaiter implements System.Runtime.CompilerServices.INotifyCompletion.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An Awaiter A implements the interface System.Runtime.CompilerServices.INotifyCompletion.
/// </remarks>
private bool AwaiterImplementsINotifyCompletion(TypeSymbol awaiterType, SyntaxNode node, BindingDiagnosticBag diagnostics)
{
var INotifyCompletion = GetWellKnownType(WellKnownType.System_Runtime_CompilerServices_INotifyCompletion, diagnostics, node);
CompoundUseSiteInfo<AssemblySymbol> useSiteInfo = GetNewCompoundUseSiteInfo(diagnostics);
var conversion = this.Conversions.ClassifyImplicitConversionFromType(awaiterType, INotifyCompletion, ref useSiteInfo);
if (!conversion.IsImplicit)
{
diagnostics.Add(node, useSiteInfo);
Error(diagnostics, ErrorCode.ERR_DoesntImplementAwaitInterface, node, awaiterType, INotifyCompletion);
return false;
}
Debug.Assert(conversion.IsValid);
return true;
}
/// <summary>
/// Finds the GetResult method of an Awaiter type.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An Awaiter A has an accessible instance method GetResult with no parameters and no type parameters.
/// </remarks>
private bool GetGetResultMethod(BoundExpression awaiterExpression, SyntaxNode node, TypeSymbol awaitedExpressionType, BindingDiagnosticBag diagnostics, out MethodSymbol? getResultMethod, [NotNullWhen(true)] out BoundExpression? getAwaiterGetResultCall)
{
var awaiterType = awaiterExpression.Type;
getAwaiterGetResultCall = MakeInvocationExpression(node, awaiterExpression, WellKnownMemberNames.GetResult, ImmutableArray<BoundExpression>.Empty, diagnostics);
if (getAwaiterGetResultCall.HasAnyErrors)
{
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
RoslynDebug.Assert(awaiterType is object);
if (getAwaiterGetResultCall.Kind != BoundKind.Call)
{
Error(diagnostics, ErrorCode.ERR_NoSuchMember, node, awaiterType, WellKnownMemberNames.GetResult);
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
getResultMethod = ((BoundCall)getAwaiterGetResultCall).Method;
if (getResultMethod.IsExtensionMethod)
{
Error(diagnostics, ErrorCode.ERR_NoSuchMember, node, awaiterType, WellKnownMemberNames.GetResult);
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
if (HasOptionalOrVariableParameters(getResultMethod) || getResultMethod.IsConditional)
{
Error(diagnostics, ErrorCode.ERR_BadAwaiterPattern, node, awaiterType, awaitedExpressionType);
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
// The lack of a GetResult method will be reported by ValidateGetResult().
return true;
}
private static bool HasOptionalOrVariableParameters(MethodSymbol method)
{
RoslynDebug.Assert(method != null);
if (method.ParameterCount != 0)
{
var parameter = method.Parameters[method.ParameterCount - 1];
return parameter.IsOptional || parameter.IsParams;
}
return 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.
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Diagnostics;
using System.Diagnostics.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp
{
/// <summary>
/// This portion of the binder converts an AwaitExpressionSyntax into a BoundExpression
/// </summary>
internal partial class Binder
{
private BoundExpression BindAwait(AwaitExpressionSyntax node, BindingDiagnosticBag diagnostics)
{
BoundExpression expression = BindRValueWithoutTargetType(node.Expression, diagnostics);
return BindAwait(expression, node, diagnostics);
}
private BoundAwaitExpression BindAwait(BoundExpression expression, SyntaxNode node, BindingDiagnosticBag diagnostics)
{
bool hasErrors = false;
var placeholder = new BoundAwaitableValuePlaceholder(expression.Syntax, GetValEscape(expression, LocalScopeDepth), expression.Type);
ReportBadAwaitDiagnostics(node, node.Location, diagnostics, ref hasErrors);
var info = BindAwaitInfo(placeholder, node, diagnostics, ref hasErrors, expressionOpt: expression);
// Spec 7.7.7.2:
// The expression await t is classified the same way as the expression (t).GetAwaiter().GetResult(). Thus,
// if the return type of GetResult is void, the await-expression is classified as nothing. If it has a
// non-void return type T, the await-expression is classified as a value of type T.
TypeSymbol awaitExpressionType = info.GetResult?.ReturnType ?? (hasErrors ? CreateErrorType() : Compilation.DynamicType);
return new BoundAwaitExpression(node, expression, info, awaitExpressionType, hasErrors);
}
internal void ReportBadAwaitDiagnostics(SyntaxNode node, Location location, BindingDiagnosticBag diagnostics, ref bool hasErrors)
{
hasErrors |= ReportBadAwaitWithoutAsync(location, diagnostics);
hasErrors |= ReportBadAwaitContext(node, location, diagnostics);
}
internal BoundAwaitableInfo BindAwaitInfo(BoundAwaitableValuePlaceholder placeholder, SyntaxNode node, BindingDiagnosticBag diagnostics, ref bool hasErrors, BoundExpression? expressionOpt = null)
{
bool hasGetAwaitableErrors = !GetAwaitableExpressionInfo(
expressionOpt ?? placeholder,
placeholder,
out bool isDynamic,
out BoundExpression? getAwaiter,
out PropertySymbol? isCompleted,
out MethodSymbol? getResult,
getAwaiterGetResultCall: out _,
node,
diagnostics);
hasErrors |= hasGetAwaitableErrors;
return new BoundAwaitableInfo(node, placeholder, isDynamic: isDynamic, getAwaiter, isCompleted, getResult, hasErrors: hasGetAwaitableErrors) { WasCompilerGenerated = true };
}
/// <summary>
/// Return true iff an await with this subexpression would be legal where the expression appears.
/// </summary>
private bool CouldBeAwaited(BoundExpression expression)
{
// If the expression doesn't have a type, just bail out now. Also,
// the dynamic type is always awaitable in an async method and
// could generate a lot of noise if we warned on it. Finally, we only want
// to warn on method calls, not other kinds of expressions.
if (expression.Kind != BoundKind.Call)
{
return false;
}
var type = expression.Type;
if ((type is null) ||
type.IsDynamic() ||
(type.IsVoidType()))
{
return false;
}
var call = (BoundCall)expression;
// First check if the target method is async.
if ((object)call.Method != null && call.Method.IsAsync)
{
return true;
}
// Then check if the method call returns a WinRT async type.
if (ImplementsWinRTAsyncInterface(call.Type))
{
return true;
}
// Finally, if we're in an async method, and the expression could be awaited, report that it is instead discarded.
var containingMethod = this.ContainingMemberOrLambda as MethodSymbol;
if (containingMethod is null || !containingMethod.IsAsync)
{
return false;
}
if (ContextForbidsAwait)
{
return false;
}
var boundAwait = BindAwait(expression, expression.Syntax, BindingDiagnosticBag.Discarded);
return !boundAwait.HasAnyErrors;
}
/// <summary>
/// Assuming we are in an async method, return true if we're in a context where await would be illegal.
/// Specifically, return true if we're in a lock or catch filter.
/// </summary>
private bool ContextForbidsAwait
{
get
{
return this.Flags.Includes(BinderFlags.InCatchFilter) ||
this.Flags.Includes(BinderFlags.InLockBody);
}
}
/// <summary>
/// Reports an error if the await expression did not occur in an async context.
/// </summary>
/// <returns>True if the expression contains errors.</returns>
[SuppressMessage("Style", "VSTHRD200:Use \"Async\" suffix for async methods", Justification = "'await without async' refers to the error scenario.")]
private bool ReportBadAwaitWithoutAsync(Location location, BindingDiagnosticBag diagnostics)
{
DiagnosticInfo? info = null;
var containingMemberOrLambda = this.ContainingMemberOrLambda;
if (containingMemberOrLambda is object)
{
switch (containingMemberOrLambda.Kind)
{
case SymbolKind.Field:
if (containingMemberOrLambda.ContainingType.IsScriptClass)
{
if (((FieldSymbol)containingMemberOrLambda).IsStatic)
{
info = new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitInStaticVariableInitializer);
}
else
{
return false;
}
}
break;
case SymbolKind.Method:
var method = (MethodSymbol)containingMemberOrLambda;
if (method.IsAsync)
{
return false;
}
if (method.MethodKind == MethodKind.AnonymousFunction)
{
info = method.IsImplicitlyDeclared ?
// The await expression occurred in a query expression:
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitInQuery) :
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutAsyncLambda, ((LambdaSymbol)method).MessageID.Localize());
}
else
{
info = method.ReturnsVoid ?
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutVoidAsyncMethod) :
new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutAsyncMethod, method.ReturnType);
}
break;
}
}
if (info == null)
{
info = new CSDiagnosticInfo(ErrorCode.ERR_BadAwaitWithoutAsync);
}
Error(diagnostics, info, location);
return true;
}
/// <summary>
/// Report diagnostics if the await expression occurs in a context where it is not allowed.
/// </summary>
/// <returns>True if errors were found.</returns>
private bool ReportBadAwaitContext(SyntaxNode node, Location location, BindingDiagnosticBag diagnostics)
{
if (this.InUnsafeRegion && !this.Flags.Includes(BinderFlags.AllowAwaitInUnsafeContext))
{
Error(diagnostics, ErrorCode.ERR_AwaitInUnsafeContext, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InLockBody))
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInLock, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InCatchFilter))
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInCatchFilter, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InFinallyBlock) &&
(node.SyntaxTree as CSharpSyntaxTree)?.Options?.IsFeatureEnabled(MessageID.IDS_AwaitInCatchAndFinally) == false)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInFinally, location);
return true;
}
else if (this.Flags.Includes(BinderFlags.InCatchBlock) &&
(node.SyntaxTree as CSharpSyntaxTree)?.Options?.IsFeatureEnabled(MessageID.IDS_AwaitInCatchAndFinally) == false)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitInCatch, location);
return true;
}
else
{
return false;
}
}
/// <summary>
/// Finds and validates the required members of an awaitable expression, as described in spec 7.7.7.1.
/// </summary>
/// <returns>True if the expression is awaitable; false otherwise.</returns>
internal bool GetAwaitableExpressionInfo(
BoundExpression expression,
out BoundExpression? getAwaiterGetResultCall,
SyntaxNode node,
BindingDiagnosticBag diagnostics)
{
return GetAwaitableExpressionInfo(expression, expression, out _, out _, out _, out _, out getAwaiterGetResultCall, node, diagnostics);
}
private bool GetAwaitableExpressionInfo(
BoundExpression expression,
BoundExpression getAwaiterArgument,
out bool isDynamic,
out BoundExpression? getAwaiter,
out PropertySymbol? isCompleted,
out MethodSymbol? getResult,
out BoundExpression? getAwaiterGetResultCall,
SyntaxNode node,
BindingDiagnosticBag diagnostics)
{
Debug.Assert(TypeSymbol.Equals(expression.Type, getAwaiterArgument.Type, TypeCompareKind.ConsiderEverything));
isDynamic = false;
getAwaiter = null;
isCompleted = null;
getResult = null;
getAwaiterGetResultCall = null;
if (!ValidateAwaitedExpression(expression, node, diagnostics))
{
return false;
}
if (expression.HasDynamicType())
{
isDynamic = true;
return true;
}
if (!GetGetAwaiterMethod(getAwaiterArgument, node, diagnostics, out getAwaiter))
{
return false;
}
TypeSymbol awaiterType = getAwaiter.Type!;
return GetIsCompletedProperty(awaiterType, node, expression.Type!, diagnostics, out isCompleted)
&& AwaiterImplementsINotifyCompletion(awaiterType, node, diagnostics)
&& GetGetResultMethod(getAwaiter, node, expression.Type!, diagnostics, out getResult, out getAwaiterGetResultCall);
}
/// <summary>
/// Validates the awaited expression, returning true if no errors are found.
/// </summary>
private static bool ValidateAwaitedExpression(BoundExpression expression, SyntaxNode node, BindingDiagnosticBag diagnostics)
{
if (expression.HasAnyErrors)
{
// The appropriate diagnostics have already been reported.
return false;
}
if (expression.Type is null)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArgIntrinsic, node, expression.Display);
return false;
}
return true;
}
/// <summary>
/// Finds the GetAwaiter method of an awaitable expression.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An awaitable expression t has an accessible instance or extension method called GetAwaiter with no
/// parameters and no type parameters, and a return type A that meets the additional requirements for an
/// Awaiter.
/// NOTE: this is an error in the spec. An extension method of the form
/// Awaiter<T> GetAwaiter<T>(this Task<T>) may be used.
/// </remarks>
private bool GetGetAwaiterMethod(BoundExpression expression, SyntaxNode node, BindingDiagnosticBag diagnostics, [NotNullWhen(true)] out BoundExpression? getAwaiterCall)
{
RoslynDebug.Assert(expression.Type is object);
if (expression.Type.IsVoidType())
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArgVoidCall, node);
getAwaiterCall = null;
return false;
}
getAwaiterCall = MakeInvocationExpression(node, expression, WellKnownMemberNames.GetAwaiter, ImmutableArray<BoundExpression>.Empty, diagnostics);
if (getAwaiterCall.HasAnyErrors) // && !expression.HasAnyErrors?
{
getAwaiterCall = null;
return false;
}
if (getAwaiterCall.Kind != BoundKind.Call)
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArg, node, expression.Type);
getAwaiterCall = null;
return false;
}
var getAwaiterMethod = ((BoundCall)getAwaiterCall).Method;
if (getAwaiterMethod is ErrorMethodSymbol ||
HasOptionalOrVariableParameters(getAwaiterMethod) || // We might have been able to resolve a GetAwaiter overload with optional parameters, so check for that here
getAwaiterMethod.ReturnsVoid) // If GetAwaiter returns void, don't bother checking that it returns an Awaiter.
{
Error(diagnostics, ErrorCode.ERR_BadAwaitArg, node, expression.Type);
getAwaiterCall = null;
return false;
}
return true;
}
/// <summary>
/// Finds the IsCompleted property of an Awaiter type.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An Awaiter A has an accessible, readable instance property IsCompleted of type bool.
/// </remarks>
private bool GetIsCompletedProperty(TypeSymbol awaiterType, SyntaxNode node, TypeSymbol awaitedExpressionType, BindingDiagnosticBag diagnostics, [NotNullWhen(true)] out PropertySymbol? isCompletedProperty)
{
var receiver = new BoundLiteral(node, ConstantValue.Null, awaiterType);
var name = WellKnownMemberNames.IsCompleted;
var qualified = BindInstanceMemberAccess(node, node, receiver, name, 0, default(SeparatedSyntaxList<TypeSyntax>), default(ImmutableArray<TypeWithAnnotations>), invoked: false, indexed: false, diagnostics);
if (qualified.HasAnyErrors)
{
isCompletedProperty = null;
return false;
}
if (qualified.Kind != BoundKind.PropertyAccess)
{
Error(diagnostics, ErrorCode.ERR_NoSuchMember, node, awaiterType, WellKnownMemberNames.IsCompleted);
isCompletedProperty = null;
return false;
}
isCompletedProperty = ((BoundPropertyAccess)qualified).PropertySymbol;
if (isCompletedProperty.IsWriteOnly)
{
Error(diagnostics, ErrorCode.ERR_PropertyLacksGet, node, isCompletedProperty);
isCompletedProperty = null;
return false;
}
if (isCompletedProperty.Type.SpecialType != SpecialType.System_Boolean)
{
Error(diagnostics, ErrorCode.ERR_BadAwaiterPattern, node, awaiterType, awaitedExpressionType);
isCompletedProperty = null;
return false;
}
return true;
}
/// <summary>
/// Checks that the Awaiter implements System.Runtime.CompilerServices.INotifyCompletion.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An Awaiter A implements the interface System.Runtime.CompilerServices.INotifyCompletion.
/// </remarks>
private bool AwaiterImplementsINotifyCompletion(TypeSymbol awaiterType, SyntaxNode node, BindingDiagnosticBag diagnostics)
{
var INotifyCompletion = GetWellKnownType(WellKnownType.System_Runtime_CompilerServices_INotifyCompletion, diagnostics, node);
CompoundUseSiteInfo<AssemblySymbol> useSiteInfo = GetNewCompoundUseSiteInfo(diagnostics);
var conversion = this.Conversions.ClassifyImplicitConversionFromType(awaiterType, INotifyCompletion, ref useSiteInfo);
if (!conversion.IsImplicit)
{
diagnostics.Add(node, useSiteInfo);
Error(diagnostics, ErrorCode.ERR_DoesntImplementAwaitInterface, node, awaiterType, INotifyCompletion);
return false;
}
Debug.Assert(conversion.IsValid);
return true;
}
/// <summary>
/// Finds the GetResult method of an Awaiter type.
/// </summary>
/// <remarks>
/// Spec 7.7.7.1:
/// An Awaiter A has an accessible instance method GetResult with no parameters and no type parameters.
/// </remarks>
private bool GetGetResultMethod(BoundExpression awaiterExpression, SyntaxNode node, TypeSymbol awaitedExpressionType, BindingDiagnosticBag diagnostics, out MethodSymbol? getResultMethod, [NotNullWhen(true)] out BoundExpression? getAwaiterGetResultCall)
{
var awaiterType = awaiterExpression.Type;
getAwaiterGetResultCall = MakeInvocationExpression(node, awaiterExpression, WellKnownMemberNames.GetResult, ImmutableArray<BoundExpression>.Empty, diagnostics);
if (getAwaiterGetResultCall.HasAnyErrors)
{
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
RoslynDebug.Assert(awaiterType is object);
if (getAwaiterGetResultCall.Kind != BoundKind.Call)
{
Error(diagnostics, ErrorCode.ERR_NoSuchMember, node, awaiterType, WellKnownMemberNames.GetResult);
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
getResultMethod = ((BoundCall)getAwaiterGetResultCall).Method;
if (getResultMethod.IsExtensionMethod)
{
Error(diagnostics, ErrorCode.ERR_NoSuchMember, node, awaiterType, WellKnownMemberNames.GetResult);
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
if (HasOptionalOrVariableParameters(getResultMethod) || getResultMethod.IsConditional)
{
Error(diagnostics, ErrorCode.ERR_BadAwaiterPattern, node, awaiterType, awaitedExpressionType);
getResultMethod = null;
getAwaiterGetResultCall = null;
return false;
}
// The lack of a GetResult method will be reported by ValidateGetResult().
return true;
}
private static bool HasOptionalOrVariableParameters(MethodSymbol method)
{
RoslynDebug.Assert(method != null);
if (method.ParameterCount != 0)
{
var parameter = method.Parameters[method.ParameterCount - 1];
return parameter.IsOptional || parameter.IsParams;
}
return false;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/RQName/Nodes/RQExplicitInterfaceMemberName.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 Microsoft.CodeAnalysis.Features.RQName.SimpleTree;
namespace Microsoft.CodeAnalysis.Features.RQName.Nodes
{
internal class RQExplicitInterfaceMemberName : RQMethodPropertyOrEventName
{
public readonly RQType InterfaceType;
public readonly RQOrdinaryMethodPropertyOrEventName Name;
public RQExplicitInterfaceMemberName(RQType interfaceType, RQOrdinaryMethodPropertyOrEventName name)
{
InterfaceType = interfaceType;
Name = name;
}
public override string OrdinaryNameValue
{
get { return Name.OrdinaryNameValue; }
}
public override SimpleGroupNode ToSimpleTree()
=> new(RQNameStrings.IntfExplName, InterfaceType.ToSimpleTree(), Name.ToSimpleTree());
}
}
| // 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 Microsoft.CodeAnalysis.Features.RQName.SimpleTree;
namespace Microsoft.CodeAnalysis.Features.RQName.Nodes
{
internal class RQExplicitInterfaceMemberName : RQMethodPropertyOrEventName
{
public readonly RQType InterfaceType;
public readonly RQOrdinaryMethodPropertyOrEventName Name;
public RQExplicitInterfaceMemberName(RQType interfaceType, RQOrdinaryMethodPropertyOrEventName name)
{
InterfaceType = interfaceType;
Name = name;
}
public override string OrdinaryNameValue
{
get { return Name.OrdinaryNameValue; }
}
public override SimpleGroupNode ToSimpleTree()
=> new(RQNameStrings.IntfExplName, InterfaceType.ToSimpleTree(), Name.ToSimpleTree());
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/VisualBasic/FindUsages/VisualBasicFindUsagesLSPService.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.Composition
Imports Microsoft.CodeAnalysis.Editor.FindUsages
Imports Microsoft.CodeAnalysis.Editor.Shared.Utilities
Imports Microsoft.CodeAnalysis.Host.Mef
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.FindUsages
<ExportLanguageService(GetType(IFindUsagesLSPService), LanguageNames.VisualBasic), [Shared]>
Friend Class VisualBasicFindUsagesLSPService
Inherits AbstractFindUsagesService
<ImportingConstructor>
<Obsolete(MefConstruction.ImportingConstructorMessage, True)>
Public Sub New()
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.
Imports System.Composition
Imports Microsoft.CodeAnalysis.Editor.FindUsages
Imports Microsoft.CodeAnalysis.Editor.Shared.Utilities
Imports Microsoft.CodeAnalysis.Host.Mef
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.FindUsages
<ExportLanguageService(GetType(IFindUsagesLSPService), LanguageNames.VisualBasic), [Shared]>
Friend Class VisualBasicFindUsagesLSPService
Inherits AbstractFindUsagesService
<ImportingConstructor>
<Obsolete(MefConstruction.ImportingConstructorMessage, True)>
Public Sub New()
End Sub
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/Xaml/Impl/Features/OrganizeImports/IXamlOrganizeNamespacesService.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;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis;
namespace Microsoft.CodeAnalysis.Editor.Xaml.Features.OrganizeImports
{
internal interface IXamlOrganizeNamespacesService
{
/// <returns>Returns the rewritten document, or the document passed in if no changes were made. If cancellation
/// was observed, it returns null.</returns>
Task<Document> OrganizeNamespacesAsync(Document document, bool placeSystemNamespaceFirst, 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.
#nullable disable
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis;
namespace Microsoft.CodeAnalysis.Editor.Xaml.Features.OrganizeImports
{
internal interface IXamlOrganizeNamespacesService
{
/// <returns>Returns the rewritten document, or the document passed in if no changes were made. If cancellation
/// was observed, it returns null.</returns>
Task<Document> OrganizeNamespacesAsync(Document document, bool placeSystemNamespaceFirst, CancellationToken cancellationToken);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/SpecialTypeExtensions.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 Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
internal static class SpecialTypeExtensions
{
/// <summary>
/// Checks if a type is considered a "built-in integral" by CLR.
/// </summary>
public static bool IsClrInteger(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Char:
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_IntPtr:
case SpecialType.System_UIntPtr:
return true;
default:
return false;
}
}
/// <summary>
/// Checks if a type is a primitive of a fixed size.
/// </summary>
public static bool IsBlittable(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Char:
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_Single:
case SpecialType.System_Double:
return true;
default:
return false;
}
}
public static bool IsValueType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Void:
case SpecialType.System_Boolean:
case SpecialType.System_Char:
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_Single:
case SpecialType.System_Double:
case SpecialType.System_Decimal:
case SpecialType.System_IntPtr:
case SpecialType.System_UIntPtr:
case SpecialType.System_Nullable_T:
case SpecialType.System_DateTime:
case SpecialType.System_TypedReference:
case SpecialType.System_ArgIterator:
case SpecialType.System_RuntimeArgumentHandle:
case SpecialType.System_RuntimeFieldHandle:
case SpecialType.System_RuntimeMethodHandle:
case SpecialType.System_RuntimeTypeHandle:
return true;
default:
return false;
}
}
public static int SizeInBytes(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_SByte:
return sizeof(sbyte);
case SpecialType.System_Byte:
return sizeof(byte);
case SpecialType.System_Int16:
return sizeof(short);
case SpecialType.System_UInt16:
return sizeof(ushort);
case SpecialType.System_Int32:
return sizeof(int);
case SpecialType.System_UInt32:
return sizeof(uint);
case SpecialType.System_Int64:
return sizeof(long);
case SpecialType.System_UInt64:
return sizeof(ulong);
case SpecialType.System_Char:
return sizeof(char);
case SpecialType.System_Single:
return sizeof(float);
case SpecialType.System_Double:
return sizeof(double);
case SpecialType.System_Boolean:
return sizeof(bool);
case SpecialType.System_Decimal:
//This isn't in the spec, but it is handled by dev10
return sizeof(decimal);
default:
// invalid
return 0;
}
}
/// <summary>
/// These special types are structs that contain fields of the same type
/// (e.g. System.Int32 contains a field of type System.Int32).
/// </summary>
public static bool IsPrimitiveRecursiveStruct(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Byte:
case SpecialType.System_Char:
case SpecialType.System_Double:
case SpecialType.System_Int16:
case SpecialType.System_Int32:
case SpecialType.System_Int64:
case SpecialType.System_UInt16:
case SpecialType.System_UInt32:
case SpecialType.System_UInt64:
case SpecialType.System_IntPtr:
case SpecialType.System_UIntPtr:
case SpecialType.System_SByte:
case SpecialType.System_Single:
return true;
default:
return false;
}
}
public static bool IsValidEnumUnderlyingType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
return true;
default:
return false;
}
}
public static bool IsNumericType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_Single:
case SpecialType.System_Double:
case SpecialType.System_Decimal:
return true;
default:
return false;
}
}
/// <summary>
/// Checks if a type is considered a "built-in integral" by CLR.
/// </summary>
public static bool IsIntegralType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
return true;
default:
return false;
}
}
public static bool IsUnsignedIntegralType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_UInt16:
case SpecialType.System_UInt32:
case SpecialType.System_UInt64:
return true;
default:
return false;
}
}
public static bool IsSignedIntegralType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_Int32:
case SpecialType.System_Int64:
return true;
default:
return false;
}
}
/// <summary>
/// For signed integer types return number of bits for their representation minus 1.
/// I.e. 7 for Int8, 31 for Int32, etc.
/// Used for checking loop end condition for VB for loop.
/// </summary>
public static int VBForToShiftBits(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_SByte:
return 7;
case SpecialType.System_Int16:
return 15;
case SpecialType.System_Int32:
return 31;
case SpecialType.System_Int64:
return 63;
default:
throw Roslyn.Utilities.ExceptionUtilities.UnexpectedValue(specialType);
}
}
public static SpecialType FromRuntimeTypeOfLiteralValue(object value)
{
RoslynDebug.Assert(value != null);
// Perf: Note that JIT optimizes each expression val.GetType() == typeof(T) to a single register comparison.
// Also the checks are sorted by commonality of the checked types.
if (value.GetType() == typeof(int))
{
return SpecialType.System_Int32;
}
if (value.GetType() == typeof(string))
{
return SpecialType.System_String;
}
if (value.GetType() == typeof(bool))
{
return SpecialType.System_Boolean;
}
if (value.GetType() == typeof(char))
{
return SpecialType.System_Char;
}
if (value.GetType() == typeof(long))
{
return SpecialType.System_Int64;
}
if (value.GetType() == typeof(double))
{
return SpecialType.System_Double;
}
if (value.GetType() == typeof(uint))
{
return SpecialType.System_UInt32;
}
if (value.GetType() == typeof(ulong))
{
return SpecialType.System_UInt64;
}
if (value.GetType() == typeof(float))
{
return SpecialType.System_Single;
}
if (value.GetType() == typeof(decimal))
{
return SpecialType.System_Decimal;
}
if (value.GetType() == typeof(short))
{
return SpecialType.System_Int16;
}
if (value.GetType() == typeof(ushort))
{
return SpecialType.System_UInt16;
}
if (value.GetType() == typeof(DateTime))
{
return SpecialType.System_DateTime;
}
if (value.GetType() == typeof(byte))
{
return SpecialType.System_Byte;
}
if (value.GetType() == typeof(sbyte))
{
return SpecialType.System_SByte;
}
return SpecialType.None;
}
}
}
| // 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 Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
internal static class SpecialTypeExtensions
{
/// <summary>
/// Checks if a type is considered a "built-in integral" by CLR.
/// </summary>
public static bool IsClrInteger(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Char:
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_IntPtr:
case SpecialType.System_UIntPtr:
return true;
default:
return false;
}
}
/// <summary>
/// Checks if a type is a primitive of a fixed size.
/// </summary>
public static bool IsBlittable(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Char:
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_Single:
case SpecialType.System_Double:
return true;
default:
return false;
}
}
public static bool IsValueType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Void:
case SpecialType.System_Boolean:
case SpecialType.System_Char:
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_Single:
case SpecialType.System_Double:
case SpecialType.System_Decimal:
case SpecialType.System_IntPtr:
case SpecialType.System_UIntPtr:
case SpecialType.System_Nullable_T:
case SpecialType.System_DateTime:
case SpecialType.System_TypedReference:
case SpecialType.System_ArgIterator:
case SpecialType.System_RuntimeArgumentHandle:
case SpecialType.System_RuntimeFieldHandle:
case SpecialType.System_RuntimeMethodHandle:
case SpecialType.System_RuntimeTypeHandle:
return true;
default:
return false;
}
}
public static int SizeInBytes(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_SByte:
return sizeof(sbyte);
case SpecialType.System_Byte:
return sizeof(byte);
case SpecialType.System_Int16:
return sizeof(short);
case SpecialType.System_UInt16:
return sizeof(ushort);
case SpecialType.System_Int32:
return sizeof(int);
case SpecialType.System_UInt32:
return sizeof(uint);
case SpecialType.System_Int64:
return sizeof(long);
case SpecialType.System_UInt64:
return sizeof(ulong);
case SpecialType.System_Char:
return sizeof(char);
case SpecialType.System_Single:
return sizeof(float);
case SpecialType.System_Double:
return sizeof(double);
case SpecialType.System_Boolean:
return sizeof(bool);
case SpecialType.System_Decimal:
//This isn't in the spec, but it is handled by dev10
return sizeof(decimal);
default:
// invalid
return 0;
}
}
/// <summary>
/// These special types are structs that contain fields of the same type
/// (e.g. System.Int32 contains a field of type System.Int32).
/// </summary>
public static bool IsPrimitiveRecursiveStruct(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Byte:
case SpecialType.System_Char:
case SpecialType.System_Double:
case SpecialType.System_Int16:
case SpecialType.System_Int32:
case SpecialType.System_Int64:
case SpecialType.System_UInt16:
case SpecialType.System_UInt32:
case SpecialType.System_UInt64:
case SpecialType.System_IntPtr:
case SpecialType.System_UIntPtr:
case SpecialType.System_SByte:
case SpecialType.System_Single:
return true;
default:
return false;
}
}
public static bool IsValidEnumUnderlyingType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
return true;
default:
return false;
}
}
public static bool IsNumericType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
case SpecialType.System_Single:
case SpecialType.System_Double:
case SpecialType.System_Decimal:
return true;
default:
return false;
}
}
/// <summary>
/// Checks if a type is considered a "built-in integral" by CLR.
/// </summary>
public static bool IsIntegralType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_UInt16:
case SpecialType.System_Int32:
case SpecialType.System_UInt32:
case SpecialType.System_Int64:
case SpecialType.System_UInt64:
return true;
default:
return false;
}
}
public static bool IsUnsignedIntegralType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_Byte:
case SpecialType.System_UInt16:
case SpecialType.System_UInt32:
case SpecialType.System_UInt64:
return true;
default:
return false;
}
}
public static bool IsSignedIntegralType(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_SByte:
case SpecialType.System_Int16:
case SpecialType.System_Int32:
case SpecialType.System_Int64:
return true;
default:
return false;
}
}
/// <summary>
/// For signed integer types return number of bits for their representation minus 1.
/// I.e. 7 for Int8, 31 for Int32, etc.
/// Used for checking loop end condition for VB for loop.
/// </summary>
public static int VBForToShiftBits(this SpecialType specialType)
{
switch (specialType)
{
case SpecialType.System_SByte:
return 7;
case SpecialType.System_Int16:
return 15;
case SpecialType.System_Int32:
return 31;
case SpecialType.System_Int64:
return 63;
default:
throw Roslyn.Utilities.ExceptionUtilities.UnexpectedValue(specialType);
}
}
public static SpecialType FromRuntimeTypeOfLiteralValue(object value)
{
RoslynDebug.Assert(value != null);
// Perf: Note that JIT optimizes each expression val.GetType() == typeof(T) to a single register comparison.
// Also the checks are sorted by commonality of the checked types.
if (value.GetType() == typeof(int))
{
return SpecialType.System_Int32;
}
if (value.GetType() == typeof(string))
{
return SpecialType.System_String;
}
if (value.GetType() == typeof(bool))
{
return SpecialType.System_Boolean;
}
if (value.GetType() == typeof(char))
{
return SpecialType.System_Char;
}
if (value.GetType() == typeof(long))
{
return SpecialType.System_Int64;
}
if (value.GetType() == typeof(double))
{
return SpecialType.System_Double;
}
if (value.GetType() == typeof(uint))
{
return SpecialType.System_UInt32;
}
if (value.GetType() == typeof(ulong))
{
return SpecialType.System_UInt64;
}
if (value.GetType() == typeof(float))
{
return SpecialType.System_Single;
}
if (value.GetType() == typeof(decimal))
{
return SpecialType.System_Decimal;
}
if (value.GetType() == typeof(short))
{
return SpecialType.System_Int16;
}
if (value.GetType() == typeof(ushort))
{
return SpecialType.System_UInt16;
}
if (value.GetType() == typeof(DateTime))
{
return SpecialType.System_DateTime;
}
if (value.GetType() == typeof(byte))
{
return SpecialType.System_Byte;
}
if (value.GetType() == typeof(sbyte))
{
return SpecialType.System_SByte;
}
return SpecialType.None;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/Common/GlyphExtensions.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.Tags;
namespace Microsoft.CodeAnalysis
{
internal static class GlyphExtensions
{
public static ImmutableArray<Glyph> GetGlyphs(this ImmutableArray<string> tags)
{
var builder = ImmutableArray.CreateBuilder<Glyph>(initialCapacity: tags.Length);
foreach (var tag in tags)
{
var glyph = GetGlyph(tag, tags);
if (glyph != Glyph.None)
{
builder.Add(glyph);
}
}
return builder.ToImmutable();
}
public static Glyph GetFirstGlyph(this ImmutableArray<string> tags)
{
var glyphs = GetGlyphs(tags);
return !glyphs.IsEmpty
? glyphs[0]
: Glyph.None;
}
private static Glyph GetGlyph(string tag, ImmutableArray<string> allTags)
{
switch (tag)
{
case WellKnownTags.Assembly:
return Glyph.Assembly;
case WellKnownTags.File:
return allTags.Contains(LanguageNames.VisualBasic) ? Glyph.BasicFile : Glyph.CSharpFile;
case WellKnownTags.Project:
return allTags.Contains(LanguageNames.VisualBasic) ? Glyph.BasicProject : Glyph.CSharpProject;
case WellKnownTags.Class:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ClassProtected,
Accessibility.Private => Glyph.ClassPrivate,
Accessibility.Internal => Glyph.ClassInternal,
_ => Glyph.ClassPublic,
};
case WellKnownTags.Constant:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ConstantProtected,
Accessibility.Private => Glyph.ConstantPrivate,
Accessibility.Internal => Glyph.ConstantInternal,
_ => Glyph.ConstantPublic,
};
case WellKnownTags.Delegate:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.DelegateProtected,
Accessibility.Private => Glyph.DelegatePrivate,
Accessibility.Internal => Glyph.DelegateInternal,
_ => Glyph.DelegatePublic,
};
case WellKnownTags.Enum:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.EnumProtected,
Accessibility.Private => Glyph.EnumPrivate,
Accessibility.Internal => Glyph.EnumInternal,
_ => Glyph.EnumPublic,
};
case WellKnownTags.EnumMember:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.EnumMemberProtected,
Accessibility.Private => Glyph.EnumMemberPrivate,
Accessibility.Internal => Glyph.EnumMemberInternal,
_ => Glyph.EnumMemberPublic,
};
case WellKnownTags.Error:
return Glyph.Error;
case WellKnownTags.Event:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.EventProtected,
Accessibility.Private => Glyph.EventPrivate,
Accessibility.Internal => Glyph.EventInternal,
_ => Glyph.EventPublic,
};
case WellKnownTags.ExtensionMethod:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ExtensionMethodProtected,
Accessibility.Private => Glyph.ExtensionMethodPrivate,
Accessibility.Internal => Glyph.ExtensionMethodInternal,
_ => Glyph.ExtensionMethodPublic,
};
case WellKnownTags.Field:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.FieldProtected,
Accessibility.Private => Glyph.FieldPrivate,
Accessibility.Internal => Glyph.FieldInternal,
_ => Glyph.FieldPublic,
};
case WellKnownTags.Interface:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.InterfaceProtected,
Accessibility.Private => Glyph.InterfacePrivate,
Accessibility.Internal => Glyph.InterfaceInternal,
_ => Glyph.InterfacePublic,
};
case WellKnownTags.TargetTypeMatch:
return Glyph.TargetTypeMatch;
case WellKnownTags.Intrinsic:
return Glyph.Intrinsic;
case WellKnownTags.Keyword:
return Glyph.Keyword;
case WellKnownTags.Label:
return Glyph.Label;
case WellKnownTags.Local:
return Glyph.Local;
case WellKnownTags.Namespace:
return Glyph.Namespace;
case WellKnownTags.Method:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.MethodProtected,
Accessibility.Private => Glyph.MethodPrivate,
Accessibility.Internal => Glyph.MethodInternal,
_ => Glyph.MethodPublic,
};
case WellKnownTags.Module:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ModulePublic,
Accessibility.Private => Glyph.ModulePrivate,
Accessibility.Internal => Glyph.ModuleInternal,
_ => Glyph.ModulePublic,
};
case WellKnownTags.Folder:
return Glyph.OpenFolder;
case WellKnownTags.Operator:
return Glyph.Operator;
case WellKnownTags.Parameter:
return Glyph.Parameter;
case WellKnownTags.Property:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.PropertyProtected,
Accessibility.Private => Glyph.PropertyPrivate,
Accessibility.Internal => Glyph.PropertyInternal,
_ => Glyph.PropertyPublic,
};
case WellKnownTags.RangeVariable:
return Glyph.RangeVariable;
case WellKnownTags.Reference:
return Glyph.Reference;
case WellKnownTags.NuGet:
return Glyph.NuGet;
case WellKnownTags.Structure:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.StructureProtected,
Accessibility.Private => Glyph.StructurePrivate,
Accessibility.Internal => Glyph.StructureInternal,
_ => Glyph.StructurePublic,
};
case WellKnownTags.TypeParameter:
return Glyph.TypeParameter;
case WellKnownTags.Snippet:
return Glyph.Snippet;
case WellKnownTags.Warning:
return Glyph.CompletionWarning;
case WellKnownTags.StatusInformation:
return Glyph.StatusInformation;
}
return Glyph.None;
}
public static Accessibility GetAccessibility(ImmutableArray<string> tags)
{
foreach (var tag in tags)
{
switch (tag)
{
case WellKnownTags.Public:
return Accessibility.Public;
case WellKnownTags.Protected:
return Accessibility.Protected;
case WellKnownTags.Internal:
return Accessibility.Internal;
case WellKnownTags.Private:
return Accessibility.Private;
}
}
return Accessibility.NotApplicable;
}
}
}
| // 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.Tags;
namespace Microsoft.CodeAnalysis
{
internal static class GlyphExtensions
{
public static ImmutableArray<Glyph> GetGlyphs(this ImmutableArray<string> tags)
{
var builder = ImmutableArray.CreateBuilder<Glyph>(initialCapacity: tags.Length);
foreach (var tag in tags)
{
var glyph = GetGlyph(tag, tags);
if (glyph != Glyph.None)
{
builder.Add(glyph);
}
}
return builder.ToImmutable();
}
public static Glyph GetFirstGlyph(this ImmutableArray<string> tags)
{
var glyphs = GetGlyphs(tags);
return !glyphs.IsEmpty
? glyphs[0]
: Glyph.None;
}
private static Glyph GetGlyph(string tag, ImmutableArray<string> allTags)
{
switch (tag)
{
case WellKnownTags.Assembly:
return Glyph.Assembly;
case WellKnownTags.File:
return allTags.Contains(LanguageNames.VisualBasic) ? Glyph.BasicFile : Glyph.CSharpFile;
case WellKnownTags.Project:
return allTags.Contains(LanguageNames.VisualBasic) ? Glyph.BasicProject : Glyph.CSharpProject;
case WellKnownTags.Class:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ClassProtected,
Accessibility.Private => Glyph.ClassPrivate,
Accessibility.Internal => Glyph.ClassInternal,
_ => Glyph.ClassPublic,
};
case WellKnownTags.Constant:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ConstantProtected,
Accessibility.Private => Glyph.ConstantPrivate,
Accessibility.Internal => Glyph.ConstantInternal,
_ => Glyph.ConstantPublic,
};
case WellKnownTags.Delegate:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.DelegateProtected,
Accessibility.Private => Glyph.DelegatePrivate,
Accessibility.Internal => Glyph.DelegateInternal,
_ => Glyph.DelegatePublic,
};
case WellKnownTags.Enum:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.EnumProtected,
Accessibility.Private => Glyph.EnumPrivate,
Accessibility.Internal => Glyph.EnumInternal,
_ => Glyph.EnumPublic,
};
case WellKnownTags.EnumMember:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.EnumMemberProtected,
Accessibility.Private => Glyph.EnumMemberPrivate,
Accessibility.Internal => Glyph.EnumMemberInternal,
_ => Glyph.EnumMemberPublic,
};
case WellKnownTags.Error:
return Glyph.Error;
case WellKnownTags.Event:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.EventProtected,
Accessibility.Private => Glyph.EventPrivate,
Accessibility.Internal => Glyph.EventInternal,
_ => Glyph.EventPublic,
};
case WellKnownTags.ExtensionMethod:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ExtensionMethodProtected,
Accessibility.Private => Glyph.ExtensionMethodPrivate,
Accessibility.Internal => Glyph.ExtensionMethodInternal,
_ => Glyph.ExtensionMethodPublic,
};
case WellKnownTags.Field:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.FieldProtected,
Accessibility.Private => Glyph.FieldPrivate,
Accessibility.Internal => Glyph.FieldInternal,
_ => Glyph.FieldPublic,
};
case WellKnownTags.Interface:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.InterfaceProtected,
Accessibility.Private => Glyph.InterfacePrivate,
Accessibility.Internal => Glyph.InterfaceInternal,
_ => Glyph.InterfacePublic,
};
case WellKnownTags.TargetTypeMatch:
return Glyph.TargetTypeMatch;
case WellKnownTags.Intrinsic:
return Glyph.Intrinsic;
case WellKnownTags.Keyword:
return Glyph.Keyword;
case WellKnownTags.Label:
return Glyph.Label;
case WellKnownTags.Local:
return Glyph.Local;
case WellKnownTags.Namespace:
return Glyph.Namespace;
case WellKnownTags.Method:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.MethodProtected,
Accessibility.Private => Glyph.MethodPrivate,
Accessibility.Internal => Glyph.MethodInternal,
_ => Glyph.MethodPublic,
};
case WellKnownTags.Module:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.ModulePublic,
Accessibility.Private => Glyph.ModulePrivate,
Accessibility.Internal => Glyph.ModuleInternal,
_ => Glyph.ModulePublic,
};
case WellKnownTags.Folder:
return Glyph.OpenFolder;
case WellKnownTags.Operator:
return Glyph.Operator;
case WellKnownTags.Parameter:
return Glyph.Parameter;
case WellKnownTags.Property:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.PropertyProtected,
Accessibility.Private => Glyph.PropertyPrivate,
Accessibility.Internal => Glyph.PropertyInternal,
_ => Glyph.PropertyPublic,
};
case WellKnownTags.RangeVariable:
return Glyph.RangeVariable;
case WellKnownTags.Reference:
return Glyph.Reference;
case WellKnownTags.NuGet:
return Glyph.NuGet;
case WellKnownTags.Structure:
return (GetAccessibility(allTags)) switch
{
Accessibility.Protected => Glyph.StructureProtected,
Accessibility.Private => Glyph.StructurePrivate,
Accessibility.Internal => Glyph.StructureInternal,
_ => Glyph.StructurePublic,
};
case WellKnownTags.TypeParameter:
return Glyph.TypeParameter;
case WellKnownTags.Snippet:
return Glyph.Snippet;
case WellKnownTags.Warning:
return Glyph.CompletionWarning;
case WellKnownTags.StatusInformation:
return Glyph.StatusInformation;
}
return Glyph.None;
}
public static Accessibility GetAccessibility(ImmutableArray<string> tags)
{
foreach (var tag in tags)
{
switch (tag)
{
case WellKnownTags.Public:
return Accessibility.Public;
case WellKnownTags.Protected:
return Accessibility.Protected;
case WellKnownTags.Internal:
return Accessibility.Internal;
case WellKnownTags.Private:
return Accessibility.Private;
}
}
return Accessibility.NotApplicable;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/CSharpTest2/Recommendations/InitKeywordRecommenderTests.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
{
[Trait(Traits.Feature, Traits.Features.KeywordRecommending)]
public class InitKeywordRecommenderTests : KeywordRecommenderTests
{
[Fact]
public async Task TestNotAtRoot_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"$$");
}
[Fact]
public async Task TestNotAfterClass_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"class C { }
$$");
}
[Fact]
public async Task TestNotAfterGlobalStatement_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"System.Console.WriteLine();
$$");
}
[Fact]
public async Task TestNotAfterGlobalVariableDeclaration_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"int i = 0;
$$");
}
[Fact]
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]
public async Task TestNotInEmptyStatement()
{
await VerifyAbsenceAsync(AddInsideMethod(
@"$$"));
}
[Fact]
public async Task TestAfterProperty()
{
await VerifyKeywordAsync(
@"class C {
int Goo { $$");
}
[Fact]
public async Task TestAfterPropertyPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { private $$");
}
[Fact]
public async Task TestAfterPropertyAttribute()
{
await VerifyKeywordAsync(
@"class C {
int Goo { [Bar] $$");
}
[Fact]
public async Task TestAfterPropertyAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { [Bar] private $$");
}
[Fact]
public async Task TestAfterPropertyGet()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; $$");
}
[Fact]
public async Task TestAfterPropertyGetAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; private $$");
}
[Fact]
public async Task TestAfterPropertyGetAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; [Bar] $$");
}
[Fact]
public async Task TestAfterPropertyGetAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; [Bar] private $$");
}
[Fact]
public async Task TestAfterGetAccessorBlock()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } $$");
}
[Fact]
public async Task TestAfterSetAccessorBlock()
{
await VerifyKeywordAsync(
@"class C {
int Goo { set { } $$");
}
[Fact]
public async Task TestAfterGetAccessorBlockAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } private $$");
}
[Fact]
public async Task TestAfterGetAccessorBlockAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } [Bar] $$");
}
[Fact]
public async Task TestAfterGetAccessorBlockAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } [Bar] private $$");
}
[Fact]
public async Task TestNotAfterPropertySetKeyword()
{
await VerifyAbsenceAsync(
@"class C {
int Goo { set $$");
}
[Fact]
public async Task TestAfterPropertySetAccessor()
{
await VerifyKeywordAsync(
@"class C {
int Goo { set; $$");
}
[Fact]
public async Task TestNotInEvent()
{
await VerifyAbsenceAsync(
@"class C {
event Goo E { $$");
}
[Fact]
public async Task TestAfterIndexer()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { $$");
}
[Fact]
public async Task TestAfterIndexerPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { private $$");
}
[Fact]
public async Task TestAfterIndexerAttribute()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { [Bar] $$");
}
[Fact]
public async Task TestAfterIndexerAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { [Bar] private $$");
}
[Fact]
public async Task TestAfterIndexerGet()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; $$");
}
[Fact]
public async Task TestAfterIndexerGetAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; private $$");
}
[Fact]
public async Task TestAfterIndexerGetAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; [Bar] $$");
}
[Fact]
public async Task TestAfterIndexerGetAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; [Bar] private $$");
}
[Fact]
public async Task TestAfterIndexerGetBlock()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } $$");
}
[Fact]
public async Task TestAfterIndexerGetBlockAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } private $$");
}
[Fact]
public async Task TestAfterIndexerGetBlockAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } [Bar] $$");
}
[Fact]
public async Task TestAfterIndexerGetBlockAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } [Bar] private $$");
}
[Fact]
public async Task TestNotAfterIndexerSetKeyword()
{
await VerifyAbsenceAsync(
@"class C {
int this[int i] { set $$");
}
[Fact]
public async Task TestAfterIndexerSetAccessor()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { set; $$");
}
}
}
| // 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
{
[Trait(Traits.Feature, Traits.Features.KeywordRecommending)]
public class InitKeywordRecommenderTests : KeywordRecommenderTests
{
[Fact]
public async Task TestNotAtRoot_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"$$");
}
[Fact]
public async Task TestNotAfterClass_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"class C { }
$$");
}
[Fact]
public async Task TestNotAfterGlobalStatement_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"System.Console.WriteLine();
$$");
}
[Fact]
public async Task TestNotAfterGlobalVariableDeclaration_Interactive()
{
await VerifyAbsenceAsync(SourceCodeKind.Script,
@"int i = 0;
$$");
}
[Fact]
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]
public async Task TestNotInEmptyStatement()
{
await VerifyAbsenceAsync(AddInsideMethod(
@"$$"));
}
[Fact]
public async Task TestAfterProperty()
{
await VerifyKeywordAsync(
@"class C {
int Goo { $$");
}
[Fact]
public async Task TestAfterPropertyPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { private $$");
}
[Fact]
public async Task TestAfterPropertyAttribute()
{
await VerifyKeywordAsync(
@"class C {
int Goo { [Bar] $$");
}
[Fact]
public async Task TestAfterPropertyAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { [Bar] private $$");
}
[Fact]
public async Task TestAfterPropertyGet()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; $$");
}
[Fact]
public async Task TestAfterPropertyGetAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; private $$");
}
[Fact]
public async Task TestAfterPropertyGetAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; [Bar] $$");
}
[Fact]
public async Task TestAfterPropertyGetAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get; [Bar] private $$");
}
[Fact]
public async Task TestAfterGetAccessorBlock()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } $$");
}
[Fact]
public async Task TestAfterSetAccessorBlock()
{
await VerifyKeywordAsync(
@"class C {
int Goo { set { } $$");
}
[Fact]
public async Task TestAfterGetAccessorBlockAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } private $$");
}
[Fact]
public async Task TestAfterGetAccessorBlockAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } [Bar] $$");
}
[Fact]
public async Task TestAfterGetAccessorBlockAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int Goo { get { } [Bar] private $$");
}
[Fact]
public async Task TestNotAfterPropertySetKeyword()
{
await VerifyAbsenceAsync(
@"class C {
int Goo { set $$");
}
[Fact]
public async Task TestAfterPropertySetAccessor()
{
await VerifyKeywordAsync(
@"class C {
int Goo { set; $$");
}
[Fact]
public async Task TestNotInEvent()
{
await VerifyAbsenceAsync(
@"class C {
event Goo E { $$");
}
[Fact]
public async Task TestAfterIndexer()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { $$");
}
[Fact]
public async Task TestAfterIndexerPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { private $$");
}
[Fact]
public async Task TestAfterIndexerAttribute()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { [Bar] $$");
}
[Fact]
public async Task TestAfterIndexerAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { [Bar] private $$");
}
[Fact]
public async Task TestAfterIndexerGet()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; $$");
}
[Fact]
public async Task TestAfterIndexerGetAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; private $$");
}
[Fact]
public async Task TestAfterIndexerGetAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; [Bar] $$");
}
[Fact]
public async Task TestAfterIndexerGetAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get; [Bar] private $$");
}
[Fact]
public async Task TestAfterIndexerGetBlock()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } $$");
}
[Fact]
public async Task TestAfterIndexerGetBlockAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } private $$");
}
[Fact]
public async Task TestAfterIndexerGetBlockAndAttribute()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } [Bar] $$");
}
[Fact]
public async Task TestAfterIndexerGetBlockAndAttributeAndPrivate()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { get { } [Bar] private $$");
}
[Fact]
public async Task TestNotAfterIndexerSetKeyword()
{
await VerifyAbsenceAsync(
@"class C {
int this[int i] { set $$");
}
[Fact]
public async Task TestAfterIndexerSetAccessor()
{
await VerifyKeywordAsync(
@"class C {
int this[int i] { set; $$");
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/CSharp/Portable/Completion/KeywordRecommenders/UShortKeywordRecommender.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.Threading;
using Microsoft.CodeAnalysis.Completion;
using Microsoft.CodeAnalysis.CSharp.Extensions;
using Microsoft.CodeAnalysis.CSharp.Extensions.ContextQuery;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.CSharp.Utilities;
using Microsoft.CodeAnalysis.Shared.Extensions;
namespace Microsoft.CodeAnalysis.CSharp.Completion.KeywordRecommenders
{
internal class UShortKeywordRecommender : AbstractSpecialTypePreselectingKeywordRecommender
{
public UShortKeywordRecommender()
: base(SyntaxKind.UShortKeyword)
{
}
/// <summary>
/// We set the <see cref="MatchPriority"/> of this item less than the default value so that
/// completion selects the <see langword="using"/> keyword over it as the user starts typing.
/// </summary>
protected override int DefaultMatchPriority => MatchPriority.Default - 1;
protected override bool IsValidContext(int position, CSharpSyntaxContext context, CancellationToken cancellationToken)
{
var syntaxTree = context.SyntaxTree;
return
context.IsAnyExpressionContext ||
context.IsDefiniteCastTypeContext ||
context.IsStatementContext ||
context.IsGlobalStatementContext ||
context.IsObjectCreationTypeContext ||
(context.IsGenericTypeArgumentContext && !context.TargetToken.GetRequiredParent().HasAncestor<XmlCrefAttributeSyntax>()) ||
context.IsFunctionPointerTypeArgumentContext ||
context.IsEnumBaseListContext ||
context.IsIsOrAsTypeContext ||
context.IsLocalVariableDeclarationContext ||
context.IsFixedVariableDeclarationContext ||
context.IsParameterTypeContext ||
context.IsPossibleLambdaOrAnonymousMethodParameterTypeContext ||
context.IsImplicitOrExplicitOperatorTypeContext ||
context.IsPrimaryFunctionExpressionContext ||
context.IsCrefContext ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.ConstKeyword, cancellationToken) ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.RefKeyword, cancellationToken) ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.ReadOnlyKeyword, cancellationToken) ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.StackAllocKeyword, cancellationToken) ||
context.IsDelegateReturnTypeContext ||
syntaxTree.IsGlobalMemberDeclarationContext(position, SyntaxKindSet.AllGlobalMemberModifiers, cancellationToken) ||
context.IsPossibleTupleContext ||
context.IsMemberDeclarationContext(
validModifiers: SyntaxKindSet.AllMemberModifiers,
validTypeDeclarations: SyntaxKindSet.ClassInterfaceStructRecordTypeDeclarations,
canBePartial: false,
cancellationToken: cancellationToken);
}
protected override SpecialType SpecialType => SpecialType.System_UInt16;
}
}
| // 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.Threading;
using Microsoft.CodeAnalysis.Completion;
using Microsoft.CodeAnalysis.CSharp.Extensions;
using Microsoft.CodeAnalysis.CSharp.Extensions.ContextQuery;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.CSharp.Utilities;
using Microsoft.CodeAnalysis.Shared.Extensions;
namespace Microsoft.CodeAnalysis.CSharp.Completion.KeywordRecommenders
{
internal class UShortKeywordRecommender : AbstractSpecialTypePreselectingKeywordRecommender
{
public UShortKeywordRecommender()
: base(SyntaxKind.UShortKeyword)
{
}
/// <summary>
/// We set the <see cref="MatchPriority"/> of this item less than the default value so that
/// completion selects the <see langword="using"/> keyword over it as the user starts typing.
/// </summary>
protected override int DefaultMatchPriority => MatchPriority.Default - 1;
protected override bool IsValidContext(int position, CSharpSyntaxContext context, CancellationToken cancellationToken)
{
var syntaxTree = context.SyntaxTree;
return
context.IsAnyExpressionContext ||
context.IsDefiniteCastTypeContext ||
context.IsStatementContext ||
context.IsGlobalStatementContext ||
context.IsObjectCreationTypeContext ||
(context.IsGenericTypeArgumentContext && !context.TargetToken.GetRequiredParent().HasAncestor<XmlCrefAttributeSyntax>()) ||
context.IsFunctionPointerTypeArgumentContext ||
context.IsEnumBaseListContext ||
context.IsIsOrAsTypeContext ||
context.IsLocalVariableDeclarationContext ||
context.IsFixedVariableDeclarationContext ||
context.IsParameterTypeContext ||
context.IsPossibleLambdaOrAnonymousMethodParameterTypeContext ||
context.IsImplicitOrExplicitOperatorTypeContext ||
context.IsPrimaryFunctionExpressionContext ||
context.IsCrefContext ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.ConstKeyword, cancellationToken) ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.RefKeyword, cancellationToken) ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.ReadOnlyKeyword, cancellationToken) ||
syntaxTree.IsAfterKeyword(position, SyntaxKind.StackAllocKeyword, cancellationToken) ||
context.IsDelegateReturnTypeContext ||
syntaxTree.IsGlobalMemberDeclarationContext(position, SyntaxKindSet.AllGlobalMemberModifiers, cancellationToken) ||
context.IsPossibleTupleContext ||
context.IsMemberDeclarationContext(
validModifiers: SyntaxKindSet.AllMemberModifiers,
validTypeDeclarations: SyntaxKindSet.ClassInterfaceStructRecordTypeDeclarations,
canBePartial: false,
cancellationToken: cancellationToken);
}
protected override SpecialType SpecialType => SpecialType.System_UInt16;
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/CSharp/Portable/Wrapping/SeparatedSyntaxList/AbstractCSharpSeparatedSyntaxListWrapper.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.Indentation;
using Microsoft.CodeAnalysis.Wrapping.SeparatedSyntaxList;
namespace Microsoft.CodeAnalysis.CSharp.Wrapping.SeparatedSyntaxList
{
internal abstract class AbstractCSharpSeparatedSyntaxListWrapper<TListSyntax, TListItemSyntax>
: AbstractSeparatedSyntaxListWrapper<TListSyntax, TListItemSyntax>
where TListSyntax : SyntaxNode
where TListItemSyntax : SyntaxNode
{
protected AbstractCSharpSeparatedSyntaxListWrapper()
: base(CSharpIndentationService.Instance)
{
}
}
}
| // 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.Indentation;
using Microsoft.CodeAnalysis.Wrapping.SeparatedSyntaxList;
namespace Microsoft.CodeAnalysis.CSharp.Wrapping.SeparatedSyntaxList
{
internal abstract class AbstractCSharpSeparatedSyntaxListWrapper<TListSyntax, TListItemSyntax>
: AbstractSeparatedSyntaxListWrapper<TListSyntax, TListItemSyntax>
where TListSyntax : SyntaxNode
where TListItemSyntax : SyntaxNode
{
protected AbstractCSharpSeparatedSyntaxListWrapper()
: base(CSharpIndentationService.Instance)
{
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/CSharp/Test/CallHierarchy/CSharpCallHierarchyTests.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.Editor.UnitTests.CallHierarchy;
using Microsoft.CodeAnalysis.Test.Utilities;
using Roslyn.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.CallHierarchy
{
[UseExportProvider]
public class CSharpCallHierarchyTests
{
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InvokeOnMethod()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()");
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InvokeOnProperty()
{
var text = @"
namespace N
{
class C
{
public int G$$oo { get; set;}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo");
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InvokeOnEvent()
{
var text = @"
using System;
namespace N
{
class C
{
public event EventHandler Go$$o;
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo");
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_FindCalls()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
class G
{
void Main()
{
var c = new C();
c.Goo();
}
void Main2()
{
var c = new C();
c.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.G.Main()", "N.G.Main2()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_InterfaceImplementation()
{
var text = @"
namespace N
{
interface I
{
void Goo();
}
class C : I
{
public void G$$oo()
{
}
}
class G
{
void Main()
{
I c = new C();
c.Goo();
}
void Main2()
{
var c = new C();
c.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), string.Format(EditorFeaturesResources.Calls_To_Interface_Implementation_0, "N.I.Goo()") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.G.Main2()" });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_Interface_Implementation_0, "N.I.Goo()"), new[] { "N.G.Main()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_CallToOverride()
{
var text = @"
namespace N
{
class C
{
protected virtual void G$$oo() { }
}
class D : C
{
protected override void Goo() { }
void Bar()
{
C c;
c.Goo()
}
void Baz()
{
D d;
d.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), EditorFeaturesResources.Calls_To_Overrides });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.D.Bar()" });
testState.VerifyResult(root, EditorFeaturesResources.Calls_To_Overrides, new[] { "N.D.Baz()" });
}
[WpfFact, WorkItem(829705, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/829705"), Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_CallToBase()
{
var text = @"
namespace N
{
class C
{
protected virtual void Goo() { }
}
class D : C
{
protected override void Goo() { }
void Bar()
{
C c;
c.Goo()
}
void Baz()
{
D d;
d.Go$$o();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.D.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), string.Format(EditorFeaturesResources.Calls_To_Base_Member_0, "N.C.Goo()") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.D.Baz()" });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_Base_Member_0, "N.C.Goo()"), new[] { "N.D.Bar()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void FieldInitializers()
{
var text = @"
namespace N
{
class C
{
public int goo = Goo();
protected int Goo$$() { return 0; }
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo") });
testState.VerifyResultName(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { EditorFeaturesResources.Initializers });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void FieldReferences()
{
var text = @"
namespace N
{
class C
{
public int g$$oo = Goo();
protected int Goo() { goo = 3; }
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.goo", new[] { string.Format(EditorFeaturesResources.References_To_Field_0, "goo") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.References_To_Field_0, "goo"), new[] { "N.C.Goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void PropertyGet()
{
var text = @"
namespace N
{
class C
{
public int val
{
g$$et
{
return 0;
}
}
public int goo()
{
var x = this.val;
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.val.get", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "get_val") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "get_val"), new[] { "N.C.goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Generic()
{
var text = @"
namespace N
{
class C
{
public int gen$$eric<T>(this string generic, ref T stuff)
{
return 0;
}
public int goo()
{
int i;
generic("", ref i);
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.generic<T>(this string, ref T)", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "generic") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "generic"), new[] { "N.C.goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void ExtensionMethods()
{
var text = @"
namespace ConsoleApplication10
{
class Program
{
static void Main(string[] args)
{
var x = ""string"";
x.BarStr$$ing();
}
}
public static class Extensions
{
public static string BarString(this string s)
{
return s;
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "ConsoleApplication10.Extensions.BarString(this string)", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "BarString") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "BarString"), new[] { "ConsoleApplication10.Program.Main(string[])" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void GenericExtensionMethods()
{
var text = @"
using System.Collections.Generic;
using System.Linq;
namespace N
{
class Program
{
static void Main(string[] args)
{
List<int> x = new List<int>();
var z = x.Si$$ngle();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "System.Linq.Enumerable.Single<TSource>(this System.Collections.Generic.IEnumerable<TSource>)", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Single") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Single"), new[] { "N.Program.Main(string[])" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InterfaceImplementors()
{
var text = @"
namespace N
{
interface I
{
void Go$$o();
}
class C : I
{
public async Task Goo()
{
}
}
class G
{
void Main()
{
I c = new C();
c.Goo();
}
void Main2()
{
var c = new C();
c.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.I.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), string.Format(EditorFeaturesResources.Implements_0, "Goo") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.G.Main()" });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Implements_0, "Goo"), new[] { "N.C.Goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void NoFindOverridesOnSealedMethod()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
Assert.DoesNotContain("Overrides", root.SupportedSearchCategories.Select(s => s.DisplayName));
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void FindOverrides()
{
var text = @"
namespace N
{
class C
{
public virtual void G$$oo()
{
}
}
class G : C
{
public override void Goo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), EditorFeaturesResources.Overrides_ });
testState.VerifyResult(root, EditorFeaturesResources.Overrides_, new[] { "N.G.Goo()" });
}
[WorkItem(844613, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/844613")]
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void AbstractMethodInclusionToOverrides()
{
var text = @"
using System;
abstract class Base
{
public abstract void $$M();
}
class Derived : Base
{
public override void M()
{
throw new NotImplementedException();
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "Base.M()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "M"), EditorFeaturesResources.Overrides_, EditorFeaturesResources.Calls_To_Overrides });
testState.VerifyResult(root, EditorFeaturesResources.Overrides_, new[] { "Derived.M()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void SearchAfterEditWorks()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.Workspace.Documents.Single().GetTextBuffer().Insert(0, "/* hello */");
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), expectedCallers: new[] { "N.C.Goo()" });
}
}
}
| // 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.Editor.UnitTests.CallHierarchy;
using Microsoft.CodeAnalysis.Test.Utilities;
using Roslyn.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.CallHierarchy
{
[UseExportProvider]
public class CSharpCallHierarchyTests
{
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InvokeOnMethod()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()");
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InvokeOnProperty()
{
var text = @"
namespace N
{
class C
{
public int G$$oo { get; set;}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo");
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InvokeOnEvent()
{
var text = @"
using System;
namespace N
{
class C
{
public event EventHandler Go$$o;
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo");
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_FindCalls()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
class G
{
void Main()
{
var c = new C();
c.Goo();
}
void Main2()
{
var c = new C();
c.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.G.Main()", "N.G.Main2()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_InterfaceImplementation()
{
var text = @"
namespace N
{
interface I
{
void Goo();
}
class C : I
{
public void G$$oo()
{
}
}
class G
{
void Main()
{
I c = new C();
c.Goo();
}
void Main2()
{
var c = new C();
c.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), string.Format(EditorFeaturesResources.Calls_To_Interface_Implementation_0, "N.I.Goo()") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.G.Main2()" });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_Interface_Implementation_0, "N.I.Goo()"), new[] { "N.G.Main()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_CallToOverride()
{
var text = @"
namespace N
{
class C
{
protected virtual void G$$oo() { }
}
class D : C
{
protected override void Goo() { }
void Bar()
{
C c;
c.Goo()
}
void Baz()
{
D d;
d.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), EditorFeaturesResources.Calls_To_Overrides });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.D.Bar()" });
testState.VerifyResult(root, EditorFeaturesResources.Calls_To_Overrides, new[] { "N.D.Baz()" });
}
[WpfFact, WorkItem(829705, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/829705"), Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Method_CallToBase()
{
var text = @"
namespace N
{
class C
{
protected virtual void Goo() { }
}
class D : C
{
protected override void Goo() { }
void Bar()
{
C c;
c.Goo()
}
void Baz()
{
D d;
d.Go$$o();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.D.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), string.Format(EditorFeaturesResources.Calls_To_Base_Member_0, "N.C.Goo()") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.D.Baz()" });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_Base_Member_0, "N.C.Goo()"), new[] { "N.D.Bar()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void FieldInitializers()
{
var text = @"
namespace N
{
class C
{
public int goo = Goo();
protected int Goo$$() { return 0; }
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo") });
testState.VerifyResultName(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { EditorFeaturesResources.Initializers });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void FieldReferences()
{
var text = @"
namespace N
{
class C
{
public int g$$oo = Goo();
protected int Goo() { goo = 3; }
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.goo", new[] { string.Format(EditorFeaturesResources.References_To_Field_0, "goo") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.References_To_Field_0, "goo"), new[] { "N.C.Goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void PropertyGet()
{
var text = @"
namespace N
{
class C
{
public int val
{
g$$et
{
return 0;
}
}
public int goo()
{
var x = this.val;
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.val.get", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "get_val") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "get_val"), new[] { "N.C.goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void Generic()
{
var text = @"
namespace N
{
class C
{
public int gen$$eric<T>(this string generic, ref T stuff)
{
return 0;
}
public int goo()
{
int i;
generic("", ref i);
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.generic<T>(this string, ref T)", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "generic") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "generic"), new[] { "N.C.goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void ExtensionMethods()
{
var text = @"
namespace ConsoleApplication10
{
class Program
{
static void Main(string[] args)
{
var x = ""string"";
x.BarStr$$ing();
}
}
public static class Extensions
{
public static string BarString(this string s)
{
return s;
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "ConsoleApplication10.Extensions.BarString(this string)", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "BarString") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "BarString"), new[] { "ConsoleApplication10.Program.Main(string[])" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void GenericExtensionMethods()
{
var text = @"
using System.Collections.Generic;
using System.Linq;
namespace N
{
class Program
{
static void Main(string[] args)
{
List<int> x = new List<int>();
var z = x.Si$$ngle();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "System.Linq.Enumerable.Single<TSource>(this System.Collections.Generic.IEnumerable<TSource>)", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Single") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Single"), new[] { "N.Program.Main(string[])" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void InterfaceImplementors()
{
var text = @"
namespace N
{
interface I
{
void Go$$o();
}
class C : I
{
public async Task Goo()
{
}
}
class G
{
void Main()
{
I c = new C();
c.Goo();
}
void Main2()
{
var c = new C();
c.Goo();
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.I.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), string.Format(EditorFeaturesResources.Implements_0, "Goo") });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), new[] { "N.G.Main()" });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Implements_0, "Goo"), new[] { "N.C.Goo()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void NoFindOverridesOnSealedMethod()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
Assert.DoesNotContain("Overrides", root.SupportedSearchCategories.Select(s => s.DisplayName));
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void FindOverrides()
{
var text = @"
namespace N
{
class C
{
public virtual void G$$oo()
{
}
}
class G : C
{
public override void Goo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), EditorFeaturesResources.Overrides_ });
testState.VerifyResult(root, EditorFeaturesResources.Overrides_, new[] { "N.G.Goo()" });
}
[WorkItem(844613, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/844613")]
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void AbstractMethodInclusionToOverrides()
{
var text = @"
using System;
abstract class Base
{
public abstract void $$M();
}
class Derived : Base
{
public override void M()
{
throw new NotImplementedException();
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.VerifyRoot(root, "Base.M()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "M"), EditorFeaturesResources.Overrides_, EditorFeaturesResources.Calls_To_Overrides });
testState.VerifyResult(root, EditorFeaturesResources.Overrides_, new[] { "Derived.M()" });
}
[WpfFact, Trait(Traits.Feature, Traits.Features.CallHierarchy)]
public void SearchAfterEditWorks()
{
var text = @"
namespace N
{
class C
{
void G$$oo()
{
}
}
}";
using var testState = CallHierarchyTestState.Create(text);
var root = testState.GetRoot();
testState.Workspace.Documents.Single().GetTextBuffer().Insert(0, "/* hello */");
testState.VerifyRoot(root, "N.C.Goo()", new[] { string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), });
testState.VerifyResult(root, string.Format(EditorFeaturesResources.Calls_To_0, "Goo"), expectedCallers: new[] { "N.C.Goo()" });
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/VisualBasic/Portable/CodeCleanup/Providers/ReduceTokensCodeCleanupProvider.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.Collections.Immutable
Imports System.Composition
Imports System.Diagnostics.CodeAnalysis
Imports System.Globalization
Imports System.Runtime.InteropServices
Imports System.Text
Imports System.Threading
Imports Microsoft.CodeAnalysis
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.CodeCleanup.Providers
<ExportCodeCleanupProvider(PredefinedCodeCleanupProviderNames.ReduceTokens, LanguageNames.VisualBasic), [Shared]>
<ExtensionOrder(After:=PredefinedCodeCleanupProviderNames.AddMissingTokens, Before:=PredefinedCodeCleanupProviderNames.Format)>
Friend Class ReduceTokensCodeCleanupProvider
Inherits AbstractTokensCodeCleanupProvider
<ImportingConstructor>
<SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification:="https://github.com/dotnet/roslyn/issues/42820")>
Public Sub New()
End Sub
Public Overrides ReadOnly Property Name As String
Get
Return PredefinedCodeCleanupProviderNames.ReduceTokens
End Get
End Property
Protected Overrides Function GetRewriterAsync(document As Document, root As SyntaxNode, spans As ImmutableArray(Of TextSpan), workspace As Workspace, cancellationToken As CancellationToken) As Task(Of Rewriter)
Return Task.FromResult(Of Rewriter)(New ReduceTokensRewriter(spans, cancellationToken))
End Function
Private Class ReduceTokensRewriter
Inherits AbstractTokensCodeCleanupProvider.Rewriter
Public Sub New(spans As ImmutableArray(Of TextSpan), cancellationToken As CancellationToken)
MyBase.New(spans, cancellationToken)
End Sub
Public Overrides Function VisitLiteralExpression(node As LiteralExpressionSyntax) As SyntaxNode
Dim newNode = DirectCast(MyBase.VisitLiteralExpression(node), LiteralExpressionSyntax)
Dim literal As SyntaxToken = newNode.Token
Const digitSeparator = "_"c
' Pretty list floating and decimal literals.
Select Case literal.Kind
Case SyntaxKind.FloatingLiteralToken
' Get the literal identifier text which needs to be pretty listed.
Dim idText = literal.GetIdentifierText()
' Compiler has parsed the literal text as single/double value, fetch the string representation of this value.
Dim value As Double = 0
Dim valueText As String = GetFloatLiteralValueString(literal, value) + GetTypeCharString(literal.GetTypeCharacter())
If value = 0 OrElse idText.Contains(digitSeparator) Then
' Overflow/underflow case or zero literal, skip pretty listing.
Return newNode
End If
' If the string representation of the value differs from the identifier text, create a new literal token with same value but pretty listed "valueText".
If Not CaseInsensitiveComparison.Equals(valueText, idText) Then
Return newNode.ReplaceToken(literal, CreateLiteralToken(literal, valueText, value))
End If
Case SyntaxKind.DecimalLiteralToken
' Get the literal identifier text which needs to be pretty listed.
Dim idText = literal.GetIdentifierText()
Dim value = DirectCast(literal.Value, Decimal)
If value = 0 OrElse idText.Contains(digitSeparator) Then
' Overflow/underflow case or zero literal, skip pretty listing.
Return newNode
End If
' Compiler has parsed the literal text as a decimal value, fetch the string representation of this value.
Dim valueText As String = GetDecimalLiteralValueString(value) + GetTypeCharString(literal.GetTypeCharacter())
If Not CaseInsensitiveComparison.Equals(valueText, idText) Then
Return newNode.ReplaceToken(literal, CreateLiteralToken(literal, valueText, value))
End If
Case SyntaxKind.IntegerLiteralToken
' Get the literal identifier text which needs to be pretty listed.
Dim idText = literal.GetIdentifierText()
'The value will only ever be negative when we have a hex or oct value
'it's safe to cast to ULong as we check for negative values later
Dim value As ULong = CType(literal.Value, ULong)
If value = 0 AndAlso HasOverflow(literal.GetDiagnostics()) Then
'Overflow/underflow, skip pretty listing.
Return newNode
End If
Dim base = literal.GetBase()
If Not base.HasValue OrElse idText.Contains(digitSeparator) Then
Return newNode
End If
'fetch the string representation of this value in the correct base.
Dim valueText As String = GetIntegerLiteralValueString(literal.Value, base.Value) + GetTypeCharString(literal.GetTypeCharacter())
If Not CaseInsensitiveComparison.Equals(valueText, idText) Then
Return newNode.ReplaceToken(literal, CreateLiteralToken(literal, valueText, value))
End If
End Select
Return newNode
End Function
Private Shared Function GetTypeCharString(typeChar As TypeCharacter) As String
Select Case typeChar
Case TypeCharacter.Single
Return "!"
Case TypeCharacter.SingleLiteral
Return "F"
Case TypeCharacter.Double
Return "#"
Case TypeCharacter.DoubleLiteral
Return "R"
Case TypeCharacter.Decimal
Return "@"
Case TypeCharacter.DecimalLiteral
Return "D"
Case TypeCharacter.Integer
Return "%"
Case TypeCharacter.IntegerLiteral
Return "I"
Case TypeCharacter.ShortLiteral
Return "S"
Case TypeCharacter.Long
Return "&"
Case TypeCharacter.LongLiteral
Return "L"
Case TypeCharacter.UIntegerLiteral
Return "UI"
Case TypeCharacter.UShortLiteral
Return "US"
Case TypeCharacter.ULongLiteral
Return "UL"
Case Else
Return ""
End Select
End Function
Private Shared Function GetFloatLiteralValueString(literal As SyntaxToken, <Out> ByRef value As Double) As String
Dim isSingle As Boolean = literal.GetTypeCharacter() = TypeCharacter.Single OrElse literal.GetTypeCharacter() = TypeCharacter.SingleLiteral
' Get the string representation of the value using The Round-trip ("R") Format Specifier.
' MSDN comments about "R" format specifier:
' The round-trip ("R") format specifier guarantees that a numeric value that is converted to a string will be parsed back into the same numeric value.
' This format is supported only for the Single, Double, and BigInteger types.
' When a Single or Double value is formatted using this specifier, it is first tested using the general format, with 15 digits of precision for a Double and
' 7 digits of precision for a Single. If the value is successfully parsed back to the same numeric value, it is formatted using the general format specifier.
' If the value is not successfully parsed back to the same numeric value, it is formatted using 17 digits of precision for a Double and 9 digits of precision for a Single.
' Hence the possible actual precision values are:
' (a) Single: 7 or 9 and
' (b) Double: 15 or 17
Dim valueText As String = GetValueStringCore(literal, isSingle, "R", value)
' Floating point values might be represented either in fixed point notation or scientific/exponent notation.
' MSDN comment for Standard Numeric Format Strings used in Single.ToString(String) API (or Double.ToString(String)):
' Fixed-point notation is used if the exponent that would result from expressing the number in scientific notation is greater than -5 and
' less than the precision specifier; otherwise, scientific notation is used.
'
' However, Dev11 pretty lister differs from this for floating point values with exponent < 0.
' Instead of "greater than -5" mentioned above, it uses fixed point notation as long as exponent is greater than "-(precision + 2)".
' For example, consider pretty listing for Single literals:
' (i) Precision = 7
' 0.0000001234567F => 0.0000001234567F (exponent = -7: fixed point notation)
' 0.00000001234567F => 0.00000001234567F (exponent = -8: fixed point notation)
' 0.000000001234567F => 1.234567E-9F (exponent = -9: exponent notation)
' 0.0000000001234567F => 1.234567E-10F (exponent = -10: exponent notation)
' (ii) Precision = 9
' 0.0000000012345678F => 0.00000000123456778F (exponent = -9: fixed point notation)
' 0.00000000012345678F => 0.000000000123456786F (exponent = -10: fixed point notation)
' 0.000000000012345678F => 1.23456783E-11F (exponent = -11: exponent notation)
' 0.0000000000012345678F => 1.23456779E-12F (exponent = -12: exponent notation)
'
' We replicate the same behavior below
Dim exponentIndex As Integer = valueText.IndexOf("E"c)
If exponentIndex > 0 Then
Dim exponent = Integer.Parse(valueText.Substring(exponentIndex + 1), CultureInfo.InvariantCulture)
If exponent < 0 Then
Dim defaultPrecision As Integer = If(isSingle, 7, 15)
Dim numSignificantDigits = exponentIndex - 1 ' subtract 1 for the decimal point
Dim actualPrecision As Integer = If(numSignificantDigits > defaultPrecision, defaultPrecision + 2, defaultPrecision)
If exponent > -(actualPrecision + 2) Then
' Convert valueText to floating point notation.
' Prepend "0.00000.."
Dim prefix = "0." + New String("0"c, -exponent - 1)
' Get the significant digits string.
Dim significantDigitsStr = valueText.Substring(0, exponentIndex)
' Remove the existing decimal point, if any, from valueText.
If significantDigitsStr.Length > 1 AndAlso significantDigitsStr(1) = "."c Then
significantDigitsStr = significantDigitsStr.Remove(1, 1)
End If
Return prefix + significantDigitsStr
End If
End If
End If
' Single.ToString(String) might return result in exponential notation, where the exponent is formatted to at least 2 digits.
' Dev11 pretty lister is identical in all cases except when the exponent is exactly 2 digit with a leading zero, e.g. "2.3E+08F" or "2.3E-08F".
' Dev11 pretty lists these cases to "2.3E+8F" or "2.3E-8F" respectively; we do the same here.
If isSingle Then
' Check if valueText ends with "E+XX" or "E-XX"
If valueText.Length > 4 Then
If valueText.Length = exponentIndex + 4 Then
' Trim zero for these two cases: "E+0X" or "E-0X"
If valueText(exponentIndex + 2) = "0"c Then
valueText = valueText.Remove(exponentIndex + 2, 1)
End If
End If
End If
End If
' If the value is integral, then append ".0" to the valueText.
If Not valueText.Contains("."c) Then
Return If(exponentIndex > 0, valueText.Insert(exponentIndex, ".0"), valueText + ".0")
End If
Return valueText
End Function
Private Shared Function GetValueStringCore(literal As SyntaxToken, isSingle As Boolean, formatSpecifier As String, <Out> ByRef value As Double) As String
If isSingle Then
Dim singleValue = DirectCast(literal.Value, Single)
value = singleValue
Return singleValue.ToString(formatSpecifier, CultureInfo.InvariantCulture)
Else
value = DirectCast(literal.Value, Double)
Return value.ToString(formatSpecifier, CultureInfo.InvariantCulture)
End If
End Function
Private Shared Function GetDecimalLiteralValueString(value As Decimal) As String
' CONSIDER: If the parsed value is integral, i.e. has no decimal point, we should insert ".0" before "D" in the valueText (similar to the pretty listing for float literals).
' CONSIDER: However, native VB compiler doesn't do so for decimal literals, we will maintain compatibility.
' CONSIDER: We may want to consider taking a breaking change and make this consistent between float and decimal literals.
Dim valueText = value.ToString(CultureInfo.InvariantCulture)
' Trim any redundant zeros after the decimal point.
' If all the digits after the decimal point are 0, then trim the decimal point as well.
Dim parts As String() = valueText.Split("."c)
If parts.Length() > 1 Then
' We might have something like "1.000E+100". Ensure we only truncate the zeros before "E".
Dim partsAfterDot = parts(1).Split("E"c)
Dim stringToTruncate As String = partsAfterDot(0)
Dim truncatedString = stringToTruncate.TrimEnd("0"c)
If Not String.Equals(truncatedString, stringToTruncate, StringComparison.Ordinal) Then
Dim integralPart As String = parts(0)
Dim fractionPartOpt As String = If(truncatedString.Length > 0, "." + truncatedString, "")
Dim exponentPartOpt As String = If(partsAfterDot.Length > 1, "E" + partsAfterDot(1), "")
Return integralPart + fractionPartOpt + exponentPartOpt
End If
End If
Return valueText
End Function
Private Shared Function GetIntegerLiteralValueString(value As Object, base As LiteralBase) As String
Select Case base
Case LiteralBase.Decimal
Return CType(value, ULong).ToString(CultureInfo.InvariantCulture)
Case LiteralBase.Hexadecimal
Return "&H" + ConvertToULong(value).ToString("X")
Case LiteralBase.Octal
Dim val1 As ULong = ConvertToULong(value)
Return "&O" + ConvertToOctalString(val1)
Case LiteralBase.Binary
Dim asLong = CType(ConvertToULong(value), Long)
Return "&B" + Convert.ToString(asLong, 2)
Case Else
Throw ExceptionUtilities.UnexpectedValue(base)
End Select
End Function
Private Shared Function CreateLiteralToken(token As SyntaxToken, newValueString As String, newValue As Object) As SyntaxToken
' create a new token with valid token text and carries over annotations attached to original token to be a good citizen
' it might be replacing a token that has annotation injected by other code cleanups
Dim leading = If(token.LeadingTrivia.Count > 0, token.LeadingTrivia, SyntaxTriviaList.Create(SyntaxFactory.ElasticMarker))
Dim trailing = If(token.TrailingTrivia.Count > 0, token.TrailingTrivia, SyntaxTriviaList.Create(SyntaxFactory.ElasticMarker))
Select Case token.Kind
Case SyntaxKind.FloatingLiteralToken
Return token.CopyAnnotationsTo(SyntaxFactory.FloatingLiteralToken(leading, newValueString, token.GetTypeCharacter(), DirectCast(newValue, Double), trailing))
Case SyntaxKind.DecimalLiteralToken
Return token.CopyAnnotationsTo(SyntaxFactory.DecimalLiteralToken(leading, newValueString, token.GetTypeCharacter(), DirectCast(newValue, Decimal), trailing))
Case SyntaxKind.IntegerLiteralToken
Return token.CopyAnnotationsTo(SyntaxFactory.IntegerLiteralToken(leading, newValueString, token.GetBase().Value, token.GetTypeCharacter(), DirectCast(newValue, ULong), trailing))
Case Else
Throw ExceptionUtilities.UnexpectedValue(token.Kind)
End Select
End Function
Private Shared Function ConvertToOctalString(value As ULong) As String
Dim exponent As ULong = value
Dim builder As New StringBuilder()
If value = 0 Then
Return "0"
End If
While (exponent > 0)
Dim remainder = exponent Mod 8UL
builder.Insert(0, remainder)
exponent = exponent \ 8UL
End While
Return builder.ToString()
End Function
Private Shared Function HasOverflow(diagnostics As IEnumerable(Of Diagnostic)) As Boolean
Return diagnostics.Any(Function(diagnostic As Diagnostic) diagnostic.Id = "BC30036")
End Function
Private Shared Function ConvertToULong(value As Object) As ULong
'Cannot convert directly to ULong from Short or Integer as negative numbers
'appear to have all bits above the current bit range set to 1
'so short value -32768 or binary 1000000000000000 becomes
'binary 1111111111111111111111111111111111111111111111111000000000000000
'or in decimal 18446744073709518848
'This will cause the subsequent conversion to a hex or octal string to output an incorrect value
If TypeOf (value) Is Short Then
Return CType(value, UShort)
ElseIf TypeOf (value) Is Integer Then
Return CType(value, UInteger)
Else
Return CType(value, ULong)
End If
End Function
End Class
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.Collections.Immutable
Imports System.Composition
Imports System.Diagnostics.CodeAnalysis
Imports System.Globalization
Imports System.Runtime.InteropServices
Imports System.Text
Imports System.Threading
Imports Microsoft.CodeAnalysis
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.CodeCleanup.Providers
<ExportCodeCleanupProvider(PredefinedCodeCleanupProviderNames.ReduceTokens, LanguageNames.VisualBasic), [Shared]>
<ExtensionOrder(After:=PredefinedCodeCleanupProviderNames.AddMissingTokens, Before:=PredefinedCodeCleanupProviderNames.Format)>
Friend Class ReduceTokensCodeCleanupProvider
Inherits AbstractTokensCodeCleanupProvider
<ImportingConstructor>
<SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification:="https://github.com/dotnet/roslyn/issues/42820")>
Public Sub New()
End Sub
Public Overrides ReadOnly Property Name As String
Get
Return PredefinedCodeCleanupProviderNames.ReduceTokens
End Get
End Property
Protected Overrides Function GetRewriterAsync(document As Document, root As SyntaxNode, spans As ImmutableArray(Of TextSpan), workspace As Workspace, cancellationToken As CancellationToken) As Task(Of Rewriter)
Return Task.FromResult(Of Rewriter)(New ReduceTokensRewriter(spans, cancellationToken))
End Function
Private Class ReduceTokensRewriter
Inherits AbstractTokensCodeCleanupProvider.Rewriter
Public Sub New(spans As ImmutableArray(Of TextSpan), cancellationToken As CancellationToken)
MyBase.New(spans, cancellationToken)
End Sub
Public Overrides Function VisitLiteralExpression(node As LiteralExpressionSyntax) As SyntaxNode
Dim newNode = DirectCast(MyBase.VisitLiteralExpression(node), LiteralExpressionSyntax)
Dim literal As SyntaxToken = newNode.Token
Const digitSeparator = "_"c
' Pretty list floating and decimal literals.
Select Case literal.Kind
Case SyntaxKind.FloatingLiteralToken
' Get the literal identifier text which needs to be pretty listed.
Dim idText = literal.GetIdentifierText()
' Compiler has parsed the literal text as single/double value, fetch the string representation of this value.
Dim value As Double = 0
Dim valueText As String = GetFloatLiteralValueString(literal, value) + GetTypeCharString(literal.GetTypeCharacter())
If value = 0 OrElse idText.Contains(digitSeparator) Then
' Overflow/underflow case or zero literal, skip pretty listing.
Return newNode
End If
' If the string representation of the value differs from the identifier text, create a new literal token with same value but pretty listed "valueText".
If Not CaseInsensitiveComparison.Equals(valueText, idText) Then
Return newNode.ReplaceToken(literal, CreateLiteralToken(literal, valueText, value))
End If
Case SyntaxKind.DecimalLiteralToken
' Get the literal identifier text which needs to be pretty listed.
Dim idText = literal.GetIdentifierText()
Dim value = DirectCast(literal.Value, Decimal)
If value = 0 OrElse idText.Contains(digitSeparator) Then
' Overflow/underflow case or zero literal, skip pretty listing.
Return newNode
End If
' Compiler has parsed the literal text as a decimal value, fetch the string representation of this value.
Dim valueText As String = GetDecimalLiteralValueString(value) + GetTypeCharString(literal.GetTypeCharacter())
If Not CaseInsensitiveComparison.Equals(valueText, idText) Then
Return newNode.ReplaceToken(literal, CreateLiteralToken(literal, valueText, value))
End If
Case SyntaxKind.IntegerLiteralToken
' Get the literal identifier text which needs to be pretty listed.
Dim idText = literal.GetIdentifierText()
'The value will only ever be negative when we have a hex or oct value
'it's safe to cast to ULong as we check for negative values later
Dim value As ULong = CType(literal.Value, ULong)
If value = 0 AndAlso HasOverflow(literal.GetDiagnostics()) Then
'Overflow/underflow, skip pretty listing.
Return newNode
End If
Dim base = literal.GetBase()
If Not base.HasValue OrElse idText.Contains(digitSeparator) Then
Return newNode
End If
'fetch the string representation of this value in the correct base.
Dim valueText As String = GetIntegerLiteralValueString(literal.Value, base.Value) + GetTypeCharString(literal.GetTypeCharacter())
If Not CaseInsensitiveComparison.Equals(valueText, idText) Then
Return newNode.ReplaceToken(literal, CreateLiteralToken(literal, valueText, value))
End If
End Select
Return newNode
End Function
Private Shared Function GetTypeCharString(typeChar As TypeCharacter) As String
Select Case typeChar
Case TypeCharacter.Single
Return "!"
Case TypeCharacter.SingleLiteral
Return "F"
Case TypeCharacter.Double
Return "#"
Case TypeCharacter.DoubleLiteral
Return "R"
Case TypeCharacter.Decimal
Return "@"
Case TypeCharacter.DecimalLiteral
Return "D"
Case TypeCharacter.Integer
Return "%"
Case TypeCharacter.IntegerLiteral
Return "I"
Case TypeCharacter.ShortLiteral
Return "S"
Case TypeCharacter.Long
Return "&"
Case TypeCharacter.LongLiteral
Return "L"
Case TypeCharacter.UIntegerLiteral
Return "UI"
Case TypeCharacter.UShortLiteral
Return "US"
Case TypeCharacter.ULongLiteral
Return "UL"
Case Else
Return ""
End Select
End Function
Private Shared Function GetFloatLiteralValueString(literal As SyntaxToken, <Out> ByRef value As Double) As String
Dim isSingle As Boolean = literal.GetTypeCharacter() = TypeCharacter.Single OrElse literal.GetTypeCharacter() = TypeCharacter.SingleLiteral
' Get the string representation of the value using The Round-trip ("R") Format Specifier.
' MSDN comments about "R" format specifier:
' The round-trip ("R") format specifier guarantees that a numeric value that is converted to a string will be parsed back into the same numeric value.
' This format is supported only for the Single, Double, and BigInteger types.
' When a Single or Double value is formatted using this specifier, it is first tested using the general format, with 15 digits of precision for a Double and
' 7 digits of precision for a Single. If the value is successfully parsed back to the same numeric value, it is formatted using the general format specifier.
' If the value is not successfully parsed back to the same numeric value, it is formatted using 17 digits of precision for a Double and 9 digits of precision for a Single.
' Hence the possible actual precision values are:
' (a) Single: 7 or 9 and
' (b) Double: 15 or 17
Dim valueText As String = GetValueStringCore(literal, isSingle, "R", value)
' Floating point values might be represented either in fixed point notation or scientific/exponent notation.
' MSDN comment for Standard Numeric Format Strings used in Single.ToString(String) API (or Double.ToString(String)):
' Fixed-point notation is used if the exponent that would result from expressing the number in scientific notation is greater than -5 and
' less than the precision specifier; otherwise, scientific notation is used.
'
' However, Dev11 pretty lister differs from this for floating point values with exponent < 0.
' Instead of "greater than -5" mentioned above, it uses fixed point notation as long as exponent is greater than "-(precision + 2)".
' For example, consider pretty listing for Single literals:
' (i) Precision = 7
' 0.0000001234567F => 0.0000001234567F (exponent = -7: fixed point notation)
' 0.00000001234567F => 0.00000001234567F (exponent = -8: fixed point notation)
' 0.000000001234567F => 1.234567E-9F (exponent = -9: exponent notation)
' 0.0000000001234567F => 1.234567E-10F (exponent = -10: exponent notation)
' (ii) Precision = 9
' 0.0000000012345678F => 0.00000000123456778F (exponent = -9: fixed point notation)
' 0.00000000012345678F => 0.000000000123456786F (exponent = -10: fixed point notation)
' 0.000000000012345678F => 1.23456783E-11F (exponent = -11: exponent notation)
' 0.0000000000012345678F => 1.23456779E-12F (exponent = -12: exponent notation)
'
' We replicate the same behavior below
Dim exponentIndex As Integer = valueText.IndexOf("E"c)
If exponentIndex > 0 Then
Dim exponent = Integer.Parse(valueText.Substring(exponentIndex + 1), CultureInfo.InvariantCulture)
If exponent < 0 Then
Dim defaultPrecision As Integer = If(isSingle, 7, 15)
Dim numSignificantDigits = exponentIndex - 1 ' subtract 1 for the decimal point
Dim actualPrecision As Integer = If(numSignificantDigits > defaultPrecision, defaultPrecision + 2, defaultPrecision)
If exponent > -(actualPrecision + 2) Then
' Convert valueText to floating point notation.
' Prepend "0.00000.."
Dim prefix = "0." + New String("0"c, -exponent - 1)
' Get the significant digits string.
Dim significantDigitsStr = valueText.Substring(0, exponentIndex)
' Remove the existing decimal point, if any, from valueText.
If significantDigitsStr.Length > 1 AndAlso significantDigitsStr(1) = "."c Then
significantDigitsStr = significantDigitsStr.Remove(1, 1)
End If
Return prefix + significantDigitsStr
End If
End If
End If
' Single.ToString(String) might return result in exponential notation, where the exponent is formatted to at least 2 digits.
' Dev11 pretty lister is identical in all cases except when the exponent is exactly 2 digit with a leading zero, e.g. "2.3E+08F" or "2.3E-08F".
' Dev11 pretty lists these cases to "2.3E+8F" or "2.3E-8F" respectively; we do the same here.
If isSingle Then
' Check if valueText ends with "E+XX" or "E-XX"
If valueText.Length > 4 Then
If valueText.Length = exponentIndex + 4 Then
' Trim zero for these two cases: "E+0X" or "E-0X"
If valueText(exponentIndex + 2) = "0"c Then
valueText = valueText.Remove(exponentIndex + 2, 1)
End If
End If
End If
End If
' If the value is integral, then append ".0" to the valueText.
If Not valueText.Contains("."c) Then
Return If(exponentIndex > 0, valueText.Insert(exponentIndex, ".0"), valueText + ".0")
End If
Return valueText
End Function
Private Shared Function GetValueStringCore(literal As SyntaxToken, isSingle As Boolean, formatSpecifier As String, <Out> ByRef value As Double) As String
If isSingle Then
Dim singleValue = DirectCast(literal.Value, Single)
value = singleValue
Return singleValue.ToString(formatSpecifier, CultureInfo.InvariantCulture)
Else
value = DirectCast(literal.Value, Double)
Return value.ToString(formatSpecifier, CultureInfo.InvariantCulture)
End If
End Function
Private Shared Function GetDecimalLiteralValueString(value As Decimal) As String
' CONSIDER: If the parsed value is integral, i.e. has no decimal point, we should insert ".0" before "D" in the valueText (similar to the pretty listing for float literals).
' CONSIDER: However, native VB compiler doesn't do so for decimal literals, we will maintain compatibility.
' CONSIDER: We may want to consider taking a breaking change and make this consistent between float and decimal literals.
Dim valueText = value.ToString(CultureInfo.InvariantCulture)
' Trim any redundant zeros after the decimal point.
' If all the digits after the decimal point are 0, then trim the decimal point as well.
Dim parts As String() = valueText.Split("."c)
If parts.Length() > 1 Then
' We might have something like "1.000E+100". Ensure we only truncate the zeros before "E".
Dim partsAfterDot = parts(1).Split("E"c)
Dim stringToTruncate As String = partsAfterDot(0)
Dim truncatedString = stringToTruncate.TrimEnd("0"c)
If Not String.Equals(truncatedString, stringToTruncate, StringComparison.Ordinal) Then
Dim integralPart As String = parts(0)
Dim fractionPartOpt As String = If(truncatedString.Length > 0, "." + truncatedString, "")
Dim exponentPartOpt As String = If(partsAfterDot.Length > 1, "E" + partsAfterDot(1), "")
Return integralPart + fractionPartOpt + exponentPartOpt
End If
End If
Return valueText
End Function
Private Shared Function GetIntegerLiteralValueString(value As Object, base As LiteralBase) As String
Select Case base
Case LiteralBase.Decimal
Return CType(value, ULong).ToString(CultureInfo.InvariantCulture)
Case LiteralBase.Hexadecimal
Return "&H" + ConvertToULong(value).ToString("X")
Case LiteralBase.Octal
Dim val1 As ULong = ConvertToULong(value)
Return "&O" + ConvertToOctalString(val1)
Case LiteralBase.Binary
Dim asLong = CType(ConvertToULong(value), Long)
Return "&B" + Convert.ToString(asLong, 2)
Case Else
Throw ExceptionUtilities.UnexpectedValue(base)
End Select
End Function
Private Shared Function CreateLiteralToken(token As SyntaxToken, newValueString As String, newValue As Object) As SyntaxToken
' create a new token with valid token text and carries over annotations attached to original token to be a good citizen
' it might be replacing a token that has annotation injected by other code cleanups
Dim leading = If(token.LeadingTrivia.Count > 0, token.LeadingTrivia, SyntaxTriviaList.Create(SyntaxFactory.ElasticMarker))
Dim trailing = If(token.TrailingTrivia.Count > 0, token.TrailingTrivia, SyntaxTriviaList.Create(SyntaxFactory.ElasticMarker))
Select Case token.Kind
Case SyntaxKind.FloatingLiteralToken
Return token.CopyAnnotationsTo(SyntaxFactory.FloatingLiteralToken(leading, newValueString, token.GetTypeCharacter(), DirectCast(newValue, Double), trailing))
Case SyntaxKind.DecimalLiteralToken
Return token.CopyAnnotationsTo(SyntaxFactory.DecimalLiteralToken(leading, newValueString, token.GetTypeCharacter(), DirectCast(newValue, Decimal), trailing))
Case SyntaxKind.IntegerLiteralToken
Return token.CopyAnnotationsTo(SyntaxFactory.IntegerLiteralToken(leading, newValueString, token.GetBase().Value, token.GetTypeCharacter(), DirectCast(newValue, ULong), trailing))
Case Else
Throw ExceptionUtilities.UnexpectedValue(token.Kind)
End Select
End Function
Private Shared Function ConvertToOctalString(value As ULong) As String
Dim exponent As ULong = value
Dim builder As New StringBuilder()
If value = 0 Then
Return "0"
End If
While (exponent > 0)
Dim remainder = exponent Mod 8UL
builder.Insert(0, remainder)
exponent = exponent \ 8UL
End While
Return builder.ToString()
End Function
Private Shared Function HasOverflow(diagnostics As IEnumerable(Of Diagnostic)) As Boolean
Return diagnostics.Any(Function(diagnostic As Diagnostic) diagnostic.Id = "BC30036")
End Function
Private Shared Function ConvertToULong(value As Object) As ULong
'Cannot convert directly to ULong from Short or Integer as negative numbers
'appear to have all bits above the current bit range set to 1
'so short value -32768 or binary 1000000000000000 becomes
'binary 1111111111111111111111111111111111111111111111111000000000000000
'or in decimal 18446744073709518848
'This will cause the subsequent conversion to a hex or octal string to output an incorrect value
If TypeOf (value) Is Short Then
Return CType(value, UShort)
ElseIf TypeOf (value) Is Integer Then
Return CType(value, UInteger)
Else
Return CType(value, ULong)
End If
End Function
End Class
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/SharedUtilitiesAndExtensions/Compiler/Core/Utilities/CancellableLazy.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 Roslyn.Utilities
{
internal static class CancellableLazy
{
public static CancellableLazy<T> Create<T>(T value)
=> new(value);
public static CancellableLazy<T> Create<T>(Func<CancellationToken, T> valueFactory)
=> new(valueFactory);
}
}
| // 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 Roslyn.Utilities
{
internal static class CancellableLazy
{
public static CancellableLazy<T> Create<T>(T value)
=> new(value);
public static CancellableLazy<T> Create<T>(Func<CancellationToken, T> valueFactory)
=> new(valueFactory);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Symbols/SymbolVisitor`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.
#nullable disable
using Microsoft.CodeAnalysis.CSharp.Symbols;
namespace Microsoft.CodeAnalysis.CSharp
{
internal abstract class CSharpSymbolVisitor<TResult>
{
public virtual TResult Visit(Symbol symbol)
{
return (object)symbol == null
? default(TResult)
: symbol.Accept(this);
}
public virtual TResult DefaultVisit(Symbol symbol)
{
return default(TResult);
}
public virtual TResult VisitAlias(AliasSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitArrayType(ArrayTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitAssembly(AssemblySymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitDynamicType(DynamicTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitDiscard(DiscardSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitEvent(EventSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitField(FieldSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitLabel(LabelSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitLocal(LocalSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitMethod(MethodSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitModule(ModuleSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitNamedType(NamedTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitNamespace(NamespaceSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitParameter(ParameterSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitPointerType(PointerTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitFunctionPointerType(FunctionPointerTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitProperty(PropertySymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitRangeVariable(RangeVariableSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitTypeParameter(TypeParameterSymbol symbol)
{
return DefaultVisit(symbol);
}
}
}
| // 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.Symbols;
namespace Microsoft.CodeAnalysis.CSharp
{
internal abstract class CSharpSymbolVisitor<TResult>
{
public virtual TResult Visit(Symbol symbol)
{
return (object)symbol == null
? default(TResult)
: symbol.Accept(this);
}
public virtual TResult DefaultVisit(Symbol symbol)
{
return default(TResult);
}
public virtual TResult VisitAlias(AliasSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitArrayType(ArrayTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitAssembly(AssemblySymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitDynamicType(DynamicTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitDiscard(DiscardSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitEvent(EventSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitField(FieldSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitLabel(LabelSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitLocal(LocalSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitMethod(MethodSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitModule(ModuleSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitNamedType(NamedTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitNamespace(NamespaceSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitParameter(ParameterSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitPointerType(PointerTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitFunctionPointerType(FunctionPointerTypeSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitProperty(PropertySymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitRangeVariable(RangeVariableSymbol symbol)
{
return DefaultVisit(symbol);
}
public virtual TResult VisitTypeParameter(TypeParameterSymbol symbol)
{
return DefaultVisit(symbol);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Portable/SymbolDisplay/SymbolDisplayVisitor_Constants.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.Reflection
Namespace Microsoft.CodeAnalysis.VisualBasic
Partial Friend Class SymbolDisplayVisitor
Protected Overrides Sub AddBitwiseOr()
AddKeyword(SyntaxKind.OrKeyword)
End Sub
Protected Overrides Sub AddExplicitlyCastedLiteralValue(namedType As INamedTypeSymbol, type As SpecialType, value As Object)
' VB doesn't actually need to cast a literal value to get an enum value. So we just add
' the literal value directly.
AddLiteralValue(type, value)
End Sub
Protected Overrides Sub AddLiteralValue(type As SpecialType, value As Object)
Debug.Assert(value.GetType().GetTypeInfo().IsPrimitive OrElse TypeOf value Is String OrElse TypeOf value Is Decimal OrElse TypeOf value Is DateTime)
Select Case type
Case SpecialType.System_String
SymbolDisplay.AddSymbolDisplayParts(builder, DirectCast(value, String))
Case SpecialType.System_Char
SymbolDisplay.AddSymbolDisplayParts(builder, DirectCast(value, Char))
Case Else
Dim valueString = SymbolDisplay.FormatPrimitive(value, quoteStrings:=True, useHexadecimalNumbers:=False)
Me.builder.Add(CreatePart(SymbolDisplayPartKind.NumericLiteral, Nothing, valueString, False))
End Select
End Sub
''' <summary> Append a default argument (i.e. the default argument of an optional parameter).
''' Assumed to be non-null.
''' </summary>
Private Sub AddConstantValue(type As ITypeSymbol, constantValue As Object, Optional preferNumericValueOrExpandedFlagsForEnum As Boolean = False)
If constantValue IsNot Nothing Then
AddNonNullConstantValue(type, constantValue, preferNumericValueOrExpandedFlagsForEnum)
Else
AddKeyword(SyntaxKind.NothingKeyword)
End If
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.
Imports System.Reflection
Namespace Microsoft.CodeAnalysis.VisualBasic
Partial Friend Class SymbolDisplayVisitor
Protected Overrides Sub AddBitwiseOr()
AddKeyword(SyntaxKind.OrKeyword)
End Sub
Protected Overrides Sub AddExplicitlyCastedLiteralValue(namedType As INamedTypeSymbol, type As SpecialType, value As Object)
' VB doesn't actually need to cast a literal value to get an enum value. So we just add
' the literal value directly.
AddLiteralValue(type, value)
End Sub
Protected Overrides Sub AddLiteralValue(type As SpecialType, value As Object)
Debug.Assert(value.GetType().GetTypeInfo().IsPrimitive OrElse TypeOf value Is String OrElse TypeOf value Is Decimal OrElse TypeOf value Is DateTime)
Select Case type
Case SpecialType.System_String
SymbolDisplay.AddSymbolDisplayParts(builder, DirectCast(value, String))
Case SpecialType.System_Char
SymbolDisplay.AddSymbolDisplayParts(builder, DirectCast(value, Char))
Case Else
Dim valueString = SymbolDisplay.FormatPrimitive(value, quoteStrings:=True, useHexadecimalNumbers:=False)
Me.builder.Add(CreatePart(SymbolDisplayPartKind.NumericLiteral, Nothing, valueString, False))
End Select
End Sub
''' <summary> Append a default argument (i.e. the default argument of an optional parameter).
''' Assumed to be non-null.
''' </summary>
Private Sub AddConstantValue(type As ITypeSymbol, constantValue As Object, Optional preferNumericValueOrExpandedFlagsForEnum As Boolean = False)
If constantValue IsNot Nothing Then
AddNonNullConstantValue(type, constantValue, preferNumericValueOrExpandedFlagsForEnum)
Else
AddKeyword(SyntaxKind.NothingKeyword)
End If
End Sub
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Test/Symbol/Symbols/IndexerTests.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 System.Collections.Immutable;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Symbols.Metadata.PE;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.CSharp.Test.Utilities;
using Microsoft.CodeAnalysis.Test.Utilities;
using Roslyn.Test.Utilities;
using Roslyn.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.UnitTests.Symbols
{
public class IndexerTests : CSharpTestBase
{
[ClrOnlyFact]
public void Indexers()
{
var source =
@"using System.Runtime.CompilerServices;
class C
{
[IndexerName(""P"")]
internal string this[string index]
{
get { return null; }
set { }
}
}
interface I
{
object this[int i, params object[] args] { set; }
}
struct S
{
internal object this[string x]
{
get { return null; }
}
}";
Action<ModuleSymbol> validator = module =>
{
var type = module.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
CheckIndexer(type.Indexers.Single(), true, true, SpecialType.System_String, SpecialType.System_String);
type = module.GlobalNamespace.GetMember<NamedTypeSymbol>("I");
CheckIndexer(type.Indexers.Single(), false, true, SpecialType.System_Object, SpecialType.System_Int32, SpecialType.None);
type = module.GlobalNamespace.GetMember<NamedTypeSymbol>("S");
CheckIndexer(type.Indexers.Single(), true, false, SpecialType.System_Object, SpecialType.System_String);
};
CompileAndVerify(
source: source,
sourceSymbolValidator: validator,
symbolValidator: validator,
options: TestOptions.ReleaseDll.WithMetadataImportOptions(MetadataImportOptions.Internal));
}
[ClrOnlyFact]
public void InterfaceImplementations()
{
var source =
@"using System.Runtime.CompilerServices;
interface IA
{
object this[string index] { get; set; }
}
interface IB
{
object this[string index] { get; }
}
interface IC
{
[IndexerName(""P"")]
object this[string index] { get; set; }
}
class A : IA, IB, IC
{
object IA.this[string index]
{
get { return null; }
set { }
}
object IB.this[string index]
{
get { return null; }
}
object IC.this[string index]
{
get { return null; }
set { }
}
}
class B : IA, IB, IC
{
public object this[string index]
{
get { return null; }
set { }
}
}
class C : IB, IC
{
[IndexerName(""Q"")]
public object this[string index]
{
get { return null; }
set { }
}
}";
var compilation = CompileAndVerify(source);
compilation.VerifyDiagnostics();
var globalNamespace = (NamespaceSymbol)((CSharpCompilation)compilation.Compilation).GlobalNamespace;
var type = globalNamespace.GetMember<NamedTypeSymbol>("IA");
CheckIndexer(type.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
type = globalNamespace.GetMember<NamedTypeSymbol>("IB");
CheckIndexer(type.Indexers.Single(), true, false, SpecialType.System_Object, SpecialType.System_String);
type = globalNamespace.GetMember<NamedTypeSymbol>("IC");
CheckIndexer(type.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
type = globalNamespace.GetMember<NamedTypeSymbol>("A");
var typeAProperties = type.GetMembers().Where(m => m.Kind == SymbolKind.Property).Cast<PropertySymbol>().ToArray();
Assert.Equal(3, typeAProperties.Length);
CheckIndexer(typeAProperties[0], true, true, SpecialType.System_Object, SpecialType.System_String);
CheckIndexer(typeAProperties[1], true, false, SpecialType.System_Object, SpecialType.System_String);
CheckIndexer(typeAProperties[2], true, true, SpecialType.System_Object, SpecialType.System_String);
var sourceType = globalNamespace.GetMember<SourceNamedTypeSymbol>("B");
CheckIndexer(sourceType.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
var bridgeMethods = sourceType.GetSynthesizedExplicitImplementations(CancellationToken.None).ForwardingMethods;
Assert.Equal(2, bridgeMethods.Length);
Assert.True(bridgeMethods.Select(GetPairForSynthesizedExplicitImplementation).SetEquals(new[]
{
new KeyValuePair<string, string>("System.Object IC.this[System.String index].get", "System.Object B.this[System.String index].get"),
new KeyValuePair<string, string>("void IC.this[System.String index].set", "void B.this[System.String index].set"),
}));
sourceType = globalNamespace.GetMember<SourceNamedTypeSymbol>("C");
CheckIndexer(sourceType.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
bridgeMethods = sourceType.GetSynthesizedExplicitImplementations(CancellationToken.None).ForwardingMethods;
Assert.Equal(3, bridgeMethods.Length);
Assert.True(bridgeMethods.Select(GetPairForSynthesizedExplicitImplementation).SetEquals(new[]
{
new KeyValuePair<string, string>("System.Object IB.this[System.String index].get", "System.Object C.this[System.String index].get"),
new KeyValuePair<string, string>("System.Object IC.this[System.String index].get", "System.Object C.this[System.String index].get"),
new KeyValuePair<string, string>("void IC.this[System.String index].set", "void C.this[System.String index].set"),
}));
}
private static KeyValuePair<string, string> GetPairForSynthesizedExplicitImplementation(SynthesizedExplicitImplementationForwardingMethod bridge)
{
return new KeyValuePair<string, string>(bridge.ExplicitInterfaceImplementations.Single().ToTestDisplayString(), bridge.ImplementingMethod.ToTestDisplayString());
}
private static void CheckIndexer(PropertySymbol property, bool hasGet, bool hasSet, SpecialType expectedType, params SpecialType[] expectedParameterTypes)
{
Assert.NotNull(property);
Assert.True(property.IsIndexer);
Assert.Equal(property.Type.SpecialType, expectedType);
CheckParameters(property.Parameters, expectedParameterTypes);
var getter = property.GetMethod;
if (hasGet)
{
Assert.NotNull(getter);
Assert.Equal(getter.ReturnType.SpecialType, expectedType);
CheckParameters(getter.Parameters, expectedParameterTypes);
}
else
{
Assert.Null(getter);
}
var setter = property.SetMethod;
if (hasSet)
{
Assert.NotNull(setter);
Assert.True(setter.ReturnsVoid);
CheckParameters(setter.Parameters, expectedParameterTypes.Concat(new[] { expectedType }).ToArray());
}
else
{
Assert.Null(setter);
}
Assert.Equal(property.GetMethod != null, hasGet);
Assert.Equal(property.SetMethod != null, hasSet);
}
private static void CheckParameters(ImmutableArray<ParameterSymbol> parameters, SpecialType[] expectedTypes)
{
Assert.Equal(parameters.Length, expectedTypes.Length);
for (int i = 0; i < expectedTypes.Length; i++)
{
var parameter = parameters[i];
Assert.Equal(parameter.Ordinal, i);
Assert.Equal(parameter.Type.SpecialType, expectedTypes[i]);
}
}
[Fact]
public void OverloadResolution()
{
var source =
@"class C
{
int this[int x, int y]
{
get { return 0; }
}
int F(C c)
{
return this[0] +
c[0, c] +
c[1, 2, 3];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (9,16): error CS7036: There is no argument given that corresponds to the required formal parameter 'y' of 'C.this[int, int]'
Diagnostic(ErrorCode.ERR_NoCorrespondingArgument, "this[0]").WithArguments("y", "C.this[int, int]").WithLocation(9, 16),
// (10,18): error CS1503: Argument 2: cannot convert from 'C' to 'int'
Diagnostic(ErrorCode.ERR_BadArgType, "c").WithArguments("2", "C", "int").WithLocation(10, 18),
// (11,13): error CS1501: No overload for method 'this' takes 3 arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "c[1, 2, 3]").WithArguments("this", "3").WithLocation(11, 13));
}
[Fact]
public void OverridingHiddenIndexer()
{
var source =
@"
using System.Runtime.CompilerServices;
public class A
{
public virtual int this[int x] { get { return 0; } }
}
public class B : A
{
// Even though the user has specified a name for this indexer that
// doesn't match the name of the base class accessor, we expect
// it to hide A's indexer in subclasses (i.e. C).
[IndexerName(""NotItem"")]
public int this[int x] { get { return 0; } } //NB: not virtual
}
public class C : B
{
public override int this[int x] { get { return 0; } }
}";
var compilation = CreateCompilation(source);
// NOTE: we could eliminate WRN_NewOrOverrideExpected by putting a "new" modifier on B.this[]
compilation.VerifyDiagnostics(
// (15,16): warning CS0114: 'B.this[int]' hides inherited member 'A.this[int]'. To make the current member override that implementation, add the override keyword. Otherwise add the new keyword.
Diagnostic(ErrorCode.WRN_NewOrOverrideExpected, "this").WithArguments("B.this[int]", "A.this[int]"),
// (20,25): error CS0506: 'C.this[int]': cannot override inherited member 'B.this[int]' because it is not marked virtual, abstract, or override
Diagnostic(ErrorCode.ERR_CantOverrideNonVirtual, "this").WithArguments("C.this[int]", "B.this[int]"));
var classC = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var indexerC = classC.Indexers.Single();
Assert.Null(indexerC.OverriddenProperty);
Assert.Null(indexerC.GetMethod.OverriddenMethod);
}
[Fact]
public void ImplicitlyImplementingIndexersWithDifferentNames_DifferentInterfaces_Source()
{
var text = @"
using System.Runtime.CompilerServices;
interface I1
{
[IndexerName(""A"")]
int this[int x] { get; }
}
interface I2
{
[IndexerName(""B"")]
int this[int x] { get; }
}
class C : I1, I2
{
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(text);
compilation.VerifyDiagnostics();
var interface1 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interface1Indexer = interface1.Indexers.Single();
var interface2 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I2");
var interface2Indexer = interface2.Indexers.Single();
var @class = compilation.GlobalNamespace.GetMember<SourceNamedTypeSymbol>("C");
var classIndexer = @class.Indexers.Single();
// All of the indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, classIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface1Indexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface2Indexer.Name);
// All of the indexers have different MetadataNames
Assert.NotEqual(interface1Indexer.MetadataName, interface2Indexer.MetadataName);
Assert.NotEqual(interface1Indexer.MetadataName, classIndexer.MetadataName);
Assert.NotEqual(interface2Indexer.MetadataName, classIndexer.MetadataName);
// classIndexer implements both
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface1Indexer));
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface2Indexer));
var synthesizedExplicitImplementations = @class.GetSynthesizedExplicitImplementations(default(CancellationToken)).ForwardingMethods;
Assert.Equal(2, synthesizedExplicitImplementations.Length);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[0].ImplementingMethod);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[1].ImplementingMethod);
var interface1Getter = interface1Indexer.GetMethod;
var interface2Getter = interface2Indexer.GetMethod;
var interface1GetterImpl = synthesizedExplicitImplementations[0].ExplicitInterfaceImplementations.Single();
var interface2GetterImpl = synthesizedExplicitImplementations[1].ExplicitInterfaceImplementations.Single();
Assert.True(interface1Getter == interface1GetterImpl ^ interface1Getter == interface2GetterImpl);
Assert.True(interface2Getter == interface1GetterImpl ^ interface2Getter == interface2GetterImpl);
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void ImplicitlyImplementingIndexersWithDifferentNames_DifferentInterfaces_Metadata()
{
var il = @"
.class interface public abstract auto ansi I1
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('A')}
.method public hidebysig newslot specialname abstract virtual
instance int32 get_A(int32 x) cil managed
{
} // end of method I1::get_A
.property instance int32 A(int32)
{
.get instance int32 I1::get_A(int32)
} // end of property I1::A
} // end of class I1
.class interface public abstract auto ansi I2
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('B')}
.method public hidebysig newslot specialname abstract virtual
instance int32 get_B(int32 x) cil managed
{
} // end of method I2::get_B
.property instance int32 B(int32)
{
.get instance int32 I2::get_B(int32)
} // end of property I2::B
} // end of class I2
";
var csharp = @"
class C : I1, I2
{
public int this[int x] { get { return 0; } }
}
";
CompileWithCustomILSource(csharp, il, compilation =>
{
var interface1 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interface1Indexer = interface1.Indexers.Single();
var interface2 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I2");
var interface2Indexer = interface2.Indexers.Single();
var @class = compilation.GlobalNamespace.GetMember<SourceNamedTypeSymbol>("C");
var classIndexer = @class.Indexers.Single();
// All of the indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, classIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface1Indexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface2Indexer.Name);
// All of the indexers have different MetadataNames
Assert.NotEqual(interface1Indexer.MetadataName, interface2Indexer.MetadataName);
Assert.NotEqual(interface1Indexer.MetadataName, classIndexer.MetadataName);
Assert.NotEqual(interface2Indexer.MetadataName, classIndexer.MetadataName);
// classIndexer implements both
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface1Indexer));
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface2Indexer));
var synthesizedExplicitImplementations = @class.GetSynthesizedExplicitImplementations(default(CancellationToken)).ForwardingMethods;
Assert.Equal(2, synthesizedExplicitImplementations.Length);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[0].ImplementingMethod);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[1].ImplementingMethod);
var interface1Getter = interface1Indexer.GetMethod;
var interface2Getter = interface2Indexer.GetMethod;
var interface1GetterImpl = synthesizedExplicitImplementations[0].ExplicitInterfaceImplementations.Single();
var interface2GetterImpl = synthesizedExplicitImplementations[1].ExplicitInterfaceImplementations.Single();
Assert.True(interface1Getter == interface1GetterImpl ^ interface1Getter == interface2GetterImpl);
Assert.True(interface2Getter == interface1GetterImpl ^ interface2Getter == interface2GetterImpl);
});
}
/// <summary>
/// Metadata type has two indexers with the same signature but different names.
/// Both are implicitly implemented by a single source indexer.
/// </summary>
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void ImplicitlyImplementingIndexersWithDifferentNames_SameInterface()
{
var il = @"
.class interface public abstract auto ansi I1
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('getter')}
.method public hidebysig newslot specialname abstract virtual
instance int32 getter(int32 x) cil managed
{
} // end of method I1::getter
.property instance int32 A(int32)
{
.get instance int32 I1::getter(int32)
} // end of property I1::A
.property instance int32 B(int32)
{
.get instance int32 I1::getter(int32)
} // end of property I1::B
} // end of class I1
";
var csharp = @"
class C : I1
{
public int this[int x] { get { return 0; } }
}
";
CompileWithCustomILSource(csharp, il, compilation =>
{
var @interface = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interfaceIndexers = @interface.Indexers;
Assert.Equal(2, interfaceIndexers.Length);
Assert.Equal(interfaceIndexers[0].ToTestDisplayString(), interfaceIndexers[1].ToTestDisplayString());
var @class = compilation.GlobalNamespace.GetMember<SourceNamedTypeSymbol>("C");
var classIndexer = @class.Indexers.Single();
// classIndexer implements both
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interfaceIndexers[0]));
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interfaceIndexers[1]));
var synthesizedExplicitImplementation = @class.GetSynthesizedExplicitImplementations(default(CancellationToken)).ForwardingMethods.Single();
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementation.ImplementingMethod);
Assert.Equal(interfaceIndexers[0].GetMethod, synthesizedExplicitImplementation.ExplicitInterfaceImplementations.Single());
Assert.Equal(interfaceIndexers[1].GetMethod, synthesizedExplicitImplementation.ExplicitInterfaceImplementations.Single());
});
}
/// <summary>
/// Metadata type has two indexers with the same signature but different names.
/// Both are explicitly implemented by a single source indexer, resulting in an
/// ambiguity error.
/// </summary>
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void AmbiguousExplicitIndexerImplementation()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class interface public abstract auto ansi I1
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('get_Item')}
.method public hidebysig newslot specialname abstract virtual
instance int32 get_Item(int32 x) cil managed
{
} // end of method I1::get_Item
.property instance int32 A(int32)
{
.get instance int32 I1::get_Item(int32)
} // end of property I1::A
.property instance int32 B(int32)
{
.get instance int32 I1::get_Item(int32)
} // end of property I1::B
} // end of class I1
";
var csharp1 = @"
class C : I1
{
int I1.this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp1, il).VerifyDiagnostics(
// (4,12): warning CS0473: Explicit interface implementation 'C.I1.this[int]' matches more than one interface member. Which interface member is actually chosen is implementation-dependent. Consider using a non-explicit implementation instead.
Diagnostic(ErrorCode.WRN_ExplicitImplCollision, "this").WithArguments("C.I1.this[int]"),
// (2,7): error CS0535: 'C' does not implement interface member 'I1.this[int]'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "I1").WithArguments("C", "I1.this[int]"));
var @interface = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interfaceIndexers = @interface.Indexers;
Assert.Equal(2, interfaceIndexers.Length);
Assert.Equal(interfaceIndexers[0].ToTestDisplayString(), interfaceIndexers[1].ToTestDisplayString());
var @class = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var classIndexer = @class.GetProperty("I1.this[]");
// One is implemented, the other is not (unspecified which)
var indexer0Impl = @class.FindImplementationForInterfaceMember(interfaceIndexers[0]);
var indexer1Impl = @class.FindImplementationForInterfaceMember(interfaceIndexers[1]);
Assert.True(indexer0Impl == classIndexer ^ indexer1Impl == classIndexer);
Assert.True(indexer0Impl == null ^ indexer1Impl == null);
var csharp2 = @"
class C : I1
{
public int this[int x] { get { return 0; } }
}
";
compilation = CreateCompilationWithILAndMscorlib40(csharp2, il).VerifyDiagnostics();
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void HidingIndexerWithDifferentName()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('A')}
.method public hidebysig specialname instance int32
get_A(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::get_A(int32)
} // end of property Base::A
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp, il);
compilation.VerifyDiagnostics(
// (4,16): warning CS0108: 'Derived.this[int]' hides inherited member 'Base.this[int]'. Use the new keyword if hiding was intended.
Diagnostic(ErrorCode.WRN_NewRequired, "this").WithArguments("Derived.this[int]", "Base.this[int]"));
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexer = baseClass.Indexers.Single();
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// The indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexer.Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexer.MetadataName, derivedIndexer.MetadataName);
Assert.Equal(baseIndexer, derivedIndexer.OverriddenOrHiddenMembers.HiddenMembers.Single());
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void OverridingIndexerWithDifferentName()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('A')}
.method public hidebysig newslot specialname virtual
instance int32 get_A(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::get_A(int32)
} // end of property Base::A
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public override int this[int x] { get { return 0; } }
}
";
CompileWithCustomILSource(csharp, il, compilation =>
{
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexer = baseClass.Indexers.Single();
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// Rhe indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexer.Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexer.MetadataName, derivedIndexer.MetadataName);
Assert.Equal(baseIndexer, derivedIndexer.OverriddenProperty);
});
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void HidingMultipleIndexers()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('getter')}
.method public hidebysig specialname instance int32
getter(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::A
.property instance int32 B(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::B
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp, il);
// As in dev10, we report only the first hidden member.
compilation.VerifyDiagnostics(
// (4,16): warning CS0108: 'Derived.this[int]' hides inherited member 'Base.this[int]'. Use the new keyword if hiding was intended.
Diagnostic(ErrorCode.WRN_NewRequired, "this").WithArguments("Derived.this[int]", "Base.this[int]"));
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexers = baseClass.Indexers;
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// The indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[0].Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[1].Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexers[0].MetadataName, baseIndexers[1].MetadataName);
Assert.NotEqual(baseIndexers[0].MetadataName, derivedIndexer.MetadataName);
Assert.NotEqual(baseIndexers[1].MetadataName, derivedIndexer.MetadataName);
// classIndexer implements both
var hiddenMembers = derivedIndexer.OverriddenOrHiddenMembers.HiddenMembers;
Assert.Equal(2, hiddenMembers.Length);
Assert.Contains(baseIndexers[0], hiddenMembers);
Assert.Contains(baseIndexers[1], hiddenMembers);
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void OverridingMultipleIndexers()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('getter')}
.method public hidebysig newslot specialname virtual
instance int32 getter(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::A
.property instance int32 B(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::B
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public override int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp, il).VerifyDiagnostics(
// (4,25): error CS0462: The inherited members 'Base.this[int]' and 'Base.this[int]' have the same signature in type 'Derived', so they cannot be overridden
Diagnostic(ErrorCode.ERR_AmbigOverride, "this").WithArguments("Base.this[int]", "Base.this[int]", "Derived"));
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexers = baseClass.Indexers;
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// The indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[0].Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[1].Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexers[0].MetadataName, baseIndexers[1].MetadataName);
Assert.NotEqual(baseIndexers[0].MetadataName, derivedIndexer.MetadataName);
Assert.NotEqual(baseIndexers[1].MetadataName, derivedIndexer.MetadataName);
// classIndexer implements both
var overriddenMembers = derivedIndexer.OverriddenOrHiddenMembers.OverriddenMembers;
Assert.Equal(2, overriddenMembers.Length);
Assert.Contains(baseIndexers[0], overriddenMembers);
Assert.Contains(baseIndexers[1], overriddenMembers);
}
[Fact]
public void IndexerAccessErrors()
{
var source =
@"class C
{
public int this[int x, long y] { get { return x; } set { } }
void M(C c)
{
c[0] = c[0, 0, 0]; //wrong number of arguments
c[true, 1] = c[y: 1, x: long.MaxValue]; //wrong argument types
c[1, x: 1] = c[x: 1, 2]; //bad mix of named and positional
this[q: 1, r: 2] = base[0]; //bad parameter names / no indexer
}
}";
CreateCompilation(source, parseOptions: TestOptions.Regular7_1).VerifyDiagnostics(
// (7,9): error CS7036: There is no argument given that corresponds to the required formal parameter 'y' of 'C.this[int, long]'
// c[0] = c[0, 0, 0]; //wrong number of arguments
Diagnostic(ErrorCode.ERR_NoCorrespondingArgument, "c[0]").WithArguments("y", "C.this[int, long]").WithLocation(7, 9),
// (7,16): error CS1501: No overload for method 'this' takes 3 arguments
// c[0] = c[0, 0, 0]; //wrong number of arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "c[0, 0, 0]").WithArguments("this", "3").WithLocation(7, 16),
// (8,11): error CS1503: Argument 1: cannot convert from 'bool' to 'int'
// c[true, 1] = c[y: 1, x: long.MaxValue]; //wrong argument types
Diagnostic(ErrorCode.ERR_BadArgType, "true").WithArguments("1", "bool", "int").WithLocation(8, 11),
// (8,33): error CS1503: Argument 2: cannot convert from 'long' to 'int'
// c[true, 1] = c[y: 1, x: long.MaxValue]; //wrong argument types
Diagnostic(ErrorCode.ERR_BadArgType, "long.MaxValue").WithArguments("2", "long", "int").WithLocation(8, 33),
// (9,14): error CS1744: Named argument 'x' specifies a parameter for which a positional argument has already been given
// c[1, x: 1] = c[x: 1, 2]; //bad mix of named and positional
Diagnostic(ErrorCode.ERR_NamedArgumentUsedInPositional, "x").WithArguments("x").WithLocation(9, 14),
// (9,30): error CS1738: Named argument specifications must appear after all fixed arguments have been specified. Please use language version 7.2 or greater to allow non-trailing named arguments.
// c[1, x: 1] = c[x: 1, 2]; //bad mix of named and positional
Diagnostic(ErrorCode.ERR_NamedArgumentSpecificationBeforeFixedArgument, "2").WithArguments("7.2").WithLocation(9, 30),
// (10,14): error CS1739: The best overload for 'this' does not have a parameter named 'q'
// this[q: 1, r: 2] = base[0]; //bad parameter names / no indexer
Diagnostic(ErrorCode.ERR_BadNamedArgument, "q").WithArguments("this", "q").WithLocation(10, 14),
// (10,28): error CS0021: Cannot apply indexing with [] to an expression of type 'object'
// this[q: 1, r: 2] = base[0]; //bad parameter names / no indexer
Diagnostic(ErrorCode.ERR_BadIndexLHS, "base[0]").WithArguments("object").WithLocation(10, 28)
);
}
[Fact]
public void OverloadResolutionOnIndexersNotAccessors()
{
var source =
@"class C
{
public int this[int x] { set { } }
public int this[int x, double d = 1] { get { return x; } set { } }
void M(C c)
{
int x = c[0]; //pick the first overload, even though it has no getter and the second would work
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (8,17): error CS0154: The property or indexer 'C.this[int]' cannot be used in this context because it lacks the get accessor
Diagnostic(ErrorCode.ERR_PropertyLacksGet, "c[0]").WithArguments("C.this[int]"));
}
[Fact]
public void UseExplicitInterfaceImplementationAccessor()
{
var source =
@"interface I
{
int this[int x] { get; }
}
class C : I
{
int I.this[int x] { get { return x; } }
void M(C c)
{
int x = c[0]; // no indexer found
int y = ((I)c)[0];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (13,17): error CS0021: Cannot apply indexing with [] to an expression of type 'C'
Diagnostic(ErrorCode.ERR_BadIndexLHS, "c[0]").WithArguments("C"));
}
[Fact]
public void UsePropertyAndAccessorsDirectly()
{
var source =
@"class C
{
int this[int x] { get { return x; } set { } }
void M(C c)
{
int x = c.Item[1]; //CS1061 - no such member
int y = c.get_Item(1); //CS0571 - use the indexer
c.set_Item(y); //CS0571 - use the indexer
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (7,19): error CS1061: 'C' does not contain a definition for 'Item' and no extension method 'Item' accepting a first argument of type 'C' could be found (are you missing a using directive or an assembly reference?)
Diagnostic(ErrorCode.ERR_NoSuchMemberOrExtension, "Item").WithArguments("C", "Item"),
// (8,19): error CS0571: 'C.this[int].get': cannot explicitly call operator or accessor
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("C.this[int].get"),
// (9,11): error CS0571: 'C.this[int].set': cannot explicitly call operator or accessor
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "set_Item").WithArguments("C.this[int].set"));
}
[Fact]
public void NestedIndexerAccesses()
{
var source =
@"class C
{
C this[int x] { get { return this; } set { } }
int[] this[char x] { get { return null; } set { } }
void M(C c)
{
int x = c[0][1][2][3]['a'][1]; //fine
}
}";
CreateCompilation(source).VerifyDiagnostics();
}
[Fact]
public void NamedParameters()
{
var source =
@"class C
{
int this[int x, string y, char z] { get { return x; } }
void M(C c)
{
int x;
x = c[x: 0, y: ""hello"", z:'a'];
x = c[0, y: ""hello"", z:'a'];
x = c[0, ""hello"", z:'a'];
x = c[0, ""hello"", 'a'];
x = c[z: 'a', x: 0, y: ""hello""]; //all reordered
x = c[0, z:'a', y: ""hello""]; //some reordered
}
}";
CreateCompilation(source).VerifyDiagnostics();
}
[Fact]
public void OptionalParameters()
{
var source =
@"class C
{
int this[int x = 1, string y = ""goodbye"", char z = 'b'] { get { return x; } }
void M(C c)
{
int x;
x = this[]; //CS0443 - can't omit all
x = c[x: 0];
x = c[y: ""hello""];
x = c[z:'a'];
x = c[x: 0, y: ""hello""];
x = c[x: 0, z:'a'];
x = c[y: ""hello"", z:'a'];
x = c[x: 0, y: ""hello"", z:'a'];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (8,18): error CS0443: Syntax error; value expected
Diagnostic(ErrorCode.ERR_ValueExpected, "]"));
}
[Fact]
public void ParameterArray()
{
var source =
@"class C
{
int this[params int[] args] { get { return 0; } }
int this[char c, params char[] args] { get { return 0; } }
void M(C c)
{
int x;
x = this[]; //CS0443 - can't omit all
x = c[0];
x = c[0, 1];
x = c[0, 1, 2];
x = c[new int[3]];
x = c[args: new int[3]];
x = c['a'];
x = c['a', 'b'];
x = c['a', 'b', 'c'];
x = c['a', new char[3]];
x = c['a', args: new char[3]];
x = c[args: new char[3], c: 'a'];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (9,18): error CS0443: Syntax error; value expected
Diagnostic(ErrorCode.ERR_ValueExpected, "]"));
}
[Fact]
public void StaticIndexer()
{
var source =
@"class C
{
// Illegal, but we shouldn't blow up
public static int this[char c] { get { return 0; } } //CS0106 - illegal modifier
public static void Main()
{
int x = C['a']; //CS0119 - can't use a type here
int y = new C()['a']; //we don't even check for this kind of error because it's always cascading
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (4,23): error CS0106: The modifier 'static' is not valid for this item
Diagnostic(ErrorCode.ERR_BadMemberFlag, "this").WithArguments("static").WithLocation(4, 23),
// (8,17): error CS0119: 'C' is a 'type', which is not valid in the given context
Diagnostic(ErrorCode.ERR_BadSKunknown, "C").WithArguments("C", "type").WithLocation(8, 17));
}
[Fact]
public void OverridingAndHidingWithExplicitIndexerName()
{
var source =
@"using System;
using System.Runtime.CompilerServices;
public class A
{
public virtual int this[int x]
{
get
{
Console.WriteLine(""A"");
return 0;
}
}
}
public class B : A
{
[IndexerName(""NotItem"")]
public int this[int x]
{
get
{
Console.WriteLine(""B"");
return 0;
}
}
}
public class C : B
{
public override int this[int x]
{
get
{
Console.WriteLine(""C"");
return 0;
}
}
}";
// Doesn't matter that B's indexer has an explicit name - the symbols are all called "this[]".
CreateCompilation(source).VerifyDiagnostics(
// (19,16): warning CS0114: 'B.this[int]' hides inherited member 'A.this[int]'. To make the current member override that implementation, add the override keyword. Otherwise add the new keyword.
Diagnostic(ErrorCode.WRN_NewOrOverrideExpected, "this").WithArguments("B.this[int]", "A.this[int]"),
// (31,25): error CS0506: 'C.this[int]': cannot override inherited member 'B.this[int]' because it is not marked virtual, abstract, or override
Diagnostic(ErrorCode.ERR_CantOverrideNonVirtual, "this").WithArguments("C.this[int]", "B.this[int]"));
}
[ClrOnlyFact]
public void CanBeReferencedByName()
{
var source = @"
interface I
{
event System.Action E;
int P { get; set; }
int this[int x] { set; }
}
class C : I
{
event System.Action I.E { add { } remove { } }
public event System.Action E;
int I.P { get; set; }
public int P { get; set; }
int I.this[int x] { set { } }
public int this[int x] { set { } }
}
";
Func<bool, Action<ModuleSymbol>> validator = isFromSource => module =>
{
var globalNamespace = module.GlobalNamespace;
var compilation = module.DeclaringCompilation;
Assert.Equal(isFromSource, compilation != null);
//// Source interface
var @interface = globalNamespace.GetMember<NamedTypeSymbol>("I");
if (isFromSource)
{
Assert.True(@interface.IsFromCompilation(compilation));
}
var interfaceEvent = @interface.GetMember<EventSymbol>("E");
var interfaceProperty = @interface.GetMember<PropertySymbol>("P");
var interfaceIndexer = @interface.Indexers.Single();
Assert.True(interfaceEvent.CanBeReferencedByName);
Assert.True(interfaceProperty.CanBeReferencedByName);
Assert.False(interfaceIndexer.CanBeReferencedByName);
//// Source class
var @class = globalNamespace.GetMember<NamedTypeSymbol>("C");
if (isFromSource)
{
Assert.True(@class.IsFromCompilation(compilation));
}
var classEventImpl = @class.GetMembers().Where(m => m.GetExplicitInterfaceImplementations().Contains(interfaceEvent)).Single();
var classPropertyImpl = @class.GetMembers().Where(m => m.GetExplicitInterfaceImplementations().Contains(interfaceProperty)).Single();
var classIndexerImpl = @class.GetMembers().Where(m => m.GetExplicitInterfaceImplementations().Contains(interfaceIndexer)).Single();
Assert.False(classEventImpl.CanBeReferencedByName);
Assert.False(classPropertyImpl.CanBeReferencedByName);
Assert.False(classIndexerImpl.CanBeReferencedByName);
var classEvent = @class.GetMember<EventSymbol>("E");
var classProperty = @class.GetMember<PropertySymbol>("P");
var classIndexer = @class.Indexers.Single();
Assert.True(classEvent.CanBeReferencedByName);
Assert.True(classProperty.CanBeReferencedByName);
Assert.False(classIndexer.CanBeReferencedByName);
};
CompileAndVerify(source, sourceSymbolValidator: validator(true), symbolValidator: validator(false));
}
[Fact]
public void RegressFinalValidationAssert()
{
var source =
@"class C
{
int this[int x] { get { return x; } }
void M()
{
System.Console.WriteLine(this[0]);
}
}";
CreateCompilation(source).VerifyDiagnostics();
}
/// <summary>
/// The Name and IsIndexer bits of explicitly implemented interface indexers do not roundtrip.
/// This is unfortunate, but less so that having something declared with an IndexerDeclarationSyntax
/// return false for IsIndexer.
/// </summary>
[ClrOnlyFact]
public void ExplicitInterfaceImplementationIndexers()
{
var text = @"
public interface I
{
int this[int x] { set; }
}
public class C : I
{
int I.this[int x] { set { } }
}
";
Action<ModuleSymbol> sourceValidator = module =>
{
var globalNamespace = module.GlobalNamespace;
var classC = globalNamespace.GetMember<NamedTypeSymbol>("C");
Assert.Equal(0, classC.Indexers.Length); //excludes explicit implementations
var classCIndexer = classC.GetMembers().Where(s => s.Kind == SymbolKind.Property).Single();
Assert.Equal("I.this[]", classCIndexer.Name); //interface name + WellKnownMemberNames.Indexer
Assert.True(classCIndexer.IsIndexer()); //since declared with IndexerDeclarationSyntax
};
Action<ModuleSymbol> metadataValidator = module =>
{
var globalNamespace = module.GlobalNamespace;
var classC = globalNamespace.GetMember<NamedTypeSymbol>("C");
Assert.Equal(0, classC.Indexers.Length); //excludes explicit implementations
var classCIndexer = classC.GetMembers().Where(s => s.Kind == SymbolKind.Property).Single();
Assert.Equal("I.Item", classCIndexer.Name); //name does not reflect WellKnownMemberNames.Indexer
Assert.False(classCIndexer.IsIndexer()); //not the default member of C
};
CompileAndVerify(text, sourceSymbolValidator: sourceValidator, symbolValidator: metadataValidator);
}
[Fact]
public void NoAutoIndexers()
{
var source =
@"class B
{
public virtual int this[int x] { get; set; }
}";
CreateCompilation(source).VerifyDiagnostics(
// (3,38): error CS0501: 'B.this[int].get' must declare a body because it is not marked abstract, extern, or partial
Diagnostic(ErrorCode.ERR_ConcreteMissingBody, "get").WithArguments("B.this[int].get"),
// (3,43): error CS0501: 'B.this[int].set' must declare a body because it is not marked abstract, extern, or partial
Diagnostic(ErrorCode.ERR_ConcreteMissingBody, "set").WithArguments("B.this[int].set"));
}
[Fact]
public void BaseIndexerAccess()
{
var source =
@"public class Base
{
public int this[int x] { get { return x; } }
}
public class Derived : Base
{
public new int this[int x] { get { return x; } }
void Method()
{
int x = base[1];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var indexerAccessSyntax = GetElementAccessExpressions(tree.GetCompilationUnitRoot()).Single();
var baseClass = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexer = baseClass.Indexers.Single();
// Confirm that the base indexer is used (even though the derived indexer signature matches).
var model = comp.GetSemanticModel(tree);
var symbolInfo = model.GetSymbolInfo(indexerAccessSyntax);
Assert.Equal(baseIndexer.GetPublicSymbol(), symbolInfo.Symbol);
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_Access()
{
var source = @"
class Test
{
static void Main()
{
RefIndexer r = new RefIndexer();
int x = 1;
x = r[ref x];
r[ref x] = 1;
r[ref x]++;
r[ref x] += 2;
}
}
";
var compilation = CreateCompilation(source, new[] { TestReferences.SymbolsTests.Indexers });
compilation.VerifyDiagnostics(
// (8,13): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"),
// (9,9): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"),
// (10,9): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"),
// (11,9): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"));
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_CallAccessor()
{
var source = @"
class Test
{
static void Main()
{
RefIndexer r = new RefIndexer();
int x = 1;
x = r.get_Item(ref x);
r.set_Item(ref x, 1);
}
}
";
var compilation = CreateCompilation(source, new[] { TestReferences.SymbolsTests.Indexers });
compilation.VerifyDiagnostics();
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_Override()
{
var source = @"
class Test : RefIndexer
{
public override int this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source,
new MetadataReference[] { TestReferences.SymbolsTests.Indexers });
compilation.VerifyDiagnostics(
// (4,25): error CS0115: 'Test.this[int]': no suitable method found to override
Diagnostic(ErrorCode.ERR_OverrideNotExpected, "this").WithArguments("Test.this[int]"));
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_ImplicitlyImplement()
{
var source = @"
class Test : IRefIndexer
{
public int this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source, new[] { TestReferences.SymbolsTests.Indexers });
// Normally, we wouldn't see errors for the accessors, but here we do because the indexer is bogus.
compilation.VerifyDiagnostics(
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.get_Item(ref int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.get_Item(ref int)"),
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.set_Item(ref int, int)"));
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_ExplicitlyImplement()
{
var source = @"
class Test : IRefIndexer
{
int IRefIndexer.this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source,
new MetadataReference[] { TestReferences.SymbolsTests.Indexers });
// Normally, we wouldn't see errors for the accessors, but here we do because the indexer is bogus.
compilation.VerifyDiagnostics(
// (4,21): error CS0539: 'Test.this[int]' in explicit interface declaration is not a member of interface
Diagnostic(ErrorCode.ERR_InterfaceMemberNotFound, "this").WithArguments("Test.this[int]"),
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.get_Item(ref int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.get_Item(ref int)"),
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.set_Item(ref int, int)"));
}
[Fact]
public void IndexerNameAttribute()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var indexer = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("B").Indexers.Single();
Assert.Equal(WellKnownMemberNames.Indexer, indexer.Name);
Assert.Equal("A", indexer.MetadataName);
Assert.Equal("get_A", indexer.GetMethod.Name);
Assert.Equal("get_A", indexer.GetMethod.MetadataName);
Assert.Equal("set_A", indexer.SetMethod.Name);
Assert.Equal("set_A", indexer.SetMethod.MetadataName);
}
[WorkItem(528830, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/528830")]
[Fact(Skip = "528830")]
public void EscapedIdentifierInIndexerNameAttribute()
{
var source = @"
using System.Runtime.CompilerServices;
interface I
{
[IndexerName(""@indexer"")]
int this[int x] { get; set; }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var indexer = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I").Indexers.Single();
Assert.Equal("@indexer", indexer.MetadataName);
Assert.Equal("get_@indexer", indexer.GetMethod.MetadataName);
Assert.Equal("set_@indexer", indexer.SetMethod.MetadataName);
}
[Fact]
public void NameNotCopiedOnOverride1()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
class D : B
{
public override int this[int x] { get { return 0; } set { } }
[IndexerName(""A"")] //error since name isn't copied down to override
public int this[int x, int y] { get { return 0; } set { } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (15,16): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this"));
}
[Fact]
public void NameNotCopiedOnOverride2()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
class D : B
{
[IndexerName(""A"")] //dev10 didn't allow this, but it should eliminate the error
public override int this[int x] { get { return 0; } set { } }
[IndexerName(""A"")] //error since name isn't copied down to override
public int this[int x, int y] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var derivedType = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("D");
Assert.True(derivedType.Indexers.All(i => i.MetadataName == "A"));
}
[Fact]
public void NameNotCopiedOnOverride3()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
class D : B
{
public override int this[int x] { get { return 0; } set { } }
// If the name of the overridden indexer was copied, this would be an error.
public int this[int x, int y] { get { return 0; } set { } }
}
";
CreateCompilation(source).VerifyDiagnostics();
}
[Fact]
public void IndexerNameLookup1()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string get_X = ""X"";
}
class B : A
{
[IndexerName(C.get_X)]
public int this[int x] { get { return 0; } }
}
class C : B
{
[IndexerName(get_X)]
public int this[int x, int y] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var classA = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("A");
var classB = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("B");
var classC = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var get_XA = classA.GetMember<FieldSymbol>("get_X");
var get_XB = classB.GetMember<MethodSymbol>("get_X");
var get_XC = classC.GetMember<MethodSymbol>("get_X");
Assert.Equal("X", get_XB.AssociatedSymbol.MetadataName);
Assert.Equal("X", get_XC.AssociatedSymbol.MetadataName);
}
[Fact]
public void IndexerNameLookup2()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string get_X = ""X"";
[IndexerName(get_X)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics(
// (9,30): error CS0102: The type 'A' already contains a definition for 'get_X'
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "get").WithArguments("A", "get_X"));
var classA = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("A");
Assert.Equal("X", classA.Indexers.Single().MetadataName);
}
[Fact]
public void IndexerNameLookup3()
{
var source = @"
using System.Runtime.CompilerServices;
public class MyAttribute : System.Attribute
{
public MyAttribute(object o) { }
}
class A
{
[IndexerName(get_Item)]
public int this[int x] { get { return 0; } }
// Doesn't matter what attribute it is or what member it's on - can't see indexer members.
[MyAttribute(get_Item)]
int x;
}
";
// NOTE: Dev10 reports CS0571 for MyAttribute's use of get_Item
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics(
// (11,18): error CS0571: 'A.this[int].get': cannot explicitly call operator or accessor
// [IndexerName(get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("A.this[int].get"),
// (15,18): error CS0571: 'A.this[int].get': cannot explicitly call operator or accessor
// [MyAttribute(get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("A.this[int].get"),
// (16,9): warning CS0169: The field 'A.x' is never used
// int x;
Diagnostic(ErrorCode.WRN_UnreferencedField, "x").WithArguments("A.x"));
}
[Fact]
public void IndexerNameLookup4()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
[IndexerName(B.get_Item)]
public int this[int x] { get { return 0; } }
}
class B
{
[IndexerName(A.get_Item)]
public int this[int x] { get { return 0; } }
}
";
// NOTE: Dev10 reports CS0117 in A, but CS0571 in B
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics(
// (6,20): error CS0571: 'B.this[int].get': cannot explicitly call operator or accessor
// [IndexerName(B.get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("B.this[int].get"),
// (12,20): error CS0571: 'A.this[int].get': cannot explicitly call operator or accessor
// [IndexerName(A.get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("A.this[int].get"));
}
[Fact]
public void IndexerNameLookup5()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string get_Item = ""X"";
}
class B : A
{
public const string C = get_Item;
[IndexerName(C)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
}
[Fact]
public void IndexerNameLookupClass()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string Constant1 = B.Constant1;
public const string Constant2 = B.Constant2;
}
class B
{
public const string Constant1 = ""X"";
public const string Constant2 = A.Constant2;
[IndexerName(A.Constant1)]
public int this[int x] { get { return 0; } }
[IndexerName(A.Constant2)]
public int this[long x] { get { return 0; } }
}
";
// CONSIDER: this cascading is a bit verbose.
CreateCompilation(source).VerifyDiagnostics(
// (18,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Constant2"),
// (7,25): error CS0110: The evaluation of the constant value for 'A.Constant2' involves a circular definition
// public const string Constant2 = B.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A.Constant2"),
// (19,16): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
// public int this[long x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this"));
}
[Fact]
public void IndexerNameLookupStruct()
{
var source = @"
using System.Runtime.CompilerServices;
struct A
{
public const string Constant1 = B.Constant1;
public const string Constant2 = B.Constant2;
}
struct B
{
public const string Constant1 = ""X"";
public const string Constant2 = A.Constant2;
[IndexerName(A.Constant1)]
public int this[int x] { get { return 0; } }
[IndexerName(A.Constant2)]
public int this[long x] { get { return 0; } }
}
";
// CONSIDER: this cascading is a bit verbose.
CreateCompilation(source).VerifyDiagnostics(
// (18,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Constant2"),
// (13,25): error CS0110: The evaluation of the constant value for 'A.Constant2' involves a circular definition
// public const string Constant2 = A.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A.Constant2"),
// (19,16): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
// public int this[long x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this"));
}
[Fact]
public void IndexerNameLookupInterface()
{
var source = @"
using System.Runtime.CompilerServices;
interface A
{
const string Constant1 = B.Constant1;
const string Constant2 = B.Constant2;
}
interface B
{
const string Constant1 = ""X"";
const string Constant2 = A.Constant2;
[IndexerName(A.Constant1)]
int this[int x] { get; }
[IndexerName(A.Constant2)]
int this[long x] { get; }
}
";
// CONSIDER: this cascading is a bit verbose.
CreateCompilation(source, parseOptions: TestOptions.Regular7, targetFramework: TargetFramework.NetCoreApp).VerifyDiagnostics(
// (18,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Constant2").WithLocation(18, 18),
// (7,18): error CS0110: The evaluation of the constant value for 'A.Constant2' involves a circular definition
// const string Constant2 = B.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A.Constant2").WithLocation(7, 18),
// (19,9): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
// int this[long x] { get; }
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this").WithLocation(19, 9),
// (12,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = "X";
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(12, 18),
// (13,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = A.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(13, 18),
// (6,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = B.Constant1;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(6, 18),
// (7,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = B.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(7, 18)
);
}
[Fact]
public void IndexerNameLookupGenericClass()
{
var source = @"
using System.Runtime.CompilerServices;
class A<T>
{
public const string Constant1 = B<string>.Constant1;
public const string Constant2 = B<int>.Constant2;
[IndexerName(B<byte>.Constant2)]
public int this[long x] { get { return 0; } }
}
class B<T>
{
public const string Constant1 = ""X"";
public const string Constant2 = A<bool>.Constant2;
[IndexerName(A<char>.Constant1)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (9,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B<byte>.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B<byte>.Constant2"),
// (7,25): error CS0110: The evaluation of the constant value for 'A<T>.Constant2' involves a circular definition
// public const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A<T>.Constant2"));
}
[Fact]
public void IndexerNameLookupGenericStruct()
{
var source = @"
using System.Runtime.CompilerServices;
struct A<T>
{
public const string Constant1 = B<string>.Constant1;
public const string Constant2 = B<int>.Constant2;
[IndexerName(B<byte>.Constant2)]
public int this[long x] { get { return 0; } }
}
struct B<T>
{
public const string Constant1 = ""X"";
public const string Constant2 = A<bool>.Constant2;
[IndexerName(A<char>.Constant1)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (9,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B<byte>.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B<byte>.Constant2"),
// (7,25): error CS0110: The evaluation of the constant value for 'A<T>.Constant2' involves a circular definition
// public const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A<T>.Constant2"));
}
[Fact]
public void IndexerNameLookupGenericInterface()
{
var source = @"
using System.Runtime.CompilerServices;
interface A<T>
{
const string Constant1 = B<string>.Constant1;
const string Constant2 = B<int>.Constant2;
[IndexerName(B<byte>.Constant2)]
int this[long x] { get; }
}
interface B<T>
{
const string Constant1 = ""X"";
const string Constant2 = A<bool>.Constant2;
[IndexerName(A<char>.Constant1)]
int this[int x] { get; }
}
";
CreateCompilation(source, parseOptions: TestOptions.Regular7, targetFramework: TargetFramework.NetCoreApp).VerifyDiagnostics(
// (9,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B<byte>.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B<byte>.Constant2").WithLocation(9, 18),
// (7,18): error CS0110: The evaluation of the constant value for 'A<T>.Constant2' involves a circular definition
// const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A<T>.Constant2").WithLocation(7, 18),
// (15,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = "X";
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(15, 18),
// (16,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = A<bool>.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(16, 18),
// (6,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = B<string>.Constant1;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(6, 18),
// (7,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(7, 18)
);
}
[Fact]
public void IndexerNameLookupTypeParameter()
{
var source = @"
using System.Runtime.CompilerServices;
class P
{
public const string Constant1 = Q.Constant1;
public const string Constant2 = Q.Constant2;
}
class Q
{
public const string Constant1 = ""X"";
public const string Constant2 = P.Constant2;
}
class A<T> where T : P
{
[IndexerName(T.Constant1)]
public int this[long x] { get { return 0; } }
}
class B<T> where T : Q
{
[IndexerName(T.Constant2)]
public int this[long x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (7,25): error CS0110: The evaluation of the constant value for 'P.Constant2' involves a circular definition
// public const string Constant2 = Q.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("P.Constant2"),
// (18,18): error CS0119: 'T' is a type parameter, which is not valid in the given context
// [IndexerName(T.Constant1)]
Diagnostic(ErrorCode.ERR_BadSKunknown, "T").WithArguments("T", "type parameter"),
// (24,18): error CS0119: 'T' is a type parameter, which is not valid in the given context
// [IndexerName(T.Constant2)]
Diagnostic(ErrorCode.ERR_BadSKunknown, "T").WithArguments("T", "type parameter"));
}
[Fact]
public void IndexerNameLookupEnum()
{
var source = @"
using System.Runtime.CompilerServices;
enum E
{
A,
B,
C = 6,
D,
E = F,
F = E
}
class A
{
[IndexerName(E.A)]
public int this[long x] { get { return 0; } }
[IndexerName(E.B)]
public int this[char x] { get { return 0; } }
[IndexerName(E.C)]
public int this[bool x] { get { return 0; } }
[IndexerName(E.D)]
public int this[uint x] { get { return 0; } }
[IndexerName(E.E)]
public int this[byte x] { get { return 0; } }
[IndexerName(E.F)]
public int this[ulong x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,5): error CS0110: The evaluation of the constant value for 'E.E' involves a circular definition
// E = F,
Diagnostic(ErrorCode.ERR_CircConstValue, "E").WithArguments("E.E"),
// (16,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.A)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.A").WithArguments("1", "E", "string"),
// (19,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.B)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.B").WithArguments("1", "E", "string"),
// (22,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.C)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.C").WithArguments("1", "E", "string"),
// (25,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.D)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.D").WithArguments("1", "E", "string"),
// (28,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.E)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.E").WithArguments("1", "E", "string"),
// (31,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.F)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.F").WithArguments("1", "E", "string"));
}
[Fact]
public void IndexerNameLookupProperties()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
internal static string Name { get { return ""A""; } }
[IndexerName(B.Name)]
public int this[int x] { get { return 0; } }
}
class B
{
internal static string Name { get { return ""B""; } }
[IndexerName(A.Name)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (13,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Name)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Name"),
// (7,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B.Name)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B.Name"));
}
[Fact]
public void IndexerNameLookupCalls()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
internal static string GetName() { return ""A""; }
[IndexerName(B.GetName())]
public int this[int x] { get { return 0; } }
}
class B
{
internal static string GetName() { return ""B""; }
[IndexerName(A.GetName())]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (7,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B.GetName())]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B.GetName()"),
// (13,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.GetName())]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.GetName()"));
}
[Fact]
public void IndexerNameLookupNonExistent()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
[IndexerName(B.Fake)]
public int this[int x] { get { return 0; } }
}
class B
{
[IndexerName(A.Fake)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (11,20): error CS0117: 'A' does not contain a definition for 'Fake'
// [IndexerName(A.Fake)]
Diagnostic(ErrorCode.ERR_NoSuchMember, "Fake").WithArguments("A", "Fake"),
// (6,20): error CS0117: 'B' does not contain a definition for 'Fake'
// [IndexerName(B.Fake)]
Diagnostic(ErrorCode.ERR_NoSuchMember, "Fake").WithArguments("B", "Fake"));
}
[Fact]
public void IndexerNameNotEmitted()
{
var source = @"
using System.Runtime.CompilerServices;
class Program
{
[IndexerName(""A"")]
public int this[int x]
{
get { return 0; }
set { }
}
}
";
var compilation = CreateCompilation(source).VerifyDiagnostics();
var indexer = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Program").Indexers.Single();
Assert.True(indexer.IsIndexer);
Assert.Equal("A", indexer.MetadataName);
Assert.True(indexer.GetAttributes().Single().IsTargetAttribute(indexer, AttributeDescription.IndexerNameAttribute));
CompileAndVerify(compilation, symbolValidator: module =>
{
var peIndexer = (PEPropertySymbol)module.GlobalNamespace.GetTypeMember("Program").Indexers.Single();
Assert.True(peIndexer.IsIndexer);
Assert.Equal("A", peIndexer.MetadataName);
Assert.Empty(peIndexer.GetAttributes());
Assert.Empty(((PEModuleSymbol)module).GetCustomAttributesForToken(peIndexer.Handle));
});
}
[WorkItem(545884, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545884")]
[Fact]
public void IndexerNameDeadlock1()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string Name = ""A"";
[IndexerName(B.Name)]
public int this[int x] { get { return 0; } }
}
class B
{
public const string Name = ""B"";
[IndexerName(A.Name)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
var loopResult = Parallel.ForEach(compilation.GlobalNamespace.GetTypeMembers(), type =>
type.ForceComplete(null, default(CancellationToken)));
Assert.True(loopResult.IsCompleted);
compilation.VerifyDiagnostics();
}
[WorkItem(545884, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545884")]
[Fact]
public void IndexerNameDeadlock2()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
private const string Name = ""A"";
[IndexerName(B.Name)]
public int this[int x] { get { return 0; } }
}
class B
{
private const string Name = ""B"";
[IndexerName(A.Name)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
var loopResult = Parallel.ForEach(compilation.GlobalNamespace.GetTypeMembers(), type =>
type.ForceComplete(null, default(CancellationToken)));
Assert.True(loopResult.IsCompleted);
compilation.VerifyDiagnostics(
// (7,20): error CS0122: 'B.Name' is inaccessible due to its protection level
// [IndexerName(B.Name)]
Diagnostic(ErrorCode.ERR_BadAccess, "Name").WithArguments("B.Name"),
// (14,20): error CS0122: 'A.Name' is inaccessible due to its protection level
// [IndexerName(A.Name)]
Diagnostic(ErrorCode.ERR_BadAccess, "Name").WithArguments("A.Name"));
}
[Fact]
public void OverloadResolutionPrecedence()
{
var source =
@"public class C
{
public int this[int x] { get { return 0; } }
public int this[int x, int y = 1] { get { return 0; } }
public int this[params int[] x] { get { return 0; } }
void Method()
{
int x;
x = this[1];
x = this[1, 2];
x = this[1, 2, 3];
x = this[new int[1]];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
"System.Int32 C.this[System.Int32 x] { get; }",
"System.Int32 C.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 C.this[params System.Int32[] x] { get; }",
"System.Int32 C.this[params System.Int32[] x] { get; }");
}
[Fact]
public void OverloadResolutionOverriding()
{
var source =
@"public class Base
{
public virtual int this[int x] { get { return 0; } }
public virtual int this[int x, int y = 1] { get { return 0; } }
public virtual int this[params int[] x] { get { return 0; } }
}
public class Derived : Base
{
public override int this[int x] { get { return 0; } }
public override int this[int x, int y = 1] { get { return 0; } }
public override int this[params int[] x] { get { return 0; } }
void Method()
{
int x;
x = this[1];
x = this[1, 2];
x = this[1, 2, 3];
x = base[1];
x = base[1, 2];
x = base[1, 2, 3];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
// NOTE: we'll actually emit calls to the corresponding base indexers
"System.Int32 Derived.this[System.Int32 x] { get; }",
"System.Int32 Derived.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 Derived.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[System.Int32 x] { get; }",
"System.Int32 Base.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }");
}
[Fact]
public void OverloadResolutionFallbackInBase()
{
var source =
@"public class Base
{
public int this[params int[] x] { get { return 0; } }
}
public class Derived : Base
{
public int this[int x] { get { return 0; } }
public int this[int x, int y = 1] { get { return 0; } }
void Method()
{
int x;
x = this[1];
x = this[1, 2];
x = this[1, 2, 3];
x = base[1];
x = base[1, 2];
x = base[1, 2, 3];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
"System.Int32 Derived.this[System.Int32 x] { get; }",
"System.Int32 Derived.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }");
}
[Fact]
public void OverloadResolutionDerivedRemovesParamsModifier()
{
var source =
@"abstract class Base
{
public abstract int this[Derived c1, Derived c2, params Derived[] c3] { get; }
}
class Derived : Base
{
public override int this[Derived C1, Derived C2, Derived[] C3] { get { return 0; } } //removes 'params'
}
class Test2
{
public static void Main2()
{
Derived d = new Derived();
Base b = d;
int x;
x = b[d, d, d, d, d]; // Fine
x = d[d, d, d, d, d]; // Fine
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
"System.Int32 Base.this[Derived c1, Derived c2, params Derived[] c3] { get; }",
"System.Int32 Derived.this[Derived C1, Derived C2, params Derived[] C3] { get; }");
}
[Fact]
public void OverloadResolutionDerivedAddsParamsModifier()
{
var source =
@"abstract class Base
{
public abstract int this[Derived c1, Derived c2, Derived[] c3] { get; }
}
class Derived : Base
{
public override int this[Derived C1, Derived C2, params Derived[] C3] { get { return 0; } } //adds 'params'
}
class Test2
{
public static void Main2()
{
Derived d = new Derived();
Base b = d;
int x;
x = b[d, d, d, d, d]; // CS1501
x = d[d, d, d, d, d]; // CS1501
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (16,13): error CS1501: No overload for method 'this' takes 5 arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "b[d, d, d, d, d]").WithArguments("this", "5"),
// (17,13): error CS1501: No overload for method 'this' takes 5 arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "d[d, d, d, d, d]").WithArguments("this", "5"));
}
[WorkItem(542747, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/542747")]
[Fact()]
public void IndexerAccessorParameterIsSynthesized()
{
var text = @"
struct Test
{
public byte this[byte p] { get { return p; } }
}
";
var comp = CreateCompilation(text);
NamedTypeSymbol type01 = comp.SourceModule.GlobalNamespace.GetTypeMembers("Test").Single();
var indexer = type01.GetMembers(WellKnownMemberNames.Indexer).Single() as PropertySymbol;
Assert.NotNull(indexer.GetMethod);
Assert.False(indexer.GetMethod.Parameters.IsEmpty);
// VB is SynthesizedParameterSymbol; C# is SourceComplexParameterSymbol
foreach (var p in indexer.GetMethod.Parameters)
{
Assert.True(p.IsImplicitlyDeclared, "Parameter of Indexer Accessor");
}
}
[WorkItem(542831, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/542831")]
[Fact]
public void ProtectedBaseIndexer()
{
var text = @"
public class Base
{
protected int this[int index] { get { return 0; } }
}
public class Derived : Base
{
public int M()
{
return base[0];
}
}
";
CreateCompilation(text).VerifyDiagnostics();
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void SameSignaturesDifferentNames()
{
var ilSource = @"
.class public auto ansi beforefieldinit SameSignaturesDifferentNames
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('Accessor1')}
.method public hidebysig specialname instance int32
Accessor1(int32 x, int64 y) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname instance void
Accessor2(int32 x, int64 y,
int32 'value') cil managed
{
ret
}
.method public hidebysig specialname instance void
Accessor3(int32 x, int64 y,
int32 'value') cil managed
{
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 Indexer1(int32, int64)
{
.get instance int32 SameSignaturesDifferentNames::Accessor1(int32, int64)
.set instance void SameSignaturesDifferentNames::Accessor2(int32, int64, int32)
}
.property instance int32 Indexer2(int32, int64)
{
.get instance int32 SameSignaturesDifferentNames::Accessor1(int32, int64)
.set instance void SameSignaturesDifferentNames::Accessor3(int32, int64, int32)
}
}";
var cSharpSource = @"
class Test
{
static void Main()
{
SameSignaturesDifferentNames s = new SameSignaturesDifferentNames();
System.Console.WriteLine(s[0, 1]);
}
}
";
CreateCompilationWithILAndMscorlib40(cSharpSource, ilSource).VerifyDiagnostics(
// (7,34): error CS0121: The call is ambiguous between the following methods or properties: 'SameSignaturesDifferentNames.this[int, long]' and 'SameSignaturesDifferentNames.this[int, long]'
Diagnostic(ErrorCode.ERR_AmbigCall, "s[0, 1]").WithArguments("SameSignaturesDifferentNames.this[int, long]", "SameSignaturesDifferentNames.this[int, long]"));
}
[WorkItem(543261, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543261")]
[ClrOnlyFact]
public void OverrideOneAccessorOnly()
{
var source =
@"class A
{
public virtual object this[object index] { get { return null; } set { } }
}
class B1 : A
{
public override object this[object index] { get { return base[index]; } }
}
class B2 : A
{
public override object this[object index] { set { base[index] = value; } }
}
class C
{
static void M(B1 _1, B2 _2)
{
_1[null] = _1[null];
_2[null] = _2[null];
}
}";
CompileAndVerify(source);
}
private static void CheckOverloadResolutionResults(SyntaxTree tree, SemanticModel model, params string[] expected)
{
var actual = GetElementAccessExpressions(tree.GetCompilationUnitRoot()).Select(syntax => model.GetSymbolInfo(syntax).Symbol.ToTestDisplayString());
AssertEx.Equal(expected, actual, itemInspector: s => string.Format("\"{0}\"", s));
}
private static IEnumerable<ElementAccessExpressionSyntax> GetElementAccessExpressions(SyntaxNode node)
{
return node == null ?
SpecializedCollections.EmptyEnumerable<ElementAccessExpressionSyntax>() :
node.DescendantNodesAndSelf().Where(s => s.IsKind(SyntaxKind.ElementAccessExpression)).Cast<ElementAccessExpressionSyntax>();
}
[Fact]
public void PartialType()
{
var text1 = @"
partial class C
{
public int this[int x] { get { return 0; } set { } }
}";
var text2 = @"
partial class C
{
public void M() {}
}
";
var compilation = CreateCompilation(new string[] { text1, text2 });
Assert.True(((TypeSymbol)compilation.GlobalNamespace.GetTypeMembers("C").Single()).GetMembers().Any(x => x.IsIndexer()));
//test with text inputs reversed in case syntax ordering predicate ever changes.
compilation = CreateCompilation(new string[] { text2, text1 });
Assert.True(((TypeSymbol)compilation.GlobalNamespace.GetTypeMembers("C").Single()).GetMembers().Any(x => x.IsIndexer()));
}
[WorkItem(543957, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543957")]
[Fact]
public void SemanticModelIndexerGroupHiding()
{
var source =
@"public class Base
{
public int this[int x] { get { return x; } }
public virtual int this[int x, int y] { get { return x; } }
public int this[int x, int y, int z] { get { return x; } }
}
public class Derived : Base
{
public new int this[int x] { get { return x; } }
public override int this[int x, int y] { get { return x; } }
void Method()
{
int x;
x = this[1];
x = base[1];
Derived d = new Derived();
x = d[1];
Base b = new Base();
x = b[1];
Wrapper w = new Wrapper();
x = w.Base[1];
x = w.Derived[1];
x = (d ?? w.Derived)[1];
}
}
public class Wrapper
{
public Base Base;
public Derived Derived;
}
";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
var elementAccessSyntaxes = GetElementAccessExpressions(tree.GetCompilationUnitRoot());
// The access itself doesn't have an indexer group.
foreach (var syntax in elementAccessSyntaxes)
{
Assert.Equal(0, model.GetIndexerGroup(syntax).Length);
}
var baseType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var derivedType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var baseIndexers = baseType.Indexers;
var derivedIndexers = derivedType.Indexers;
var baseIndexer3 = baseIndexers.Single(indexer => indexer.ParameterCount == 3);
var baseIndexerGroup = baseIndexers;
var derivedIndexerGroup = derivedIndexers.Concat(ImmutableArray.Create<PropertySymbol>(baseIndexer3));
var receiverSyntaxes = elementAccessSyntaxes.Select(access => access.Expression);
Assert.Equal(7, receiverSyntaxes.Count());
// The receiver of each access expression has an indexer group.
foreach (var syntax in receiverSyntaxes)
{
var type = model.GetTypeInfo(syntax).Type.GetSymbol();
Assert.NotNull(type);
var indexerGroup = model.GetIndexerGroup(syntax);
if (type.Equals(baseType))
{
Assert.True(indexerGroup.SetEquals(baseIndexerGroup.GetPublicSymbols(), EqualityComparer<IPropertySymbol>.Default));
}
else if (type.Equals(derivedType))
{
Assert.True(indexerGroup.SetEquals(derivedIndexerGroup.GetPublicSymbols(), EqualityComparer<IPropertySymbol>.Default));
}
else
{
Assert.True(false, "Unexpected type " + type.ToTestDisplayString());
}
}
}
[WorkItem(543957, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543957")]
[Fact]
public void SemanticModelIndexerGroupAccessibility()
{
var source =
@"class Base
{
private int this[int x] { get { return 0; } }
protected int this[string x] { get { return 0; } }
public int this[bool x] { get { return 0; } }
void M()
{
int x;
x = this[1]; //all
}
}
class Derived1 : Base
{
void M()
{
int x;
x = this[""string""]; //public and protected
Derived2 d = new Derived2();
x = d[true]; //only public
}
}
class Derived2 : Base
{
}
";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
var elementAccessSyntaxes = GetElementAccessExpressions(tree.GetCompilationUnitRoot());
// The access itself doesn't have an indexer group.
foreach (var syntax in elementAccessSyntaxes)
{
Assert.Equal(0, model.GetIndexerGroup(syntax).Length);
}
var baseType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var derived1Type = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived1");
var derived2Type = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived2");
var indexers = baseType.Indexers;
var publicIndexer = indexers.Single(indexer => indexer.DeclaredAccessibility == Accessibility.Public);
var protectedIndexer = indexers.Single(indexer => indexer.DeclaredAccessibility == Accessibility.Protected);
var privateIndexer = indexers.Single(indexer => indexer.DeclaredAccessibility == Accessibility.Private);
var receiverSyntaxes = elementAccessSyntaxes.Select(access => access.Expression).ToArray();
Assert.Equal(3, receiverSyntaxes.Length);
// In declaring type, can see everything.
Assert.True(model.GetIndexerGroup(receiverSyntaxes[0]).SetEquals(
ImmutableArray.Create<PropertySymbol>(publicIndexer, protectedIndexer, privateIndexer).GetPublicSymbols(),
EqualityComparer<IPropertySymbol>.Default));
// In subtype of declaring type, can see non-private.
Assert.True(model.GetIndexerGroup(receiverSyntaxes[1]).SetEquals(
ImmutableArray.Create<PropertySymbol>(publicIndexer, protectedIndexer).GetPublicSymbols(),
EqualityComparer<IPropertySymbol>.Default));
// In subtype of declaring type, can only see public (or internal) members of other subtypes.
Assert.True(model.GetIndexerGroup(receiverSyntaxes[2]).SetEquals(
ImmutableArray.Create<PropertySymbol>(publicIndexer).GetPublicSymbols(),
EqualityComparer<IPropertySymbol>.Default));
}
[WorkItem(545851, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545851")]
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void DistinctOptionalParameterValues()
{
var source1 =
@".class abstract public A
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string) = {string('P')}
.method public hidebysig specialname rtspecialname instance void .ctor()
{
ret
}
.method public abstract virtual instance int32 get_P(int32 x, [opt] int32 y)
{
.param[2] = int32(1)
}
.method public abstract virtual instance void set_P(int32 x, [opt] int32 y, int32 v)
{
.param[2] = int32(2)
}
.property instance int32 P(int32, int32)
{
.get instance int32 A::get_P(int32, int32)
.set instance void A::set_P(int32, int32, int32)
}
}";
var reference1 = CompileIL(source1);
var source2 =
@"using System;
class B : A
{
public override int this[int x, int y = 3]
{
get
{
Console.WriteLine(""get_P: {0}"", y);
return 0;
}
set
{
Console.WriteLine(""set_P: {0}"", y);
}
}
}
class C
{
static void Main()
{
B b = new B();
b[0] = b[0];
b[1] += 1;
A a = b;
a[0] = a[0];
a[1] += 1; // Dev11 uses get_P default for both
}
}";
var compilation2 = CompileAndVerify(source2, references: new[] { reference1 }, expectedOutput:
@"get_P: 3
set_P: 3
get_P: 3
set_P: 3
get_P: 1
set_P: 2
get_P: 1
set_P: 1");
}
[Fact, WorkItem(546255, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546255")]
public void RetargetingIndexerMetadataName()
{
#region "Source"
var src1 = @"using System;
public interface IGoo
{
int this[int i] { get; }
}
public class Goo : IGoo
{
public int this[int i] { get { return i; } }
}
";
var src2 = @"using System;
class Test
{
public void M()
{
IGoo igoo = new Goo();
var local = igoo[100];
}
}
";
#endregion
var comp1 = CreateEmptyCompilation(src1, new[] { TestMetadata.Net40.mscorlib });
var comp2 = CreateCompilation(src2, new[] { new CSharpCompilationReference(comp1) });
var typeSymbol = comp1.SourceModule.GlobalNamespace.GetMember<NamedTypeSymbol>("IGoo");
var idxSymbol = typeSymbol.GetMember<PropertySymbol>(WellKnownMemberNames.Indexer);
Assert.NotNull(idxSymbol);
Assert.Equal("this[]", idxSymbol.Name);
Assert.Equal("Item", idxSymbol.MetadataName);
var tree = comp2.SyntaxTrees[0];
var model = comp2.GetSemanticModel(tree);
ExpressionSyntax expr = tree.GetCompilationUnitRoot().DescendantNodes().OfType<ElementAccessExpressionSyntax>().FirstOrDefault();
var idxSymbol2 = model.GetSymbolInfo(expr);
Assert.NotNull(idxSymbol2.Symbol);
Assert.Equal(WellKnownMemberNames.Indexer, idxSymbol2.Symbol.Name);
Assert.Equal("Item", idxSymbol2.Symbol.MetadataName);
}
[Fact, WorkItem(546255, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546255")]
public void SubstitutedIndexerMetadataName()
{
var source = @"
class C<T>
{
int this[int x] { get { return 0; } }
}
";
var comp = CreateCompilation(source);
comp.VerifyDiagnostics();
var unsubstitutedType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var unsubstitutedIndexer = unsubstitutedType.GetMember<SourcePropertySymbol>(WellKnownMemberNames.Indexer);
Assert.Equal(WellKnownMemberNames.Indexer, unsubstitutedIndexer.Name);
Assert.Equal("Item", unsubstitutedIndexer.MetadataName);
var substitutedType = unsubstitutedType.Construct(comp.GetSpecialType(SpecialType.System_Int32));
var substitutedIndexer = substitutedType.GetMember<SubstitutedPropertySymbol>(WellKnownMemberNames.Indexer);
Assert.Equal(WellKnownMemberNames.Indexer, substitutedIndexer.Name);
Assert.Equal("Item", substitutedIndexer.MetadataName);
}
[Fact, WorkItem(806258, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/806258")]
public void ConflictWithTypeParameter()
{
var source = @"
class C<Item, get_Item>
{
int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (4,9): error CS0102: The type 'C<Item, get_Item>' already contains a definition for 'Item'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "this").WithArguments("C<Item, get_Item>", "Item"),
// (4,23): error CS0102: The type 'C<Item, get_Item>' already contains a definition for 'get_Item'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "get").WithArguments("C<Item, get_Item>", "get_Item"));
}
[Fact, WorkItem(806258, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/806258")]
public void ConflictWithTypeParameter_IndexerNameAttribute()
{
var source = @"
using System.Runtime.CompilerServices;
class C<A, get_A>
{
[IndexerName(""A"")]
int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (7,9): error CS0102: The type 'C<A, get_A>' already contains a definition for 'A'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "this").WithArguments("C<A, get_A>", "A"),
// (7,23): error CS0102: The type 'C<A, get_A>' already contains a definition for 'get_A'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "get").WithArguments("C<A, get_A>", "get_A"));
}
[Fact]
public void IndexerNameNoConstantValue()
{
var source =
@"using System.Runtime.CompilerServices;
class C
{
const string F;
[IndexerName(F)]
object this[object o] { get { return null; } }
}";
CreateCompilation(source).VerifyDiagnostics(
// (4,18): error CS0145: A const field requires a value to be provided
// const string F;
Diagnostic(ErrorCode.ERR_ConstValueRequired, "F").WithLocation(4, 18),
// (5,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(F)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "F").WithLocation(5, 18));
}
}
}
| // 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 System.Collections.Immutable;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Symbols.Metadata.PE;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.CSharp.Test.Utilities;
using Microsoft.CodeAnalysis.Test.Utilities;
using Roslyn.Test.Utilities;
using Roslyn.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.UnitTests.Symbols
{
public class IndexerTests : CSharpTestBase
{
[ClrOnlyFact]
public void Indexers()
{
var source =
@"using System.Runtime.CompilerServices;
class C
{
[IndexerName(""P"")]
internal string this[string index]
{
get { return null; }
set { }
}
}
interface I
{
object this[int i, params object[] args] { set; }
}
struct S
{
internal object this[string x]
{
get { return null; }
}
}";
Action<ModuleSymbol> validator = module =>
{
var type = module.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
CheckIndexer(type.Indexers.Single(), true, true, SpecialType.System_String, SpecialType.System_String);
type = module.GlobalNamespace.GetMember<NamedTypeSymbol>("I");
CheckIndexer(type.Indexers.Single(), false, true, SpecialType.System_Object, SpecialType.System_Int32, SpecialType.None);
type = module.GlobalNamespace.GetMember<NamedTypeSymbol>("S");
CheckIndexer(type.Indexers.Single(), true, false, SpecialType.System_Object, SpecialType.System_String);
};
CompileAndVerify(
source: source,
sourceSymbolValidator: validator,
symbolValidator: validator,
options: TestOptions.ReleaseDll.WithMetadataImportOptions(MetadataImportOptions.Internal));
}
[ClrOnlyFact]
public void InterfaceImplementations()
{
var source =
@"using System.Runtime.CompilerServices;
interface IA
{
object this[string index] { get; set; }
}
interface IB
{
object this[string index] { get; }
}
interface IC
{
[IndexerName(""P"")]
object this[string index] { get; set; }
}
class A : IA, IB, IC
{
object IA.this[string index]
{
get { return null; }
set { }
}
object IB.this[string index]
{
get { return null; }
}
object IC.this[string index]
{
get { return null; }
set { }
}
}
class B : IA, IB, IC
{
public object this[string index]
{
get { return null; }
set { }
}
}
class C : IB, IC
{
[IndexerName(""Q"")]
public object this[string index]
{
get { return null; }
set { }
}
}";
var compilation = CompileAndVerify(source);
compilation.VerifyDiagnostics();
var globalNamespace = (NamespaceSymbol)((CSharpCompilation)compilation.Compilation).GlobalNamespace;
var type = globalNamespace.GetMember<NamedTypeSymbol>("IA");
CheckIndexer(type.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
type = globalNamespace.GetMember<NamedTypeSymbol>("IB");
CheckIndexer(type.Indexers.Single(), true, false, SpecialType.System_Object, SpecialType.System_String);
type = globalNamespace.GetMember<NamedTypeSymbol>("IC");
CheckIndexer(type.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
type = globalNamespace.GetMember<NamedTypeSymbol>("A");
var typeAProperties = type.GetMembers().Where(m => m.Kind == SymbolKind.Property).Cast<PropertySymbol>().ToArray();
Assert.Equal(3, typeAProperties.Length);
CheckIndexer(typeAProperties[0], true, true, SpecialType.System_Object, SpecialType.System_String);
CheckIndexer(typeAProperties[1], true, false, SpecialType.System_Object, SpecialType.System_String);
CheckIndexer(typeAProperties[2], true, true, SpecialType.System_Object, SpecialType.System_String);
var sourceType = globalNamespace.GetMember<SourceNamedTypeSymbol>("B");
CheckIndexer(sourceType.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
var bridgeMethods = sourceType.GetSynthesizedExplicitImplementations(CancellationToken.None).ForwardingMethods;
Assert.Equal(2, bridgeMethods.Length);
Assert.True(bridgeMethods.Select(GetPairForSynthesizedExplicitImplementation).SetEquals(new[]
{
new KeyValuePair<string, string>("System.Object IC.this[System.String index].get", "System.Object B.this[System.String index].get"),
new KeyValuePair<string, string>("void IC.this[System.String index].set", "void B.this[System.String index].set"),
}));
sourceType = globalNamespace.GetMember<SourceNamedTypeSymbol>("C");
CheckIndexer(sourceType.Indexers.Single(), true, true, SpecialType.System_Object, SpecialType.System_String);
bridgeMethods = sourceType.GetSynthesizedExplicitImplementations(CancellationToken.None).ForwardingMethods;
Assert.Equal(3, bridgeMethods.Length);
Assert.True(bridgeMethods.Select(GetPairForSynthesizedExplicitImplementation).SetEquals(new[]
{
new KeyValuePair<string, string>("System.Object IB.this[System.String index].get", "System.Object C.this[System.String index].get"),
new KeyValuePair<string, string>("System.Object IC.this[System.String index].get", "System.Object C.this[System.String index].get"),
new KeyValuePair<string, string>("void IC.this[System.String index].set", "void C.this[System.String index].set"),
}));
}
private static KeyValuePair<string, string> GetPairForSynthesizedExplicitImplementation(SynthesizedExplicitImplementationForwardingMethod bridge)
{
return new KeyValuePair<string, string>(bridge.ExplicitInterfaceImplementations.Single().ToTestDisplayString(), bridge.ImplementingMethod.ToTestDisplayString());
}
private static void CheckIndexer(PropertySymbol property, bool hasGet, bool hasSet, SpecialType expectedType, params SpecialType[] expectedParameterTypes)
{
Assert.NotNull(property);
Assert.True(property.IsIndexer);
Assert.Equal(property.Type.SpecialType, expectedType);
CheckParameters(property.Parameters, expectedParameterTypes);
var getter = property.GetMethod;
if (hasGet)
{
Assert.NotNull(getter);
Assert.Equal(getter.ReturnType.SpecialType, expectedType);
CheckParameters(getter.Parameters, expectedParameterTypes);
}
else
{
Assert.Null(getter);
}
var setter = property.SetMethod;
if (hasSet)
{
Assert.NotNull(setter);
Assert.True(setter.ReturnsVoid);
CheckParameters(setter.Parameters, expectedParameterTypes.Concat(new[] { expectedType }).ToArray());
}
else
{
Assert.Null(setter);
}
Assert.Equal(property.GetMethod != null, hasGet);
Assert.Equal(property.SetMethod != null, hasSet);
}
private static void CheckParameters(ImmutableArray<ParameterSymbol> parameters, SpecialType[] expectedTypes)
{
Assert.Equal(parameters.Length, expectedTypes.Length);
for (int i = 0; i < expectedTypes.Length; i++)
{
var parameter = parameters[i];
Assert.Equal(parameter.Ordinal, i);
Assert.Equal(parameter.Type.SpecialType, expectedTypes[i]);
}
}
[Fact]
public void OverloadResolution()
{
var source =
@"class C
{
int this[int x, int y]
{
get { return 0; }
}
int F(C c)
{
return this[0] +
c[0, c] +
c[1, 2, 3];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (9,16): error CS7036: There is no argument given that corresponds to the required formal parameter 'y' of 'C.this[int, int]'
Diagnostic(ErrorCode.ERR_NoCorrespondingArgument, "this[0]").WithArguments("y", "C.this[int, int]").WithLocation(9, 16),
// (10,18): error CS1503: Argument 2: cannot convert from 'C' to 'int'
Diagnostic(ErrorCode.ERR_BadArgType, "c").WithArguments("2", "C", "int").WithLocation(10, 18),
// (11,13): error CS1501: No overload for method 'this' takes 3 arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "c[1, 2, 3]").WithArguments("this", "3").WithLocation(11, 13));
}
[Fact]
public void OverridingHiddenIndexer()
{
var source =
@"
using System.Runtime.CompilerServices;
public class A
{
public virtual int this[int x] { get { return 0; } }
}
public class B : A
{
// Even though the user has specified a name for this indexer that
// doesn't match the name of the base class accessor, we expect
// it to hide A's indexer in subclasses (i.e. C).
[IndexerName(""NotItem"")]
public int this[int x] { get { return 0; } } //NB: not virtual
}
public class C : B
{
public override int this[int x] { get { return 0; } }
}";
var compilation = CreateCompilation(source);
// NOTE: we could eliminate WRN_NewOrOverrideExpected by putting a "new" modifier on B.this[]
compilation.VerifyDiagnostics(
// (15,16): warning CS0114: 'B.this[int]' hides inherited member 'A.this[int]'. To make the current member override that implementation, add the override keyword. Otherwise add the new keyword.
Diagnostic(ErrorCode.WRN_NewOrOverrideExpected, "this").WithArguments("B.this[int]", "A.this[int]"),
// (20,25): error CS0506: 'C.this[int]': cannot override inherited member 'B.this[int]' because it is not marked virtual, abstract, or override
Diagnostic(ErrorCode.ERR_CantOverrideNonVirtual, "this").WithArguments("C.this[int]", "B.this[int]"));
var classC = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var indexerC = classC.Indexers.Single();
Assert.Null(indexerC.OverriddenProperty);
Assert.Null(indexerC.GetMethod.OverriddenMethod);
}
[Fact]
public void ImplicitlyImplementingIndexersWithDifferentNames_DifferentInterfaces_Source()
{
var text = @"
using System.Runtime.CompilerServices;
interface I1
{
[IndexerName(""A"")]
int this[int x] { get; }
}
interface I2
{
[IndexerName(""B"")]
int this[int x] { get; }
}
class C : I1, I2
{
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(text);
compilation.VerifyDiagnostics();
var interface1 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interface1Indexer = interface1.Indexers.Single();
var interface2 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I2");
var interface2Indexer = interface2.Indexers.Single();
var @class = compilation.GlobalNamespace.GetMember<SourceNamedTypeSymbol>("C");
var classIndexer = @class.Indexers.Single();
// All of the indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, classIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface1Indexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface2Indexer.Name);
// All of the indexers have different MetadataNames
Assert.NotEqual(interface1Indexer.MetadataName, interface2Indexer.MetadataName);
Assert.NotEqual(interface1Indexer.MetadataName, classIndexer.MetadataName);
Assert.NotEqual(interface2Indexer.MetadataName, classIndexer.MetadataName);
// classIndexer implements both
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface1Indexer));
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface2Indexer));
var synthesizedExplicitImplementations = @class.GetSynthesizedExplicitImplementations(default(CancellationToken)).ForwardingMethods;
Assert.Equal(2, synthesizedExplicitImplementations.Length);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[0].ImplementingMethod);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[1].ImplementingMethod);
var interface1Getter = interface1Indexer.GetMethod;
var interface2Getter = interface2Indexer.GetMethod;
var interface1GetterImpl = synthesizedExplicitImplementations[0].ExplicitInterfaceImplementations.Single();
var interface2GetterImpl = synthesizedExplicitImplementations[1].ExplicitInterfaceImplementations.Single();
Assert.True(interface1Getter == interface1GetterImpl ^ interface1Getter == interface2GetterImpl);
Assert.True(interface2Getter == interface1GetterImpl ^ interface2Getter == interface2GetterImpl);
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void ImplicitlyImplementingIndexersWithDifferentNames_DifferentInterfaces_Metadata()
{
var il = @"
.class interface public abstract auto ansi I1
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('A')}
.method public hidebysig newslot specialname abstract virtual
instance int32 get_A(int32 x) cil managed
{
} // end of method I1::get_A
.property instance int32 A(int32)
{
.get instance int32 I1::get_A(int32)
} // end of property I1::A
} // end of class I1
.class interface public abstract auto ansi I2
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('B')}
.method public hidebysig newslot specialname abstract virtual
instance int32 get_B(int32 x) cil managed
{
} // end of method I2::get_B
.property instance int32 B(int32)
{
.get instance int32 I2::get_B(int32)
} // end of property I2::B
} // end of class I2
";
var csharp = @"
class C : I1, I2
{
public int this[int x] { get { return 0; } }
}
";
CompileWithCustomILSource(csharp, il, compilation =>
{
var interface1 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interface1Indexer = interface1.Indexers.Single();
var interface2 = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I2");
var interface2Indexer = interface2.Indexers.Single();
var @class = compilation.GlobalNamespace.GetMember<SourceNamedTypeSymbol>("C");
var classIndexer = @class.Indexers.Single();
// All of the indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, classIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface1Indexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, interface2Indexer.Name);
// All of the indexers have different MetadataNames
Assert.NotEqual(interface1Indexer.MetadataName, interface2Indexer.MetadataName);
Assert.NotEqual(interface1Indexer.MetadataName, classIndexer.MetadataName);
Assert.NotEqual(interface2Indexer.MetadataName, classIndexer.MetadataName);
// classIndexer implements both
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface1Indexer));
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interface2Indexer));
var synthesizedExplicitImplementations = @class.GetSynthesizedExplicitImplementations(default(CancellationToken)).ForwardingMethods;
Assert.Equal(2, synthesizedExplicitImplementations.Length);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[0].ImplementingMethod);
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementations[1].ImplementingMethod);
var interface1Getter = interface1Indexer.GetMethod;
var interface2Getter = interface2Indexer.GetMethod;
var interface1GetterImpl = synthesizedExplicitImplementations[0].ExplicitInterfaceImplementations.Single();
var interface2GetterImpl = synthesizedExplicitImplementations[1].ExplicitInterfaceImplementations.Single();
Assert.True(interface1Getter == interface1GetterImpl ^ interface1Getter == interface2GetterImpl);
Assert.True(interface2Getter == interface1GetterImpl ^ interface2Getter == interface2GetterImpl);
});
}
/// <summary>
/// Metadata type has two indexers with the same signature but different names.
/// Both are implicitly implemented by a single source indexer.
/// </summary>
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void ImplicitlyImplementingIndexersWithDifferentNames_SameInterface()
{
var il = @"
.class interface public abstract auto ansi I1
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('getter')}
.method public hidebysig newslot specialname abstract virtual
instance int32 getter(int32 x) cil managed
{
} // end of method I1::getter
.property instance int32 A(int32)
{
.get instance int32 I1::getter(int32)
} // end of property I1::A
.property instance int32 B(int32)
{
.get instance int32 I1::getter(int32)
} // end of property I1::B
} // end of class I1
";
var csharp = @"
class C : I1
{
public int this[int x] { get { return 0; } }
}
";
CompileWithCustomILSource(csharp, il, compilation =>
{
var @interface = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interfaceIndexers = @interface.Indexers;
Assert.Equal(2, interfaceIndexers.Length);
Assert.Equal(interfaceIndexers[0].ToTestDisplayString(), interfaceIndexers[1].ToTestDisplayString());
var @class = compilation.GlobalNamespace.GetMember<SourceNamedTypeSymbol>("C");
var classIndexer = @class.Indexers.Single();
// classIndexer implements both
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interfaceIndexers[0]));
Assert.Equal(classIndexer, @class.FindImplementationForInterfaceMember(interfaceIndexers[1]));
var synthesizedExplicitImplementation = @class.GetSynthesizedExplicitImplementations(default(CancellationToken)).ForwardingMethods.Single();
Assert.Equal(classIndexer.GetMethod, synthesizedExplicitImplementation.ImplementingMethod);
Assert.Equal(interfaceIndexers[0].GetMethod, synthesizedExplicitImplementation.ExplicitInterfaceImplementations.Single());
Assert.Equal(interfaceIndexers[1].GetMethod, synthesizedExplicitImplementation.ExplicitInterfaceImplementations.Single());
});
}
/// <summary>
/// Metadata type has two indexers with the same signature but different names.
/// Both are explicitly implemented by a single source indexer, resulting in an
/// ambiguity error.
/// </summary>
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void AmbiguousExplicitIndexerImplementation()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class interface public abstract auto ansi I1
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('get_Item')}
.method public hidebysig newslot specialname abstract virtual
instance int32 get_Item(int32 x) cil managed
{
} // end of method I1::get_Item
.property instance int32 A(int32)
{
.get instance int32 I1::get_Item(int32)
} // end of property I1::A
.property instance int32 B(int32)
{
.get instance int32 I1::get_Item(int32)
} // end of property I1::B
} // end of class I1
";
var csharp1 = @"
class C : I1
{
int I1.this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp1, il).VerifyDiagnostics(
// (4,12): warning CS0473: Explicit interface implementation 'C.I1.this[int]' matches more than one interface member. Which interface member is actually chosen is implementation-dependent. Consider using a non-explicit implementation instead.
Diagnostic(ErrorCode.WRN_ExplicitImplCollision, "this").WithArguments("C.I1.this[int]"),
// (2,7): error CS0535: 'C' does not implement interface member 'I1.this[int]'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "I1").WithArguments("C", "I1.this[int]"));
var @interface = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I1");
var interfaceIndexers = @interface.Indexers;
Assert.Equal(2, interfaceIndexers.Length);
Assert.Equal(interfaceIndexers[0].ToTestDisplayString(), interfaceIndexers[1].ToTestDisplayString());
var @class = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var classIndexer = @class.GetProperty("I1.this[]");
// One is implemented, the other is not (unspecified which)
var indexer0Impl = @class.FindImplementationForInterfaceMember(interfaceIndexers[0]);
var indexer1Impl = @class.FindImplementationForInterfaceMember(interfaceIndexers[1]);
Assert.True(indexer0Impl == classIndexer ^ indexer1Impl == classIndexer);
Assert.True(indexer0Impl == null ^ indexer1Impl == null);
var csharp2 = @"
class C : I1
{
public int this[int x] { get { return 0; } }
}
";
compilation = CreateCompilationWithILAndMscorlib40(csharp2, il).VerifyDiagnostics();
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void HidingIndexerWithDifferentName()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('A')}
.method public hidebysig specialname instance int32
get_A(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::get_A(int32)
} // end of property Base::A
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp, il);
compilation.VerifyDiagnostics(
// (4,16): warning CS0108: 'Derived.this[int]' hides inherited member 'Base.this[int]'. Use the new keyword if hiding was intended.
Diagnostic(ErrorCode.WRN_NewRequired, "this").WithArguments("Derived.this[int]", "Base.this[int]"));
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexer = baseClass.Indexers.Single();
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// The indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexer.Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexer.MetadataName, derivedIndexer.MetadataName);
Assert.Equal(baseIndexer, derivedIndexer.OverriddenOrHiddenMembers.HiddenMembers.Single());
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void OverridingIndexerWithDifferentName()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('A')}
.method public hidebysig newslot specialname virtual
instance int32 get_A(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::get_A(int32)
} // end of property Base::A
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public override int this[int x] { get { return 0; } }
}
";
CompileWithCustomILSource(csharp, il, compilation =>
{
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexer = baseClass.Indexers.Single();
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// Rhe indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexer.Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexer.MetadataName, derivedIndexer.MetadataName);
Assert.Equal(baseIndexer, derivedIndexer.OverriddenProperty);
});
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void HidingMultipleIndexers()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('getter')}
.method public hidebysig specialname instance int32
getter(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::A
.property instance int32 B(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::B
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp, il);
// As in dev10, we report only the first hidden member.
compilation.VerifyDiagnostics(
// (4,16): warning CS0108: 'Derived.this[int]' hides inherited member 'Base.this[int]'. Use the new keyword if hiding was intended.
Diagnostic(ErrorCode.WRN_NewRequired, "this").WithArguments("Derived.this[int]", "Base.this[int]"));
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexers = baseClass.Indexers;
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// The indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[0].Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[1].Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexers[0].MetadataName, baseIndexers[1].MetadataName);
Assert.NotEqual(baseIndexers[0].MetadataName, derivedIndexer.MetadataName);
Assert.NotEqual(baseIndexers[1].MetadataName, derivedIndexer.MetadataName);
// classIndexer implements both
var hiddenMembers = derivedIndexer.OverriddenOrHiddenMembers.HiddenMembers;
Assert.Equal(2, hiddenMembers.Length);
Assert.Contains(baseIndexers[0], hiddenMembers);
Assert.Contains(baseIndexers[1], hiddenMembers);
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void OverridingMultipleIndexers()
{
// NOTE: could be done in C# using IndexerNameAttribute
var il = @"
.class public auto ansi beforefieldinit Base
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('getter')}
.method public hidebysig newslot specialname virtual
instance int32 getter(int32 x) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 A(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::A
.property instance int32 B(int32)
{
.get instance int32 Base::getter(int32)
} // end of property Base::B
} // end of class Base
";
var csharp = @"
class Derived : Base
{
public override int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilationWithILAndMscorlib40(csharp, il).VerifyDiagnostics(
// (4,25): error CS0462: The inherited members 'Base.this[int]' and 'Base.this[int]' have the same signature in type 'Derived', so they cannot be overridden
Diagnostic(ErrorCode.ERR_AmbigOverride, "this").WithArguments("Base.this[int]", "Base.this[int]", "Derived"));
var baseClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexers = baseClass.Indexers;
var derivedClass = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var derivedIndexer = derivedClass.Indexers.Single();
// The indexers have the same Name
Assert.Equal(WellKnownMemberNames.Indexer, derivedIndexer.Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[0].Name);
Assert.Equal(WellKnownMemberNames.Indexer, baseIndexers[1].Name);
// The indexers have different MetadataNames
Assert.NotEqual(baseIndexers[0].MetadataName, baseIndexers[1].MetadataName);
Assert.NotEqual(baseIndexers[0].MetadataName, derivedIndexer.MetadataName);
Assert.NotEqual(baseIndexers[1].MetadataName, derivedIndexer.MetadataName);
// classIndexer implements both
var overriddenMembers = derivedIndexer.OverriddenOrHiddenMembers.OverriddenMembers;
Assert.Equal(2, overriddenMembers.Length);
Assert.Contains(baseIndexers[0], overriddenMembers);
Assert.Contains(baseIndexers[1], overriddenMembers);
}
[Fact]
public void IndexerAccessErrors()
{
var source =
@"class C
{
public int this[int x, long y] { get { return x; } set { } }
void M(C c)
{
c[0] = c[0, 0, 0]; //wrong number of arguments
c[true, 1] = c[y: 1, x: long.MaxValue]; //wrong argument types
c[1, x: 1] = c[x: 1, 2]; //bad mix of named and positional
this[q: 1, r: 2] = base[0]; //bad parameter names / no indexer
}
}";
CreateCompilation(source, parseOptions: TestOptions.Regular7_1).VerifyDiagnostics(
// (7,9): error CS7036: There is no argument given that corresponds to the required formal parameter 'y' of 'C.this[int, long]'
// c[0] = c[0, 0, 0]; //wrong number of arguments
Diagnostic(ErrorCode.ERR_NoCorrespondingArgument, "c[0]").WithArguments("y", "C.this[int, long]").WithLocation(7, 9),
// (7,16): error CS1501: No overload for method 'this' takes 3 arguments
// c[0] = c[0, 0, 0]; //wrong number of arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "c[0, 0, 0]").WithArguments("this", "3").WithLocation(7, 16),
// (8,11): error CS1503: Argument 1: cannot convert from 'bool' to 'int'
// c[true, 1] = c[y: 1, x: long.MaxValue]; //wrong argument types
Diagnostic(ErrorCode.ERR_BadArgType, "true").WithArguments("1", "bool", "int").WithLocation(8, 11),
// (8,33): error CS1503: Argument 2: cannot convert from 'long' to 'int'
// c[true, 1] = c[y: 1, x: long.MaxValue]; //wrong argument types
Diagnostic(ErrorCode.ERR_BadArgType, "long.MaxValue").WithArguments("2", "long", "int").WithLocation(8, 33),
// (9,14): error CS1744: Named argument 'x' specifies a parameter for which a positional argument has already been given
// c[1, x: 1] = c[x: 1, 2]; //bad mix of named and positional
Diagnostic(ErrorCode.ERR_NamedArgumentUsedInPositional, "x").WithArguments("x").WithLocation(9, 14),
// (9,30): error CS1738: Named argument specifications must appear after all fixed arguments have been specified. Please use language version 7.2 or greater to allow non-trailing named arguments.
// c[1, x: 1] = c[x: 1, 2]; //bad mix of named and positional
Diagnostic(ErrorCode.ERR_NamedArgumentSpecificationBeforeFixedArgument, "2").WithArguments("7.2").WithLocation(9, 30),
// (10,14): error CS1739: The best overload for 'this' does not have a parameter named 'q'
// this[q: 1, r: 2] = base[0]; //bad parameter names / no indexer
Diagnostic(ErrorCode.ERR_BadNamedArgument, "q").WithArguments("this", "q").WithLocation(10, 14),
// (10,28): error CS0021: Cannot apply indexing with [] to an expression of type 'object'
// this[q: 1, r: 2] = base[0]; //bad parameter names / no indexer
Diagnostic(ErrorCode.ERR_BadIndexLHS, "base[0]").WithArguments("object").WithLocation(10, 28)
);
}
[Fact]
public void OverloadResolutionOnIndexersNotAccessors()
{
var source =
@"class C
{
public int this[int x] { set { } }
public int this[int x, double d = 1] { get { return x; } set { } }
void M(C c)
{
int x = c[0]; //pick the first overload, even though it has no getter and the second would work
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (8,17): error CS0154: The property or indexer 'C.this[int]' cannot be used in this context because it lacks the get accessor
Diagnostic(ErrorCode.ERR_PropertyLacksGet, "c[0]").WithArguments("C.this[int]"));
}
[Fact]
public void UseExplicitInterfaceImplementationAccessor()
{
var source =
@"interface I
{
int this[int x] { get; }
}
class C : I
{
int I.this[int x] { get { return x; } }
void M(C c)
{
int x = c[0]; // no indexer found
int y = ((I)c)[0];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (13,17): error CS0021: Cannot apply indexing with [] to an expression of type 'C'
Diagnostic(ErrorCode.ERR_BadIndexLHS, "c[0]").WithArguments("C"));
}
[Fact]
public void UsePropertyAndAccessorsDirectly()
{
var source =
@"class C
{
int this[int x] { get { return x; } set { } }
void M(C c)
{
int x = c.Item[1]; //CS1061 - no such member
int y = c.get_Item(1); //CS0571 - use the indexer
c.set_Item(y); //CS0571 - use the indexer
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (7,19): error CS1061: 'C' does not contain a definition for 'Item' and no extension method 'Item' accepting a first argument of type 'C' could be found (are you missing a using directive or an assembly reference?)
Diagnostic(ErrorCode.ERR_NoSuchMemberOrExtension, "Item").WithArguments("C", "Item"),
// (8,19): error CS0571: 'C.this[int].get': cannot explicitly call operator or accessor
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("C.this[int].get"),
// (9,11): error CS0571: 'C.this[int].set': cannot explicitly call operator or accessor
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "set_Item").WithArguments("C.this[int].set"));
}
[Fact]
public void NestedIndexerAccesses()
{
var source =
@"class C
{
C this[int x] { get { return this; } set { } }
int[] this[char x] { get { return null; } set { } }
void M(C c)
{
int x = c[0][1][2][3]['a'][1]; //fine
}
}";
CreateCompilation(source).VerifyDiagnostics();
}
[Fact]
public void NamedParameters()
{
var source =
@"class C
{
int this[int x, string y, char z] { get { return x; } }
void M(C c)
{
int x;
x = c[x: 0, y: ""hello"", z:'a'];
x = c[0, y: ""hello"", z:'a'];
x = c[0, ""hello"", z:'a'];
x = c[0, ""hello"", 'a'];
x = c[z: 'a', x: 0, y: ""hello""]; //all reordered
x = c[0, z:'a', y: ""hello""]; //some reordered
}
}";
CreateCompilation(source).VerifyDiagnostics();
}
[Fact]
public void OptionalParameters()
{
var source =
@"class C
{
int this[int x = 1, string y = ""goodbye"", char z = 'b'] { get { return x; } }
void M(C c)
{
int x;
x = this[]; //CS0443 - can't omit all
x = c[x: 0];
x = c[y: ""hello""];
x = c[z:'a'];
x = c[x: 0, y: ""hello""];
x = c[x: 0, z:'a'];
x = c[y: ""hello"", z:'a'];
x = c[x: 0, y: ""hello"", z:'a'];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (8,18): error CS0443: Syntax error; value expected
Diagnostic(ErrorCode.ERR_ValueExpected, "]"));
}
[Fact]
public void ParameterArray()
{
var source =
@"class C
{
int this[params int[] args] { get { return 0; } }
int this[char c, params char[] args] { get { return 0; } }
void M(C c)
{
int x;
x = this[]; //CS0443 - can't omit all
x = c[0];
x = c[0, 1];
x = c[0, 1, 2];
x = c[new int[3]];
x = c[args: new int[3]];
x = c['a'];
x = c['a', 'b'];
x = c['a', 'b', 'c'];
x = c['a', new char[3]];
x = c['a', args: new char[3]];
x = c[args: new char[3], c: 'a'];
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (9,18): error CS0443: Syntax error; value expected
Diagnostic(ErrorCode.ERR_ValueExpected, "]"));
}
[Fact]
public void StaticIndexer()
{
var source =
@"class C
{
// Illegal, but we shouldn't blow up
public static int this[char c] { get { return 0; } } //CS0106 - illegal modifier
public static void Main()
{
int x = C['a']; //CS0119 - can't use a type here
int y = new C()['a']; //we don't even check for this kind of error because it's always cascading
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (4,23): error CS0106: The modifier 'static' is not valid for this item
Diagnostic(ErrorCode.ERR_BadMemberFlag, "this").WithArguments("static").WithLocation(4, 23),
// (8,17): error CS0119: 'C' is a 'type', which is not valid in the given context
Diagnostic(ErrorCode.ERR_BadSKunknown, "C").WithArguments("C", "type").WithLocation(8, 17));
}
[Fact]
public void OverridingAndHidingWithExplicitIndexerName()
{
var source =
@"using System;
using System.Runtime.CompilerServices;
public class A
{
public virtual int this[int x]
{
get
{
Console.WriteLine(""A"");
return 0;
}
}
}
public class B : A
{
[IndexerName(""NotItem"")]
public int this[int x]
{
get
{
Console.WriteLine(""B"");
return 0;
}
}
}
public class C : B
{
public override int this[int x]
{
get
{
Console.WriteLine(""C"");
return 0;
}
}
}";
// Doesn't matter that B's indexer has an explicit name - the symbols are all called "this[]".
CreateCompilation(source).VerifyDiagnostics(
// (19,16): warning CS0114: 'B.this[int]' hides inherited member 'A.this[int]'. To make the current member override that implementation, add the override keyword. Otherwise add the new keyword.
Diagnostic(ErrorCode.WRN_NewOrOverrideExpected, "this").WithArguments("B.this[int]", "A.this[int]"),
// (31,25): error CS0506: 'C.this[int]': cannot override inherited member 'B.this[int]' because it is not marked virtual, abstract, or override
Diagnostic(ErrorCode.ERR_CantOverrideNonVirtual, "this").WithArguments("C.this[int]", "B.this[int]"));
}
[ClrOnlyFact]
public void CanBeReferencedByName()
{
var source = @"
interface I
{
event System.Action E;
int P { get; set; }
int this[int x] { set; }
}
class C : I
{
event System.Action I.E { add { } remove { } }
public event System.Action E;
int I.P { get; set; }
public int P { get; set; }
int I.this[int x] { set { } }
public int this[int x] { set { } }
}
";
Func<bool, Action<ModuleSymbol>> validator = isFromSource => module =>
{
var globalNamespace = module.GlobalNamespace;
var compilation = module.DeclaringCompilation;
Assert.Equal(isFromSource, compilation != null);
//// Source interface
var @interface = globalNamespace.GetMember<NamedTypeSymbol>("I");
if (isFromSource)
{
Assert.True(@interface.IsFromCompilation(compilation));
}
var interfaceEvent = @interface.GetMember<EventSymbol>("E");
var interfaceProperty = @interface.GetMember<PropertySymbol>("P");
var interfaceIndexer = @interface.Indexers.Single();
Assert.True(interfaceEvent.CanBeReferencedByName);
Assert.True(interfaceProperty.CanBeReferencedByName);
Assert.False(interfaceIndexer.CanBeReferencedByName);
//// Source class
var @class = globalNamespace.GetMember<NamedTypeSymbol>("C");
if (isFromSource)
{
Assert.True(@class.IsFromCompilation(compilation));
}
var classEventImpl = @class.GetMembers().Where(m => m.GetExplicitInterfaceImplementations().Contains(interfaceEvent)).Single();
var classPropertyImpl = @class.GetMembers().Where(m => m.GetExplicitInterfaceImplementations().Contains(interfaceProperty)).Single();
var classIndexerImpl = @class.GetMembers().Where(m => m.GetExplicitInterfaceImplementations().Contains(interfaceIndexer)).Single();
Assert.False(classEventImpl.CanBeReferencedByName);
Assert.False(classPropertyImpl.CanBeReferencedByName);
Assert.False(classIndexerImpl.CanBeReferencedByName);
var classEvent = @class.GetMember<EventSymbol>("E");
var classProperty = @class.GetMember<PropertySymbol>("P");
var classIndexer = @class.Indexers.Single();
Assert.True(classEvent.CanBeReferencedByName);
Assert.True(classProperty.CanBeReferencedByName);
Assert.False(classIndexer.CanBeReferencedByName);
};
CompileAndVerify(source, sourceSymbolValidator: validator(true), symbolValidator: validator(false));
}
[Fact]
public void RegressFinalValidationAssert()
{
var source =
@"class C
{
int this[int x] { get { return x; } }
void M()
{
System.Console.WriteLine(this[0]);
}
}";
CreateCompilation(source).VerifyDiagnostics();
}
/// <summary>
/// The Name and IsIndexer bits of explicitly implemented interface indexers do not roundtrip.
/// This is unfortunate, but less so that having something declared with an IndexerDeclarationSyntax
/// return false for IsIndexer.
/// </summary>
[ClrOnlyFact]
public void ExplicitInterfaceImplementationIndexers()
{
var text = @"
public interface I
{
int this[int x] { set; }
}
public class C : I
{
int I.this[int x] { set { } }
}
";
Action<ModuleSymbol> sourceValidator = module =>
{
var globalNamespace = module.GlobalNamespace;
var classC = globalNamespace.GetMember<NamedTypeSymbol>("C");
Assert.Equal(0, classC.Indexers.Length); //excludes explicit implementations
var classCIndexer = classC.GetMembers().Where(s => s.Kind == SymbolKind.Property).Single();
Assert.Equal("I.this[]", classCIndexer.Name); //interface name + WellKnownMemberNames.Indexer
Assert.True(classCIndexer.IsIndexer()); //since declared with IndexerDeclarationSyntax
};
Action<ModuleSymbol> metadataValidator = module =>
{
var globalNamespace = module.GlobalNamespace;
var classC = globalNamespace.GetMember<NamedTypeSymbol>("C");
Assert.Equal(0, classC.Indexers.Length); //excludes explicit implementations
var classCIndexer = classC.GetMembers().Where(s => s.Kind == SymbolKind.Property).Single();
Assert.Equal("I.Item", classCIndexer.Name); //name does not reflect WellKnownMemberNames.Indexer
Assert.False(classCIndexer.IsIndexer()); //not the default member of C
};
CompileAndVerify(text, sourceSymbolValidator: sourceValidator, symbolValidator: metadataValidator);
}
[Fact]
public void NoAutoIndexers()
{
var source =
@"class B
{
public virtual int this[int x] { get; set; }
}";
CreateCompilation(source).VerifyDiagnostics(
// (3,38): error CS0501: 'B.this[int].get' must declare a body because it is not marked abstract, extern, or partial
Diagnostic(ErrorCode.ERR_ConcreteMissingBody, "get").WithArguments("B.this[int].get"),
// (3,43): error CS0501: 'B.this[int].set' must declare a body because it is not marked abstract, extern, or partial
Diagnostic(ErrorCode.ERR_ConcreteMissingBody, "set").WithArguments("B.this[int].set"));
}
[Fact]
public void BaseIndexerAccess()
{
var source =
@"public class Base
{
public int this[int x] { get { return x; } }
}
public class Derived : Base
{
public new int this[int x] { get { return x; } }
void Method()
{
int x = base[1];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var indexerAccessSyntax = GetElementAccessExpressions(tree.GetCompilationUnitRoot()).Single();
var baseClass = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var baseIndexer = baseClass.Indexers.Single();
// Confirm that the base indexer is used (even though the derived indexer signature matches).
var model = comp.GetSemanticModel(tree);
var symbolInfo = model.GetSymbolInfo(indexerAccessSyntax);
Assert.Equal(baseIndexer.GetPublicSymbol(), symbolInfo.Symbol);
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_Access()
{
var source = @"
class Test
{
static void Main()
{
RefIndexer r = new RefIndexer();
int x = 1;
x = r[ref x];
r[ref x] = 1;
r[ref x]++;
r[ref x] += 2;
}
}
";
var compilation = CreateCompilation(source, new[] { TestReferences.SymbolsTests.Indexers });
compilation.VerifyDiagnostics(
// (8,13): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"),
// (9,9): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"),
// (10,9): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"),
// (11,9): error CS1545: Property, indexer, or event 'RefIndexer.this[ref int]' is not supported by the language; try directly calling accessor methods 'RefIndexer.get_Item(ref int)' or 'RefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_BindToBogusProp2, "r[ref x]").WithArguments("RefIndexer.this[ref int]", "RefIndexer.get_Item(ref int)", "RefIndexer.set_Item(ref int, int)"));
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_CallAccessor()
{
var source = @"
class Test
{
static void Main()
{
RefIndexer r = new RefIndexer();
int x = 1;
x = r.get_Item(ref x);
r.set_Item(ref x, 1);
}
}
";
var compilation = CreateCompilation(source, new[] { TestReferences.SymbolsTests.Indexers });
compilation.VerifyDiagnostics();
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_Override()
{
var source = @"
class Test : RefIndexer
{
public override int this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source,
new MetadataReference[] { TestReferences.SymbolsTests.Indexers });
compilation.VerifyDiagnostics(
// (4,25): error CS0115: 'Test.this[int]': no suitable method found to override
Diagnostic(ErrorCode.ERR_OverrideNotExpected, "this").WithArguments("Test.this[int]"));
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_ImplicitlyImplement()
{
var source = @"
class Test : IRefIndexer
{
public int this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source, new[] { TestReferences.SymbolsTests.Indexers });
// Normally, we wouldn't see errors for the accessors, but here we do because the indexer is bogus.
compilation.VerifyDiagnostics(
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.get_Item(ref int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.get_Item(ref int)"),
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.set_Item(ref int, int)"));
}
/// <summary>
/// Indexers cannot have ref params in source, but they can in metadata.
/// </summary>
[Fact]
public void IndexerWithRefParameter_ExplicitlyImplement()
{
var source = @"
class Test : IRefIndexer
{
int IRefIndexer.this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source,
new MetadataReference[] { TestReferences.SymbolsTests.Indexers });
// Normally, we wouldn't see errors for the accessors, but here we do because the indexer is bogus.
compilation.VerifyDiagnostics(
// (4,21): error CS0539: 'Test.this[int]' in explicit interface declaration is not a member of interface
Diagnostic(ErrorCode.ERR_InterfaceMemberNotFound, "this").WithArguments("Test.this[int]"),
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.get_Item(ref int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.get_Item(ref int)"),
// (2,7): error CS0535: 'Test' does not implement interface member 'IRefIndexer.set_Item(ref int, int)'
Diagnostic(ErrorCode.ERR_UnimplementedInterfaceMember, "IRefIndexer").WithArguments("Test", "IRefIndexer.set_Item(ref int, int)"));
}
[Fact]
public void IndexerNameAttribute()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var indexer = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("B").Indexers.Single();
Assert.Equal(WellKnownMemberNames.Indexer, indexer.Name);
Assert.Equal("A", indexer.MetadataName);
Assert.Equal("get_A", indexer.GetMethod.Name);
Assert.Equal("get_A", indexer.GetMethod.MetadataName);
Assert.Equal("set_A", indexer.SetMethod.Name);
Assert.Equal("set_A", indexer.SetMethod.MetadataName);
}
[WorkItem(528830, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/528830")]
[Fact(Skip = "528830")]
public void EscapedIdentifierInIndexerNameAttribute()
{
var source = @"
using System.Runtime.CompilerServices;
interface I
{
[IndexerName(""@indexer"")]
int this[int x] { get; set; }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var indexer = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("I").Indexers.Single();
Assert.Equal("@indexer", indexer.MetadataName);
Assert.Equal("get_@indexer", indexer.GetMethod.MetadataName);
Assert.Equal("set_@indexer", indexer.SetMethod.MetadataName);
}
[Fact]
public void NameNotCopiedOnOverride1()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
class D : B
{
public override int this[int x] { get { return 0; } set { } }
[IndexerName(""A"")] //error since name isn't copied down to override
public int this[int x, int y] { get { return 0; } set { } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (15,16): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this"));
}
[Fact]
public void NameNotCopiedOnOverride2()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
class D : B
{
[IndexerName(""A"")] //dev10 didn't allow this, but it should eliminate the error
public override int this[int x] { get { return 0; } set { } }
[IndexerName(""A"")] //error since name isn't copied down to override
public int this[int x, int y] { get { return 0; } set { } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var derivedType = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("D");
Assert.True(derivedType.Indexers.All(i => i.MetadataName == "A"));
}
[Fact]
public void NameNotCopiedOnOverride3()
{
var source = @"
using System.Runtime.CompilerServices;
class B
{
[IndexerName(""A"")]
public virtual int this[int x] { get { return 0; } set { } }
}
class D : B
{
public override int this[int x] { get { return 0; } set { } }
// If the name of the overridden indexer was copied, this would be an error.
public int this[int x, int y] { get { return 0; } set { } }
}
";
CreateCompilation(source).VerifyDiagnostics();
}
[Fact]
public void IndexerNameLookup1()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string get_X = ""X"";
}
class B : A
{
[IndexerName(C.get_X)]
public int this[int x] { get { return 0; } }
}
class C : B
{
[IndexerName(get_X)]
public int this[int x, int y] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
var classA = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("A");
var classB = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("B");
var classC = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var get_XA = classA.GetMember<FieldSymbol>("get_X");
var get_XB = classB.GetMember<MethodSymbol>("get_X");
var get_XC = classC.GetMember<MethodSymbol>("get_X");
Assert.Equal("X", get_XB.AssociatedSymbol.MetadataName);
Assert.Equal("X", get_XC.AssociatedSymbol.MetadataName);
}
[Fact]
public void IndexerNameLookup2()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string get_X = ""X"";
[IndexerName(get_X)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics(
// (9,30): error CS0102: The type 'A' already contains a definition for 'get_X'
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "get").WithArguments("A", "get_X"));
var classA = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("A");
Assert.Equal("X", classA.Indexers.Single().MetadataName);
}
[Fact]
public void IndexerNameLookup3()
{
var source = @"
using System.Runtime.CompilerServices;
public class MyAttribute : System.Attribute
{
public MyAttribute(object o) { }
}
class A
{
[IndexerName(get_Item)]
public int this[int x] { get { return 0; } }
// Doesn't matter what attribute it is or what member it's on - can't see indexer members.
[MyAttribute(get_Item)]
int x;
}
";
// NOTE: Dev10 reports CS0571 for MyAttribute's use of get_Item
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics(
// (11,18): error CS0571: 'A.this[int].get': cannot explicitly call operator or accessor
// [IndexerName(get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("A.this[int].get"),
// (15,18): error CS0571: 'A.this[int].get': cannot explicitly call operator or accessor
// [MyAttribute(get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("A.this[int].get"),
// (16,9): warning CS0169: The field 'A.x' is never used
// int x;
Diagnostic(ErrorCode.WRN_UnreferencedField, "x").WithArguments("A.x"));
}
[Fact]
public void IndexerNameLookup4()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
[IndexerName(B.get_Item)]
public int this[int x] { get { return 0; } }
}
class B
{
[IndexerName(A.get_Item)]
public int this[int x] { get { return 0; } }
}
";
// NOTE: Dev10 reports CS0117 in A, but CS0571 in B
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics(
// (6,20): error CS0571: 'B.this[int].get': cannot explicitly call operator or accessor
// [IndexerName(B.get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("B.this[int].get"),
// (12,20): error CS0571: 'A.this[int].get': cannot explicitly call operator or accessor
// [IndexerName(A.get_Item)]
Diagnostic(ErrorCode.ERR_CantCallSpecialMethod, "get_Item").WithArguments("A.this[int].get"));
}
[Fact]
public void IndexerNameLookup5()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string get_Item = ""X"";
}
class B : A
{
public const string C = get_Item;
[IndexerName(C)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
compilation.VerifyDiagnostics();
}
[Fact]
public void IndexerNameLookupClass()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string Constant1 = B.Constant1;
public const string Constant2 = B.Constant2;
}
class B
{
public const string Constant1 = ""X"";
public const string Constant2 = A.Constant2;
[IndexerName(A.Constant1)]
public int this[int x] { get { return 0; } }
[IndexerName(A.Constant2)]
public int this[long x] { get { return 0; } }
}
";
// CONSIDER: this cascading is a bit verbose.
CreateCompilation(source).VerifyDiagnostics(
// (18,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Constant2"),
// (7,25): error CS0110: The evaluation of the constant value for 'A.Constant2' involves a circular definition
// public const string Constant2 = B.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A.Constant2"),
// (19,16): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
// public int this[long x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this"));
}
[Fact]
public void IndexerNameLookupStruct()
{
var source = @"
using System.Runtime.CompilerServices;
struct A
{
public const string Constant1 = B.Constant1;
public const string Constant2 = B.Constant2;
}
struct B
{
public const string Constant1 = ""X"";
public const string Constant2 = A.Constant2;
[IndexerName(A.Constant1)]
public int this[int x] { get { return 0; } }
[IndexerName(A.Constant2)]
public int this[long x] { get { return 0; } }
}
";
// CONSIDER: this cascading is a bit verbose.
CreateCompilation(source).VerifyDiagnostics(
// (18,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Constant2"),
// (13,25): error CS0110: The evaluation of the constant value for 'A.Constant2' involves a circular definition
// public const string Constant2 = A.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A.Constant2"),
// (19,16): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
// public int this[long x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this"));
}
[Fact]
public void IndexerNameLookupInterface()
{
var source = @"
using System.Runtime.CompilerServices;
interface A
{
const string Constant1 = B.Constant1;
const string Constant2 = B.Constant2;
}
interface B
{
const string Constant1 = ""X"";
const string Constant2 = A.Constant2;
[IndexerName(A.Constant1)]
int this[int x] { get; }
[IndexerName(A.Constant2)]
int this[long x] { get; }
}
";
// CONSIDER: this cascading is a bit verbose.
CreateCompilation(source, parseOptions: TestOptions.Regular7, targetFramework: TargetFramework.NetCoreApp).VerifyDiagnostics(
// (18,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Constant2").WithLocation(18, 18),
// (7,18): error CS0110: The evaluation of the constant value for 'A.Constant2' involves a circular definition
// const string Constant2 = B.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A.Constant2").WithLocation(7, 18),
// (19,9): error CS0668: Two indexers have different names; the IndexerName attribute must be used with the same name on every indexer within a type
// int this[long x] { get; }
Diagnostic(ErrorCode.ERR_InconsistentIndexerNames, "this").WithLocation(19, 9),
// (12,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = "X";
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(12, 18),
// (13,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = A.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(13, 18),
// (6,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = B.Constant1;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(6, 18),
// (7,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = B.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(7, 18)
);
}
[Fact]
public void IndexerNameLookupGenericClass()
{
var source = @"
using System.Runtime.CompilerServices;
class A<T>
{
public const string Constant1 = B<string>.Constant1;
public const string Constant2 = B<int>.Constant2;
[IndexerName(B<byte>.Constant2)]
public int this[long x] { get { return 0; } }
}
class B<T>
{
public const string Constant1 = ""X"";
public const string Constant2 = A<bool>.Constant2;
[IndexerName(A<char>.Constant1)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (9,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B<byte>.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B<byte>.Constant2"),
// (7,25): error CS0110: The evaluation of the constant value for 'A<T>.Constant2' involves a circular definition
// public const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A<T>.Constant2"));
}
[Fact]
public void IndexerNameLookupGenericStruct()
{
var source = @"
using System.Runtime.CompilerServices;
struct A<T>
{
public const string Constant1 = B<string>.Constant1;
public const string Constant2 = B<int>.Constant2;
[IndexerName(B<byte>.Constant2)]
public int this[long x] { get { return 0; } }
}
struct B<T>
{
public const string Constant1 = ""X"";
public const string Constant2 = A<bool>.Constant2;
[IndexerName(A<char>.Constant1)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (9,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B<byte>.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B<byte>.Constant2"),
// (7,25): error CS0110: The evaluation of the constant value for 'A<T>.Constant2' involves a circular definition
// public const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A<T>.Constant2"));
}
[Fact]
public void IndexerNameLookupGenericInterface()
{
var source = @"
using System.Runtime.CompilerServices;
interface A<T>
{
const string Constant1 = B<string>.Constant1;
const string Constant2 = B<int>.Constant2;
[IndexerName(B<byte>.Constant2)]
int this[long x] { get; }
}
interface B<T>
{
const string Constant1 = ""X"";
const string Constant2 = A<bool>.Constant2;
[IndexerName(A<char>.Constant1)]
int this[int x] { get; }
}
";
CreateCompilation(source, parseOptions: TestOptions.Regular7, targetFramework: TargetFramework.NetCoreApp).VerifyDiagnostics(
// (9,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B<byte>.Constant2)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B<byte>.Constant2").WithLocation(9, 18),
// (7,18): error CS0110: The evaluation of the constant value for 'A<T>.Constant2' involves a circular definition
// const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("A<T>.Constant2").WithLocation(7, 18),
// (15,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = "X";
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(15, 18),
// (16,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = A<bool>.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(16, 18),
// (6,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant1 = B<string>.Constant1;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant1").WithArguments("default interface implementation", "8.0").WithLocation(6, 18),
// (7,18): error CS8652: The feature 'default interface implementation' is not available in C# 7.0. Please use language version 8.0 or greater.
// const string Constant2 = B<int>.Constant2;
Diagnostic(ErrorCode.ERR_FeatureNotAvailableInVersion7, "Constant2").WithArguments("default interface implementation", "8.0").WithLocation(7, 18)
);
}
[Fact]
public void IndexerNameLookupTypeParameter()
{
var source = @"
using System.Runtime.CompilerServices;
class P
{
public const string Constant1 = Q.Constant1;
public const string Constant2 = Q.Constant2;
}
class Q
{
public const string Constant1 = ""X"";
public const string Constant2 = P.Constant2;
}
class A<T> where T : P
{
[IndexerName(T.Constant1)]
public int this[long x] { get { return 0; } }
}
class B<T> where T : Q
{
[IndexerName(T.Constant2)]
public int this[long x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (7,25): error CS0110: The evaluation of the constant value for 'P.Constant2' involves a circular definition
// public const string Constant2 = Q.Constant2;
Diagnostic(ErrorCode.ERR_CircConstValue, "Constant2").WithArguments("P.Constant2"),
// (18,18): error CS0119: 'T' is a type parameter, which is not valid in the given context
// [IndexerName(T.Constant1)]
Diagnostic(ErrorCode.ERR_BadSKunknown, "T").WithArguments("T", "type parameter"),
// (24,18): error CS0119: 'T' is a type parameter, which is not valid in the given context
// [IndexerName(T.Constant2)]
Diagnostic(ErrorCode.ERR_BadSKunknown, "T").WithArguments("T", "type parameter"));
}
[Fact]
public void IndexerNameLookupEnum()
{
var source = @"
using System.Runtime.CompilerServices;
enum E
{
A,
B,
C = 6,
D,
E = F,
F = E
}
class A
{
[IndexerName(E.A)]
public int this[long x] { get { return 0; } }
[IndexerName(E.B)]
public int this[char x] { get { return 0; } }
[IndexerName(E.C)]
public int this[bool x] { get { return 0; } }
[IndexerName(E.D)]
public int this[uint x] { get { return 0; } }
[IndexerName(E.E)]
public int this[byte x] { get { return 0; } }
[IndexerName(E.F)]
public int this[ulong x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,5): error CS0110: The evaluation of the constant value for 'E.E' involves a circular definition
// E = F,
Diagnostic(ErrorCode.ERR_CircConstValue, "E").WithArguments("E.E"),
// (16,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.A)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.A").WithArguments("1", "E", "string"),
// (19,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.B)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.B").WithArguments("1", "E", "string"),
// (22,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.C)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.C").WithArguments("1", "E", "string"),
// (25,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.D)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.D").WithArguments("1", "E", "string"),
// (28,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.E)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.E").WithArguments("1", "E", "string"),
// (31,18): error CS1503: Argument 1: cannot convert from 'E' to 'string'
// [IndexerName(E.F)]
Diagnostic(ErrorCode.ERR_BadArgType, "E.F").WithArguments("1", "E", "string"));
}
[Fact]
public void IndexerNameLookupProperties()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
internal static string Name { get { return ""A""; } }
[IndexerName(B.Name)]
public int this[int x] { get { return 0; } }
}
class B
{
internal static string Name { get { return ""B""; } }
[IndexerName(A.Name)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (13,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.Name)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.Name"),
// (7,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B.Name)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B.Name"));
}
[Fact]
public void IndexerNameLookupCalls()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
internal static string GetName() { return ""A""; }
[IndexerName(B.GetName())]
public int this[int x] { get { return 0; } }
}
class B
{
internal static string GetName() { return ""B""; }
[IndexerName(A.GetName())]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (7,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(B.GetName())]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "B.GetName()"),
// (13,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(A.GetName())]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "A.GetName()"));
}
[Fact]
public void IndexerNameLookupNonExistent()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
[IndexerName(B.Fake)]
public int this[int x] { get { return 0; } }
}
class B
{
[IndexerName(A.Fake)]
public int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (11,20): error CS0117: 'A' does not contain a definition for 'Fake'
// [IndexerName(A.Fake)]
Diagnostic(ErrorCode.ERR_NoSuchMember, "Fake").WithArguments("A", "Fake"),
// (6,20): error CS0117: 'B' does not contain a definition for 'Fake'
// [IndexerName(B.Fake)]
Diagnostic(ErrorCode.ERR_NoSuchMember, "Fake").WithArguments("B", "Fake"));
}
[Fact]
public void IndexerNameNotEmitted()
{
var source = @"
using System.Runtime.CompilerServices;
class Program
{
[IndexerName(""A"")]
public int this[int x]
{
get { return 0; }
set { }
}
}
";
var compilation = CreateCompilation(source).VerifyDiagnostics();
var indexer = compilation.GlobalNamespace.GetMember<NamedTypeSymbol>("Program").Indexers.Single();
Assert.True(indexer.IsIndexer);
Assert.Equal("A", indexer.MetadataName);
Assert.True(indexer.GetAttributes().Single().IsTargetAttribute(indexer, AttributeDescription.IndexerNameAttribute));
CompileAndVerify(compilation, symbolValidator: module =>
{
var peIndexer = (PEPropertySymbol)module.GlobalNamespace.GetTypeMember("Program").Indexers.Single();
Assert.True(peIndexer.IsIndexer);
Assert.Equal("A", peIndexer.MetadataName);
Assert.Empty(peIndexer.GetAttributes());
Assert.Empty(((PEModuleSymbol)module).GetCustomAttributesForToken(peIndexer.Handle));
});
}
[WorkItem(545884, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545884")]
[Fact]
public void IndexerNameDeadlock1()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
public const string Name = ""A"";
[IndexerName(B.Name)]
public int this[int x] { get { return 0; } }
}
class B
{
public const string Name = ""B"";
[IndexerName(A.Name)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
var loopResult = Parallel.ForEach(compilation.GlobalNamespace.GetTypeMembers(), type =>
type.ForceComplete(null, default(CancellationToken)));
Assert.True(loopResult.IsCompleted);
compilation.VerifyDiagnostics();
}
[WorkItem(545884, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545884")]
[Fact]
public void IndexerNameDeadlock2()
{
var source = @"
using System.Runtime.CompilerServices;
class A
{
private const string Name = ""A"";
[IndexerName(B.Name)]
public int this[int x] { get { return 0; } }
}
class B
{
private const string Name = ""B"";
[IndexerName(A.Name)]
public int this[int x] { get { return 0; } }
}
";
var compilation = CreateCompilation(source);
var loopResult = Parallel.ForEach(compilation.GlobalNamespace.GetTypeMembers(), type =>
type.ForceComplete(null, default(CancellationToken)));
Assert.True(loopResult.IsCompleted);
compilation.VerifyDiagnostics(
// (7,20): error CS0122: 'B.Name' is inaccessible due to its protection level
// [IndexerName(B.Name)]
Diagnostic(ErrorCode.ERR_BadAccess, "Name").WithArguments("B.Name"),
// (14,20): error CS0122: 'A.Name' is inaccessible due to its protection level
// [IndexerName(A.Name)]
Diagnostic(ErrorCode.ERR_BadAccess, "Name").WithArguments("A.Name"));
}
[Fact]
public void OverloadResolutionPrecedence()
{
var source =
@"public class C
{
public int this[int x] { get { return 0; } }
public int this[int x, int y = 1] { get { return 0; } }
public int this[params int[] x] { get { return 0; } }
void Method()
{
int x;
x = this[1];
x = this[1, 2];
x = this[1, 2, 3];
x = this[new int[1]];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
"System.Int32 C.this[System.Int32 x] { get; }",
"System.Int32 C.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 C.this[params System.Int32[] x] { get; }",
"System.Int32 C.this[params System.Int32[] x] { get; }");
}
[Fact]
public void OverloadResolutionOverriding()
{
var source =
@"public class Base
{
public virtual int this[int x] { get { return 0; } }
public virtual int this[int x, int y = 1] { get { return 0; } }
public virtual int this[params int[] x] { get { return 0; } }
}
public class Derived : Base
{
public override int this[int x] { get { return 0; } }
public override int this[int x, int y = 1] { get { return 0; } }
public override int this[params int[] x] { get { return 0; } }
void Method()
{
int x;
x = this[1];
x = this[1, 2];
x = this[1, 2, 3];
x = base[1];
x = base[1, 2];
x = base[1, 2, 3];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
// NOTE: we'll actually emit calls to the corresponding base indexers
"System.Int32 Derived.this[System.Int32 x] { get; }",
"System.Int32 Derived.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 Derived.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[System.Int32 x] { get; }",
"System.Int32 Base.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }");
}
[Fact]
public void OverloadResolutionFallbackInBase()
{
var source =
@"public class Base
{
public int this[params int[] x] { get { return 0; } }
}
public class Derived : Base
{
public int this[int x] { get { return 0; } }
public int this[int x, int y = 1] { get { return 0; } }
void Method()
{
int x;
x = this[1];
x = this[1, 2];
x = this[1, 2, 3];
x = base[1];
x = base[1, 2];
x = base[1, 2, 3];
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
"System.Int32 Derived.this[System.Int32 x] { get; }",
"System.Int32 Derived.this[System.Int32 x, [System.Int32 y = 1]] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }",
"System.Int32 Base.this[params System.Int32[] x] { get; }");
}
[Fact]
public void OverloadResolutionDerivedRemovesParamsModifier()
{
var source =
@"abstract class Base
{
public abstract int this[Derived c1, Derived c2, params Derived[] c3] { get; }
}
class Derived : Base
{
public override int this[Derived C1, Derived C2, Derived[] C3] { get { return 0; } } //removes 'params'
}
class Test2
{
public static void Main2()
{
Derived d = new Derived();
Base b = d;
int x;
x = b[d, d, d, d, d]; // Fine
x = d[d, d, d, d, d]; // Fine
}
}";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
CheckOverloadResolutionResults(tree, model,
"System.Int32 Base.this[Derived c1, Derived c2, params Derived[] c3] { get; }",
"System.Int32 Derived.this[Derived C1, Derived C2, params Derived[] C3] { get; }");
}
[Fact]
public void OverloadResolutionDerivedAddsParamsModifier()
{
var source =
@"abstract class Base
{
public abstract int this[Derived c1, Derived c2, Derived[] c3] { get; }
}
class Derived : Base
{
public override int this[Derived C1, Derived C2, params Derived[] C3] { get { return 0; } } //adds 'params'
}
class Test2
{
public static void Main2()
{
Derived d = new Derived();
Base b = d;
int x;
x = b[d, d, d, d, d]; // CS1501
x = d[d, d, d, d, d]; // CS1501
}
}";
CreateCompilation(source).VerifyDiagnostics(
// (16,13): error CS1501: No overload for method 'this' takes 5 arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "b[d, d, d, d, d]").WithArguments("this", "5"),
// (17,13): error CS1501: No overload for method 'this' takes 5 arguments
Diagnostic(ErrorCode.ERR_BadArgCount, "d[d, d, d, d, d]").WithArguments("this", "5"));
}
[WorkItem(542747, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/542747")]
[Fact()]
public void IndexerAccessorParameterIsSynthesized()
{
var text = @"
struct Test
{
public byte this[byte p] { get { return p; } }
}
";
var comp = CreateCompilation(text);
NamedTypeSymbol type01 = comp.SourceModule.GlobalNamespace.GetTypeMembers("Test").Single();
var indexer = type01.GetMembers(WellKnownMemberNames.Indexer).Single() as PropertySymbol;
Assert.NotNull(indexer.GetMethod);
Assert.False(indexer.GetMethod.Parameters.IsEmpty);
// VB is SynthesizedParameterSymbol; C# is SourceComplexParameterSymbol
foreach (var p in indexer.GetMethod.Parameters)
{
Assert.True(p.IsImplicitlyDeclared, "Parameter of Indexer Accessor");
}
}
[WorkItem(542831, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/542831")]
[Fact]
public void ProtectedBaseIndexer()
{
var text = @"
public class Base
{
protected int this[int index] { get { return 0; } }
}
public class Derived : Base
{
public int M()
{
return base[0];
}
}
";
CreateCompilation(text).VerifyDiagnostics();
}
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void SameSignaturesDifferentNames()
{
var ilSource = @"
.class public auto ansi beforefieldinit SameSignaturesDifferentNames
extends [mscorlib]System.Object
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string)
= {string('Accessor1')}
.method public hidebysig specialname instance int32
Accessor1(int32 x, int64 y) cil managed
{
ldc.i4.0
ret
}
.method public hidebysig specialname instance void
Accessor2(int32 x, int64 y,
int32 'value') cil managed
{
ret
}
.method public hidebysig specialname instance void
Accessor3(int32 x, int64 y,
int32 'value') cil managed
{
ret
}
.method public hidebysig specialname rtspecialname
instance void .ctor() cil managed
{
ldarg.0
call instance void [mscorlib]System.Object::.ctor()
ret
}
.property instance int32 Indexer1(int32, int64)
{
.get instance int32 SameSignaturesDifferentNames::Accessor1(int32, int64)
.set instance void SameSignaturesDifferentNames::Accessor2(int32, int64, int32)
}
.property instance int32 Indexer2(int32, int64)
{
.get instance int32 SameSignaturesDifferentNames::Accessor1(int32, int64)
.set instance void SameSignaturesDifferentNames::Accessor3(int32, int64, int32)
}
}";
var cSharpSource = @"
class Test
{
static void Main()
{
SameSignaturesDifferentNames s = new SameSignaturesDifferentNames();
System.Console.WriteLine(s[0, 1]);
}
}
";
CreateCompilationWithILAndMscorlib40(cSharpSource, ilSource).VerifyDiagnostics(
// (7,34): error CS0121: The call is ambiguous between the following methods or properties: 'SameSignaturesDifferentNames.this[int, long]' and 'SameSignaturesDifferentNames.this[int, long]'
Diagnostic(ErrorCode.ERR_AmbigCall, "s[0, 1]").WithArguments("SameSignaturesDifferentNames.this[int, long]", "SameSignaturesDifferentNames.this[int, long]"));
}
[WorkItem(543261, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543261")]
[ClrOnlyFact]
public void OverrideOneAccessorOnly()
{
var source =
@"class A
{
public virtual object this[object index] { get { return null; } set { } }
}
class B1 : A
{
public override object this[object index] { get { return base[index]; } }
}
class B2 : A
{
public override object this[object index] { set { base[index] = value; } }
}
class C
{
static void M(B1 _1, B2 _2)
{
_1[null] = _1[null];
_2[null] = _2[null];
}
}";
CompileAndVerify(source);
}
private static void CheckOverloadResolutionResults(SyntaxTree tree, SemanticModel model, params string[] expected)
{
var actual = GetElementAccessExpressions(tree.GetCompilationUnitRoot()).Select(syntax => model.GetSymbolInfo(syntax).Symbol.ToTestDisplayString());
AssertEx.Equal(expected, actual, itemInspector: s => string.Format("\"{0}\"", s));
}
private static IEnumerable<ElementAccessExpressionSyntax> GetElementAccessExpressions(SyntaxNode node)
{
return node == null ?
SpecializedCollections.EmptyEnumerable<ElementAccessExpressionSyntax>() :
node.DescendantNodesAndSelf().Where(s => s.IsKind(SyntaxKind.ElementAccessExpression)).Cast<ElementAccessExpressionSyntax>();
}
[Fact]
public void PartialType()
{
var text1 = @"
partial class C
{
public int this[int x] { get { return 0; } set { } }
}";
var text2 = @"
partial class C
{
public void M() {}
}
";
var compilation = CreateCompilation(new string[] { text1, text2 });
Assert.True(((TypeSymbol)compilation.GlobalNamespace.GetTypeMembers("C").Single()).GetMembers().Any(x => x.IsIndexer()));
//test with text inputs reversed in case syntax ordering predicate ever changes.
compilation = CreateCompilation(new string[] { text2, text1 });
Assert.True(((TypeSymbol)compilation.GlobalNamespace.GetTypeMembers("C").Single()).GetMembers().Any(x => x.IsIndexer()));
}
[WorkItem(543957, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543957")]
[Fact]
public void SemanticModelIndexerGroupHiding()
{
var source =
@"public class Base
{
public int this[int x] { get { return x; } }
public virtual int this[int x, int y] { get { return x; } }
public int this[int x, int y, int z] { get { return x; } }
}
public class Derived : Base
{
public new int this[int x] { get { return x; } }
public override int this[int x, int y] { get { return x; } }
void Method()
{
int x;
x = this[1];
x = base[1];
Derived d = new Derived();
x = d[1];
Base b = new Base();
x = b[1];
Wrapper w = new Wrapper();
x = w.Base[1];
x = w.Derived[1];
x = (d ?? w.Derived)[1];
}
}
public class Wrapper
{
public Base Base;
public Derived Derived;
}
";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
var elementAccessSyntaxes = GetElementAccessExpressions(tree.GetCompilationUnitRoot());
// The access itself doesn't have an indexer group.
foreach (var syntax in elementAccessSyntaxes)
{
Assert.Equal(0, model.GetIndexerGroup(syntax).Length);
}
var baseType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var derivedType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived");
var baseIndexers = baseType.Indexers;
var derivedIndexers = derivedType.Indexers;
var baseIndexer3 = baseIndexers.Single(indexer => indexer.ParameterCount == 3);
var baseIndexerGroup = baseIndexers;
var derivedIndexerGroup = derivedIndexers.Concat(ImmutableArray.Create<PropertySymbol>(baseIndexer3));
var receiverSyntaxes = elementAccessSyntaxes.Select(access => access.Expression);
Assert.Equal(7, receiverSyntaxes.Count());
// The receiver of each access expression has an indexer group.
foreach (var syntax in receiverSyntaxes)
{
var type = model.GetTypeInfo(syntax).Type.GetSymbol();
Assert.NotNull(type);
var indexerGroup = model.GetIndexerGroup(syntax);
if (type.Equals(baseType))
{
Assert.True(indexerGroup.SetEquals(baseIndexerGroup.GetPublicSymbols(), EqualityComparer<IPropertySymbol>.Default));
}
else if (type.Equals(derivedType))
{
Assert.True(indexerGroup.SetEquals(derivedIndexerGroup.GetPublicSymbols(), EqualityComparer<IPropertySymbol>.Default));
}
else
{
Assert.True(false, "Unexpected type " + type.ToTestDisplayString());
}
}
}
[WorkItem(543957, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543957")]
[Fact]
public void SemanticModelIndexerGroupAccessibility()
{
var source =
@"class Base
{
private int this[int x] { get { return 0; } }
protected int this[string x] { get { return 0; } }
public int this[bool x] { get { return 0; } }
void M()
{
int x;
x = this[1]; //all
}
}
class Derived1 : Base
{
void M()
{
int x;
x = this[""string""]; //public and protected
Derived2 d = new Derived2();
x = d[true]; //only public
}
}
class Derived2 : Base
{
}
";
var tree = Parse(source);
var comp = CreateCompilation(tree);
comp.VerifyDiagnostics();
var model = comp.GetSemanticModel(tree);
var elementAccessSyntaxes = GetElementAccessExpressions(tree.GetCompilationUnitRoot());
// The access itself doesn't have an indexer group.
foreach (var syntax in elementAccessSyntaxes)
{
Assert.Equal(0, model.GetIndexerGroup(syntax).Length);
}
var baseType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Base");
var derived1Type = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived1");
var derived2Type = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("Derived2");
var indexers = baseType.Indexers;
var publicIndexer = indexers.Single(indexer => indexer.DeclaredAccessibility == Accessibility.Public);
var protectedIndexer = indexers.Single(indexer => indexer.DeclaredAccessibility == Accessibility.Protected);
var privateIndexer = indexers.Single(indexer => indexer.DeclaredAccessibility == Accessibility.Private);
var receiverSyntaxes = elementAccessSyntaxes.Select(access => access.Expression).ToArray();
Assert.Equal(3, receiverSyntaxes.Length);
// In declaring type, can see everything.
Assert.True(model.GetIndexerGroup(receiverSyntaxes[0]).SetEquals(
ImmutableArray.Create<PropertySymbol>(publicIndexer, protectedIndexer, privateIndexer).GetPublicSymbols(),
EqualityComparer<IPropertySymbol>.Default));
// In subtype of declaring type, can see non-private.
Assert.True(model.GetIndexerGroup(receiverSyntaxes[1]).SetEquals(
ImmutableArray.Create<PropertySymbol>(publicIndexer, protectedIndexer).GetPublicSymbols(),
EqualityComparer<IPropertySymbol>.Default));
// In subtype of declaring type, can only see public (or internal) members of other subtypes.
Assert.True(model.GetIndexerGroup(receiverSyntaxes[2]).SetEquals(
ImmutableArray.Create<PropertySymbol>(publicIndexer).GetPublicSymbols(),
EqualityComparer<IPropertySymbol>.Default));
}
[WorkItem(545851, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545851")]
[ClrOnlyFact(ClrOnlyReason.Ilasm)]
public void DistinctOptionalParameterValues()
{
var source1 =
@".class abstract public A
{
.custom instance void [mscorlib]System.Reflection.DefaultMemberAttribute::.ctor(string) = {string('P')}
.method public hidebysig specialname rtspecialname instance void .ctor()
{
ret
}
.method public abstract virtual instance int32 get_P(int32 x, [opt] int32 y)
{
.param[2] = int32(1)
}
.method public abstract virtual instance void set_P(int32 x, [opt] int32 y, int32 v)
{
.param[2] = int32(2)
}
.property instance int32 P(int32, int32)
{
.get instance int32 A::get_P(int32, int32)
.set instance void A::set_P(int32, int32, int32)
}
}";
var reference1 = CompileIL(source1);
var source2 =
@"using System;
class B : A
{
public override int this[int x, int y = 3]
{
get
{
Console.WriteLine(""get_P: {0}"", y);
return 0;
}
set
{
Console.WriteLine(""set_P: {0}"", y);
}
}
}
class C
{
static void Main()
{
B b = new B();
b[0] = b[0];
b[1] += 1;
A a = b;
a[0] = a[0];
a[1] += 1; // Dev11 uses get_P default for both
}
}";
var compilation2 = CompileAndVerify(source2, references: new[] { reference1 }, expectedOutput:
@"get_P: 3
set_P: 3
get_P: 3
set_P: 3
get_P: 1
set_P: 2
get_P: 1
set_P: 1");
}
[Fact, WorkItem(546255, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546255")]
public void RetargetingIndexerMetadataName()
{
#region "Source"
var src1 = @"using System;
public interface IGoo
{
int this[int i] { get; }
}
public class Goo : IGoo
{
public int this[int i] { get { return i; } }
}
";
var src2 = @"using System;
class Test
{
public void M()
{
IGoo igoo = new Goo();
var local = igoo[100];
}
}
";
#endregion
var comp1 = CreateEmptyCompilation(src1, new[] { TestMetadata.Net40.mscorlib });
var comp2 = CreateCompilation(src2, new[] { new CSharpCompilationReference(comp1) });
var typeSymbol = comp1.SourceModule.GlobalNamespace.GetMember<NamedTypeSymbol>("IGoo");
var idxSymbol = typeSymbol.GetMember<PropertySymbol>(WellKnownMemberNames.Indexer);
Assert.NotNull(idxSymbol);
Assert.Equal("this[]", idxSymbol.Name);
Assert.Equal("Item", idxSymbol.MetadataName);
var tree = comp2.SyntaxTrees[0];
var model = comp2.GetSemanticModel(tree);
ExpressionSyntax expr = tree.GetCompilationUnitRoot().DescendantNodes().OfType<ElementAccessExpressionSyntax>().FirstOrDefault();
var idxSymbol2 = model.GetSymbolInfo(expr);
Assert.NotNull(idxSymbol2.Symbol);
Assert.Equal(WellKnownMemberNames.Indexer, idxSymbol2.Symbol.Name);
Assert.Equal("Item", idxSymbol2.Symbol.MetadataName);
}
[Fact, WorkItem(546255, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546255")]
public void SubstitutedIndexerMetadataName()
{
var source = @"
class C<T>
{
int this[int x] { get { return 0; } }
}
";
var comp = CreateCompilation(source);
comp.VerifyDiagnostics();
var unsubstitutedType = comp.GlobalNamespace.GetMember<NamedTypeSymbol>("C");
var unsubstitutedIndexer = unsubstitutedType.GetMember<SourcePropertySymbol>(WellKnownMemberNames.Indexer);
Assert.Equal(WellKnownMemberNames.Indexer, unsubstitutedIndexer.Name);
Assert.Equal("Item", unsubstitutedIndexer.MetadataName);
var substitutedType = unsubstitutedType.Construct(comp.GetSpecialType(SpecialType.System_Int32));
var substitutedIndexer = substitutedType.GetMember<SubstitutedPropertySymbol>(WellKnownMemberNames.Indexer);
Assert.Equal(WellKnownMemberNames.Indexer, substitutedIndexer.Name);
Assert.Equal("Item", substitutedIndexer.MetadataName);
}
[Fact, WorkItem(806258, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/806258")]
public void ConflictWithTypeParameter()
{
var source = @"
class C<Item, get_Item>
{
int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (4,9): error CS0102: The type 'C<Item, get_Item>' already contains a definition for 'Item'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "this").WithArguments("C<Item, get_Item>", "Item"),
// (4,23): error CS0102: The type 'C<Item, get_Item>' already contains a definition for 'get_Item'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "get").WithArguments("C<Item, get_Item>", "get_Item"));
}
[Fact, WorkItem(806258, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/806258")]
public void ConflictWithTypeParameter_IndexerNameAttribute()
{
var source = @"
using System.Runtime.CompilerServices;
class C<A, get_A>
{
[IndexerName(""A"")]
int this[int x] { get { return 0; } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (7,9): error CS0102: The type 'C<A, get_A>' already contains a definition for 'A'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "this").WithArguments("C<A, get_A>", "A"),
// (7,23): error CS0102: The type 'C<A, get_A>' already contains a definition for 'get_A'
// int this[int x] { get { return 0; } }
Diagnostic(ErrorCode.ERR_DuplicateNameInClass, "get").WithArguments("C<A, get_A>", "get_A"));
}
[Fact]
public void IndexerNameNoConstantValue()
{
var source =
@"using System.Runtime.CompilerServices;
class C
{
const string F;
[IndexerName(F)]
object this[object o] { get { return null; } }
}";
CreateCompilation(source).VerifyDiagnostics(
// (4,18): error CS0145: A const field requires a value to be provided
// const string F;
Diagnostic(ErrorCode.ERR_ConstValueRequired, "F").WithLocation(4, 18),
// (5,18): error CS0182: An attribute argument must be a constant expression, typeof expression or array creation expression of an attribute parameter type
// [IndexerName(F)]
Diagnostic(ErrorCode.ERR_BadAttributeArgument, "F").WithLocation(5, 18));
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/VisualBasic/Portable/Structure/Providers/TypeDeclarationStructureProvider.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.Threading
Imports Microsoft.CodeAnalysis.[Shared].Collections
Imports Microsoft.CodeAnalysis.Structure
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.Structure
Friend Class TypeDeclarationStructureProvider
Inherits AbstractSyntaxNodeStructureProvider(Of TypeStatementSyntax)
Protected Overrides Sub CollectBlockSpans(typeDeclaration As TypeStatementSyntax,
ByRef spans As TemporaryArray(Of BlockSpan),
optionProvider As BlockStructureOptionProvider,
cancellationToken As CancellationToken)
CollectCommentsRegions(typeDeclaration, spans, optionProvider)
Dim block = TryCast(typeDeclaration.Parent, TypeBlockSyntax)
If Not block?.EndBlockStatement.IsMissing Then
spans.AddIfNotNull(CreateBlockSpanFromBlock(
block, bannerNode:=typeDeclaration, autoCollapse:=False,
type:=BlockTypes.Type, isCollapsible:=True))
CollectCommentsRegions(block.EndBlockStatement, spans, optionProvider)
End If
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.
Imports System.Threading
Imports Microsoft.CodeAnalysis.[Shared].Collections
Imports Microsoft.CodeAnalysis.Structure
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.Structure
Friend Class TypeDeclarationStructureProvider
Inherits AbstractSyntaxNodeStructureProvider(Of TypeStatementSyntax)
Protected Overrides Sub CollectBlockSpans(typeDeclaration As TypeStatementSyntax,
ByRef spans As TemporaryArray(Of BlockSpan),
optionProvider As BlockStructureOptionProvider,
cancellationToken As CancellationToken)
CollectCommentsRegions(typeDeclaration, spans, optionProvider)
Dim block = TryCast(typeDeclaration.Parent, TypeBlockSyntax)
If Not block?.EndBlockStatement.IsMissing Then
spans.AddIfNotNull(CreateBlockSpanFromBlock(
block, bannerNode:=typeDeclaration, autoCollapse:=False,
type:=BlockTypes.Type, isCollapsible:=True))
CollectCommentsRegions(block.EndBlockStatement, spans, optionProvider)
End If
End Sub
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/CodeGen/VariableSlotAllocator.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.Reflection.Metadata;
using Microsoft.CodeAnalysis.PooledObjects;
using Microsoft.CodeAnalysis.Symbols;
namespace Microsoft.CodeAnalysis.CodeGen
{
internal abstract class VariableSlotAllocator
{
public abstract void AddPreviousLocals(ArrayBuilder<Cci.ILocalDefinition> builder);
public abstract LocalDefinition? GetPreviousLocal(
Cci.ITypeReference type,
ILocalSymbolInternal symbol,
string? name,
SynthesizedLocalKind kind,
LocalDebugId id,
LocalVariableAttributes pdbAttributes,
LocalSlotConstraints constraints,
ImmutableArray<bool> dynamicTransformFlags,
ImmutableArray<string> tupleElementNames);
public abstract string? PreviousStateMachineTypeName { get; }
/// <summary>
/// Returns an index of a slot that stores specified hoisted local variable in the previous generation.
/// </summary>
public abstract bool TryGetPreviousHoistedLocalSlotIndex(
SyntaxNode currentDeclarator,
Cci.ITypeReference currentType,
SynthesizedLocalKind synthesizedKind,
LocalDebugId currentId,
DiagnosticBag diagnostics,
out int slotIndex);
/// <summary>
/// Number of slots reserved for hoisted local variables.
/// </summary>
/// <remarks>
/// Some of the slots might not be used anymore (a variable might have been deleted or its type changed).
/// Still, new hoisted variables are assigned slots starting with <see cref="PreviousHoistedLocalSlotCount"/>.
/// </remarks>
public abstract int PreviousHoistedLocalSlotCount { get; }
/// <summary>
/// Returns true and an index of a slot that stores an awaiter of a specified type in the previous generation, if any.
/// </summary>
public abstract bool TryGetPreviousAwaiterSlotIndex(Cci.ITypeReference currentType, DiagnosticBag diagnostics, out int slotIndex);
/// <summary>
/// Number of slots reserved for awaiters.
/// </summary>
/// <remarks>
/// Some of the slots might not be used anymore (the type of an awaiter might have changed).
/// Still, new awaiters are assigned slots starting with <see cref="PreviousAwaiterSlotCount"/>.
/// </remarks>
public abstract int PreviousAwaiterSlotCount { get; }
/// <summary>
/// The id of the method, or null if the method wasn't assigned one.
/// </summary>
public abstract DebugId? MethodId { get; }
/// <summary>
/// Finds a closure in the previous generation that corresponds to the specified syntax.
/// </summary>
/// <remarks>
/// See LambdaFrame.AssertIsLambdaScopeSyntax for kinds of syntax nodes that represent closures.
/// </remarks>
public abstract bool TryGetPreviousClosure(SyntaxNode closureSyntax, out DebugId closureId);
/// <summary>
/// Finds a lambda in the previous generation that corresponds to the specified syntax.
/// The <paramref name="lambdaOrLambdaBodySyntax"/> is either a lambda syntax (<paramref name="isLambdaBody"/> is false),
/// or lambda body syntax (<paramref name="isLambdaBody"/> is true).
/// </summary>
public abstract bool TryGetPreviousLambda(SyntaxNode lambdaOrLambdaBodySyntax, bool isLambdaBody, out DebugId lambdaId);
}
}
| // 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.Reflection.Metadata;
using Microsoft.CodeAnalysis.PooledObjects;
using Microsoft.CodeAnalysis.Symbols;
namespace Microsoft.CodeAnalysis.CodeGen
{
internal abstract class VariableSlotAllocator
{
public abstract void AddPreviousLocals(ArrayBuilder<Cci.ILocalDefinition> builder);
public abstract LocalDefinition? GetPreviousLocal(
Cci.ITypeReference type,
ILocalSymbolInternal symbol,
string? name,
SynthesizedLocalKind kind,
LocalDebugId id,
LocalVariableAttributes pdbAttributes,
LocalSlotConstraints constraints,
ImmutableArray<bool> dynamicTransformFlags,
ImmutableArray<string> tupleElementNames);
public abstract string? PreviousStateMachineTypeName { get; }
/// <summary>
/// Returns an index of a slot that stores specified hoisted local variable in the previous generation.
/// </summary>
public abstract bool TryGetPreviousHoistedLocalSlotIndex(
SyntaxNode currentDeclarator,
Cci.ITypeReference currentType,
SynthesizedLocalKind synthesizedKind,
LocalDebugId currentId,
DiagnosticBag diagnostics,
out int slotIndex);
/// <summary>
/// Number of slots reserved for hoisted local variables.
/// </summary>
/// <remarks>
/// Some of the slots might not be used anymore (a variable might have been deleted or its type changed).
/// Still, new hoisted variables are assigned slots starting with <see cref="PreviousHoistedLocalSlotCount"/>.
/// </remarks>
public abstract int PreviousHoistedLocalSlotCount { get; }
/// <summary>
/// Returns true and an index of a slot that stores an awaiter of a specified type in the previous generation, if any.
/// </summary>
public abstract bool TryGetPreviousAwaiterSlotIndex(Cci.ITypeReference currentType, DiagnosticBag diagnostics, out int slotIndex);
/// <summary>
/// Number of slots reserved for awaiters.
/// </summary>
/// <remarks>
/// Some of the slots might not be used anymore (the type of an awaiter might have changed).
/// Still, new awaiters are assigned slots starting with <see cref="PreviousAwaiterSlotCount"/>.
/// </remarks>
public abstract int PreviousAwaiterSlotCount { get; }
/// <summary>
/// The id of the method, or null if the method wasn't assigned one.
/// </summary>
public abstract DebugId? MethodId { get; }
/// <summary>
/// Finds a closure in the previous generation that corresponds to the specified syntax.
/// </summary>
/// <remarks>
/// See LambdaFrame.AssertIsLambdaScopeSyntax for kinds of syntax nodes that represent closures.
/// </remarks>
public abstract bool TryGetPreviousClosure(SyntaxNode closureSyntax, out DebugId closureId);
/// <summary>
/// Finds a lambda in the previous generation that corresponds to the specified syntax.
/// The <paramref name="lambdaOrLambdaBodySyntax"/> is either a lambda syntax (<paramref name="isLambdaBody"/> is false),
/// or lambda body syntax (<paramref name="isLambdaBody"/> is true).
/// </summary>
public abstract bool TryGetPreviousLambda(SyntaxNode lambdaOrLambdaBodySyntax, bool isLambdaBody, out DebugId lambdaId);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/Syntax/InternalSyntax/SyntaxNodeCache.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 Microsoft.CodeAnalysis.Syntax.InternalSyntax;
using System;
using System.Diagnostics;
using Roslyn.Utilities;
#if STATS
using System.Threading;
#endif
namespace Microsoft.CodeAnalysis.Syntax.InternalSyntax
{
/// <summary>
/// Provides caching functionality for green nonterminals with up to 3 children.
/// Example:
/// When constructing a node with given kind, flags, child1 and child2, we can look up
/// in the cache whether we already have a node that contains same kind, flags,
/// child1 and child2 and use that.
///
/// For the purpose of children comparison, reference equality is used as a much cheaper
/// alternative to the structural/recursive equality. This implies that in order to de-duplicate
/// a node to a cache node, the children of two nodes must be already de-duplicated.
/// When adding a node to the cache we verify that cache does contain node's children,
/// since otherwise there is no reason for the node to be used.
/// Tokens/nulls are for this purpose considered deduplicated. Indeed most of the tokens
/// are deduplicated via quick-scanner caching, so we just assume they all are.
///
/// As a result of above, "fat" nodes with 4 or more children or their recursive parents
/// will never be in the cache. This naturally limits the typical single cache item to be
/// a relatively simple expression. We do not want the cache to be completely unbounded
/// on the item size.
/// While it still may be possible to store a gigantic nested binary expression,
/// it should be a rare occurrence.
///
/// We only consider "normal" nodes to be cacheable.
/// Nodes with diagnostics/annotations/directives/skipped, etc... have more complicated identity
/// and are not likely to be repetitive.
///
/// </summary>
internal class GreenStats
{
// TODO: remove when done tweaking this cache.
#if STATS
private static GreenStats stats = new GreenStats();
private int greenNodes;
private int greenTokens;
private int nontermsAdded;
private int cacheableNodes;
private int cacheHits;
internal static void NoteGreen(GreenNode node)
{
Interlocked.Increment(ref stats.greenNodes);
if (node.IsToken)
{
Interlocked.Increment(ref stats.greenTokens);
}
}
internal static void ItemAdded()
{
Interlocked.Increment(ref stats.nontermsAdded);
}
internal static void ItemCacheable()
{
Interlocked.Increment(ref stats.cacheableNodes);
}
internal static void CacheHit()
{
Interlocked.Increment(ref stats.cacheHits);
}
~GreenStats()
{
Console.WriteLine("Green: " + greenNodes);
Console.WriteLine("GreenTk: " + greenTokens);
Console.WriteLine("Nonterminals added: " + nontermsAdded);
Console.WriteLine("Nonterminals cacheable: " + cacheableNodes);
Console.WriteLine("CacheHits: " + cacheHits);
Console.WriteLine("RateOfAll: " + (cacheHits * 100 / (cacheHits + greenNodes - greenTokens)) + "%");
Console.WriteLine("RateOfCacheable: " + (cacheHits * 100 / (cacheableNodes)) + "%");
}
#else
internal static void NoteGreen(GreenNode node)
{
}
[Conditional("DEBUG")]
internal static void ItemAdded()
{
}
[Conditional("DEBUG")]
internal static void ItemCacheable()
{
}
[Conditional("DEBUG")]
internal static void CacheHit()
{
}
#endif
}
internal static class SyntaxNodeCache
{
private const int CacheSizeBits = 16;
private const int CacheSize = 1 << CacheSizeBits;
private const int CacheMask = CacheSize - 1;
private readonly struct Entry
{
public readonly int hash;
public readonly GreenNode? node;
internal Entry(int hash, GreenNode node)
{
this.hash = hash;
this.node = node;
}
}
private static readonly Entry[] s_cache = new Entry[CacheSize];
internal static void AddNode(GreenNode node, int hash)
{
if (AllChildrenInCache(node) && !node.IsMissing)
{
GreenStats.ItemAdded();
Debug.Assert(node.GetCacheHash() == hash);
var idx = hash & CacheMask;
s_cache[idx] = new Entry(hash, node);
}
}
private static bool CanBeCached(GreenNode? child1)
{
return child1 == null || child1.IsCacheable;
}
private static bool CanBeCached(GreenNode? child1, GreenNode? child2)
{
return CanBeCached(child1) && CanBeCached(child2);
}
private static bool CanBeCached(GreenNode? child1, GreenNode? child2, GreenNode? child3)
{
return CanBeCached(child1) && CanBeCached(child2) && CanBeCached(child3);
}
private static bool ChildInCache(GreenNode? child)
{
// for the purpose of this function consider that
// null nodes, tokens and trivias are cached somewhere else.
// TODO: should use slotCount
if (child == null || child.SlotCount == 0) return true;
int hash = child.GetCacheHash();
int idx = hash & CacheMask;
return s_cache[idx].node == child;
}
private static bool AllChildrenInCache(GreenNode node)
{
// TODO: should use slotCount
var cnt = node.SlotCount;
for (int i = 0; i < cnt; i++)
{
if (!ChildInCache(node.GetSlot(i)))
{
return false;
}
}
return true;
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, out int hash)
{
return TryGetNode(kind, child1, GetDefaultNodeFlags(), out hash);
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode.NodeFlags flags, out int hash)
{
if (CanBeCached(child1))
{
GreenStats.ItemCacheable();
int h = hash = GetCacheHash(kind, flags, child1);
int idx = h & CacheMask;
var e = s_cache[idx];
if (e.hash == h && e.node != null && e.node.IsCacheEquivalent(kind, flags, child1))
{
GreenStats.CacheHit();
return e.node;
}
}
else
{
hash = -1;
}
return null;
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, out int hash)
{
return TryGetNode(kind, child1, child2, GetDefaultNodeFlags(), out hash);
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, GreenNode.NodeFlags flags, out int hash)
{
if (CanBeCached(child1, child2))
{
GreenStats.ItemCacheable();
int h = hash = GetCacheHash(kind, flags, child1, child2);
int idx = h & CacheMask;
var e = s_cache[idx];
if (e.hash == h && e.node != null && e.node.IsCacheEquivalent(kind, flags, child1, child2))
{
GreenStats.CacheHit();
return e.node;
}
}
else
{
hash = -1;
}
return null;
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, GreenNode? child3, out int hash)
{
return TryGetNode(kind, child1, child2, child3, GetDefaultNodeFlags(), out hash);
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, GreenNode? child3, GreenNode.NodeFlags flags, out int hash)
{
if (CanBeCached(child1, child2, child3))
{
GreenStats.ItemCacheable();
int h = hash = GetCacheHash(kind, flags, child1, child2, child3);
int idx = h & CacheMask;
var e = s_cache[idx];
if (e.hash == h && e.node != null && e.node.IsCacheEquivalent(kind, flags, child1, child2, child3))
{
GreenStats.CacheHit();
return e.node;
}
}
else
{
hash = -1;
}
return null;
}
public static GreenNode.NodeFlags GetDefaultNodeFlags()
{
return GreenNode.NodeFlags.IsNotMissing;
}
private static int GetCacheHash(int kind, GreenNode.NodeFlags flags, GreenNode? child1)
{
int code = (int)(flags) ^ kind;
// the only child is never null
// https://github.com/dotnet/roslyn/issues/41539
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child1!), code);
// ensure nonnegative hash
return code & Int32.MaxValue;
}
private static int GetCacheHash(int kind, GreenNode.NodeFlags flags, GreenNode? child1, GreenNode? child2)
{
int code = (int)(flags) ^ kind;
if (child1 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child1), code);
}
if (child2 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child2), code);
}
// ensure nonnegative hash
return code & Int32.MaxValue;
}
private static int GetCacheHash(int kind, GreenNode.NodeFlags flags, GreenNode? child1, GreenNode? child2, GreenNode? child3)
{
int code = (int)(flags) ^ kind;
if (child1 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child1), code);
}
if (child2 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child2), code);
}
if (child3 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child3), code);
}
// ensure nonnegative hash
return code & Int32.MaxValue;
}
}
}
| // 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 Microsoft.CodeAnalysis.Syntax.InternalSyntax;
using System;
using System.Diagnostics;
using Roslyn.Utilities;
#if STATS
using System.Threading;
#endif
namespace Microsoft.CodeAnalysis.Syntax.InternalSyntax
{
/// <summary>
/// Provides caching functionality for green nonterminals with up to 3 children.
/// Example:
/// When constructing a node with given kind, flags, child1 and child2, we can look up
/// in the cache whether we already have a node that contains same kind, flags,
/// child1 and child2 and use that.
///
/// For the purpose of children comparison, reference equality is used as a much cheaper
/// alternative to the structural/recursive equality. This implies that in order to de-duplicate
/// a node to a cache node, the children of two nodes must be already de-duplicated.
/// When adding a node to the cache we verify that cache does contain node's children,
/// since otherwise there is no reason for the node to be used.
/// Tokens/nulls are for this purpose considered deduplicated. Indeed most of the tokens
/// are deduplicated via quick-scanner caching, so we just assume they all are.
///
/// As a result of above, "fat" nodes with 4 or more children or their recursive parents
/// will never be in the cache. This naturally limits the typical single cache item to be
/// a relatively simple expression. We do not want the cache to be completely unbounded
/// on the item size.
/// While it still may be possible to store a gigantic nested binary expression,
/// it should be a rare occurrence.
///
/// We only consider "normal" nodes to be cacheable.
/// Nodes with diagnostics/annotations/directives/skipped, etc... have more complicated identity
/// and are not likely to be repetitive.
///
/// </summary>
internal class GreenStats
{
// TODO: remove when done tweaking this cache.
#if STATS
private static GreenStats stats = new GreenStats();
private int greenNodes;
private int greenTokens;
private int nontermsAdded;
private int cacheableNodes;
private int cacheHits;
internal static void NoteGreen(GreenNode node)
{
Interlocked.Increment(ref stats.greenNodes);
if (node.IsToken)
{
Interlocked.Increment(ref stats.greenTokens);
}
}
internal static void ItemAdded()
{
Interlocked.Increment(ref stats.nontermsAdded);
}
internal static void ItemCacheable()
{
Interlocked.Increment(ref stats.cacheableNodes);
}
internal static void CacheHit()
{
Interlocked.Increment(ref stats.cacheHits);
}
~GreenStats()
{
Console.WriteLine("Green: " + greenNodes);
Console.WriteLine("GreenTk: " + greenTokens);
Console.WriteLine("Nonterminals added: " + nontermsAdded);
Console.WriteLine("Nonterminals cacheable: " + cacheableNodes);
Console.WriteLine("CacheHits: " + cacheHits);
Console.WriteLine("RateOfAll: " + (cacheHits * 100 / (cacheHits + greenNodes - greenTokens)) + "%");
Console.WriteLine("RateOfCacheable: " + (cacheHits * 100 / (cacheableNodes)) + "%");
}
#else
internal static void NoteGreen(GreenNode node)
{
}
[Conditional("DEBUG")]
internal static void ItemAdded()
{
}
[Conditional("DEBUG")]
internal static void ItemCacheable()
{
}
[Conditional("DEBUG")]
internal static void CacheHit()
{
}
#endif
}
internal static class SyntaxNodeCache
{
private const int CacheSizeBits = 16;
private const int CacheSize = 1 << CacheSizeBits;
private const int CacheMask = CacheSize - 1;
private readonly struct Entry
{
public readonly int hash;
public readonly GreenNode? node;
internal Entry(int hash, GreenNode node)
{
this.hash = hash;
this.node = node;
}
}
private static readonly Entry[] s_cache = new Entry[CacheSize];
internal static void AddNode(GreenNode node, int hash)
{
if (AllChildrenInCache(node) && !node.IsMissing)
{
GreenStats.ItemAdded();
Debug.Assert(node.GetCacheHash() == hash);
var idx = hash & CacheMask;
s_cache[idx] = new Entry(hash, node);
}
}
private static bool CanBeCached(GreenNode? child1)
{
return child1 == null || child1.IsCacheable;
}
private static bool CanBeCached(GreenNode? child1, GreenNode? child2)
{
return CanBeCached(child1) && CanBeCached(child2);
}
private static bool CanBeCached(GreenNode? child1, GreenNode? child2, GreenNode? child3)
{
return CanBeCached(child1) && CanBeCached(child2) && CanBeCached(child3);
}
private static bool ChildInCache(GreenNode? child)
{
// for the purpose of this function consider that
// null nodes, tokens and trivias are cached somewhere else.
// TODO: should use slotCount
if (child == null || child.SlotCount == 0) return true;
int hash = child.GetCacheHash();
int idx = hash & CacheMask;
return s_cache[idx].node == child;
}
private static bool AllChildrenInCache(GreenNode node)
{
// TODO: should use slotCount
var cnt = node.SlotCount;
for (int i = 0; i < cnt; i++)
{
if (!ChildInCache(node.GetSlot(i)))
{
return false;
}
}
return true;
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, out int hash)
{
return TryGetNode(kind, child1, GetDefaultNodeFlags(), out hash);
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode.NodeFlags flags, out int hash)
{
if (CanBeCached(child1))
{
GreenStats.ItemCacheable();
int h = hash = GetCacheHash(kind, flags, child1);
int idx = h & CacheMask;
var e = s_cache[idx];
if (e.hash == h && e.node != null && e.node.IsCacheEquivalent(kind, flags, child1))
{
GreenStats.CacheHit();
return e.node;
}
}
else
{
hash = -1;
}
return null;
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, out int hash)
{
return TryGetNode(kind, child1, child2, GetDefaultNodeFlags(), out hash);
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, GreenNode.NodeFlags flags, out int hash)
{
if (CanBeCached(child1, child2))
{
GreenStats.ItemCacheable();
int h = hash = GetCacheHash(kind, flags, child1, child2);
int idx = h & CacheMask;
var e = s_cache[idx];
if (e.hash == h && e.node != null && e.node.IsCacheEquivalent(kind, flags, child1, child2))
{
GreenStats.CacheHit();
return e.node;
}
}
else
{
hash = -1;
}
return null;
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, GreenNode? child3, out int hash)
{
return TryGetNode(kind, child1, child2, child3, GetDefaultNodeFlags(), out hash);
}
internal static GreenNode? TryGetNode(int kind, GreenNode? child1, GreenNode? child2, GreenNode? child3, GreenNode.NodeFlags flags, out int hash)
{
if (CanBeCached(child1, child2, child3))
{
GreenStats.ItemCacheable();
int h = hash = GetCacheHash(kind, flags, child1, child2, child3);
int idx = h & CacheMask;
var e = s_cache[idx];
if (e.hash == h && e.node != null && e.node.IsCacheEquivalent(kind, flags, child1, child2, child3))
{
GreenStats.CacheHit();
return e.node;
}
}
else
{
hash = -1;
}
return null;
}
public static GreenNode.NodeFlags GetDefaultNodeFlags()
{
return GreenNode.NodeFlags.IsNotMissing;
}
private static int GetCacheHash(int kind, GreenNode.NodeFlags flags, GreenNode? child1)
{
int code = (int)(flags) ^ kind;
// the only child is never null
// https://github.com/dotnet/roslyn/issues/41539
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child1!), code);
// ensure nonnegative hash
return code & Int32.MaxValue;
}
private static int GetCacheHash(int kind, GreenNode.NodeFlags flags, GreenNode? child1, GreenNode? child2)
{
int code = (int)(flags) ^ kind;
if (child1 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child1), code);
}
if (child2 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child2), code);
}
// ensure nonnegative hash
return code & Int32.MaxValue;
}
private static int GetCacheHash(int kind, GreenNode.NodeFlags flags, GreenNode? child1, GreenNode? child2, GreenNode? child3)
{
int code = (int)(flags) ^ kind;
if (child1 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child1), code);
}
if (child2 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child2), code);
}
if (child3 != null)
{
code = Hash.Combine(System.Runtime.CompilerServices.RuntimeHelpers.GetHashCode(child3), code);
}
// ensure nonnegative hash
return code & Int32.MaxValue;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Symbols/Source/CustomModifierUtils.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.Symbols.Metadata.PE;
using Microsoft.CodeAnalysis.PooledObjects;
using System.Collections.Immutable;
using System.Diagnostics;
using System.Linq;
namespace Microsoft.CodeAnalysis.CSharp.Symbols
{
internal static class CustomModifierUtils
{
/// <remarks>
/// Out params are updated by assignment. If you require thread-safety, pass temps and then
/// CompareExchange them back into shared memory.
/// </remarks>
internal static void CopyMethodCustomModifiers(
MethodSymbol sourceMethod,
MethodSymbol destinationMethod,
out TypeWithAnnotations returnType,
out ImmutableArray<CustomModifier> customModifiers,
out ImmutableArray<ParameterSymbol> parameters,
bool alsoCopyParamsModifier) // Last since always named.
{
Debug.Assert((object)sourceMethod != null);
// Assert: none of the method's type parameters have been substituted
Debug.Assert((object)sourceMethod == sourceMethod.ConstructedFrom);
// For the most part, we will copy custom modifiers by copying types.
// The only time when this fails is when the type refers to a type parameter
// owned by the overridden method. We need to replace all such references
// with (equivalent) type parameters owned by this method. We know that
// we can perform this mapping positionally, because the method signatures
// have already been compared.
MethodSymbol constructedSourceMethod = sourceMethod.ConstructIfGeneric(destinationMethod.TypeArgumentsWithAnnotations);
customModifiers =
destinationMethod.RefKind != RefKind.None ? constructedSourceMethod.RefCustomModifiers : ImmutableArray<CustomModifier>.Empty;
parameters = CopyParameterCustomModifiers(constructedSourceMethod.Parameters, destinationMethod.Parameters, alsoCopyParamsModifier);
returnType = destinationMethod.ReturnTypeWithAnnotations; // Default value - in case we don't copy the custom modifiers.
TypeSymbol returnTypeSymbol = returnType.Type;
var sourceMethodReturnType = constructedSourceMethod.ReturnTypeWithAnnotations;
// We do an extra check before copying the return type to handle the case where the overriding
// method (incorrectly) has a different return type than the overridden method. In such cases,
// we want to retain the original (incorrect) return type to avoid hiding the return type
// given in source.
TypeSymbol returnTypeWithCustomModifiers = sourceMethodReturnType.Type;
if (returnTypeSymbol.Equals(returnTypeWithCustomModifiers, TypeCompareKind.AllIgnoreOptions))
{
returnType = returnType.WithTypeAndModifiers(CopyTypeCustomModifiers(returnTypeWithCustomModifiers, returnTypeSymbol, destinationMethod.ContainingAssembly),
sourceMethodReturnType.CustomModifiers);
}
}
/// <param name="sourceType">Type that already has custom modifiers.</param>
/// <param name="destinationType">Same as <paramref name="sourceType"/>, but without custom modifiers.
/// May differ in object/dynamic, tuple element names, or other differences ignored by the runtime.</param>
/// <param name="containingAssembly">The assembly containing the signature referring to the destination type.</param>
/// <returns><paramref name="destinationType"/> with custom modifiers copied from <paramref name="sourceType"/>.</returns>
internal static TypeSymbol CopyTypeCustomModifiers(TypeSymbol sourceType, TypeSymbol destinationType, AssemblySymbol containingAssembly)
{
Debug.Assert(sourceType.Equals(destinationType, TypeCompareKind.AllIgnoreOptions));
const RefKind refKind = RefKind.None;
// NOTE: overrides can differ by object/dynamic, tuple element names, etc.
// If they do, we'll need to tweak destinationType before we can use it in place of sourceType.
// NOTE: refKind is irrelevant here since we are just encoding/decoding the type.
ImmutableArray<bool> flags = CSharpCompilation.DynamicTransformsEncoder.EncodeWithoutCustomModifierFlags(destinationType, refKind);
TypeSymbol resultType = DynamicTypeDecoder.TransformTypeWithoutCustomModifierFlags(sourceType, containingAssembly, refKind, flags);
var builder = ArrayBuilder<bool>.GetInstance();
CSharpCompilation.NativeIntegerTransformsEncoder.Encode(builder, destinationType);
resultType = NativeIntegerTypeDecoder.TransformType(resultType, builder.ToImmutableAndFree());
if (destinationType.ContainsTuple() && !sourceType.Equals(destinationType, TypeCompareKind.IgnoreCustomModifiersAndArraySizesAndLowerBounds | TypeCompareKind.IgnoreNullableModifiersForReferenceTypes | TypeCompareKind.IgnoreDynamic))
{
// We also preserve tuple names, if present and different
ImmutableArray<string> names = CSharpCompilation.TupleNamesEncoder.Encode(destinationType);
resultType = TupleTypeDecoder.DecodeTupleTypesIfApplicable(resultType, names);
}
// Preserve nullable modifiers as well.
// https://github.com/dotnet/roslyn/issues/30077: Is it reasonable to copy annotations from the source?
// If the destination had some of those annotations but not all, then clearly the destination
// was incorrect. Or if the destination is C#7, then the destination will advertise annotations
// that the author did not write and did not validate.
var flagsBuilder = ArrayBuilder<byte>.GetInstance();
destinationType.AddNullableTransforms(flagsBuilder);
int position = 0;
int length = flagsBuilder.Count;
bool transformResult = resultType.ApplyNullableTransforms(defaultTransformFlag: 0, flagsBuilder.ToImmutableAndFree(), ref position, out resultType);
Debug.Assert(transformResult && position == length);
Debug.Assert(resultType.Equals(sourceType, TypeCompareKind.IgnoreDynamicAndTupleNames | TypeCompareKind.IgnoreNullableModifiersForReferenceTypes | TypeCompareKind.IgnoreNativeIntegers)); // Same custom modifiers as source type.
// Same object/dynamic, nullability, native integers, and tuple names as destination type.
Debug.Assert(resultType.Equals(destinationType, TypeCompareKind.IgnoreCustomModifiersAndArraySizesAndLowerBounds));
return resultType;
}
internal static ImmutableArray<ParameterSymbol> CopyParameterCustomModifiers(ImmutableArray<ParameterSymbol> sourceParameters, ImmutableArray<ParameterSymbol> destinationParameters, bool alsoCopyParamsModifier)
{
Debug.Assert(!destinationParameters.IsDefault);
Debug.Assert(destinationParameters.All(p => p is SourceParameterSymbolBase));
Debug.Assert(sourceParameters.Length == destinationParameters.Length);
// Nearly all of the time, there will be no custom modifiers to copy, so don't
// allocate the builder until we know that we need it.
ArrayBuilder<ParameterSymbol> builder = null;
int numParams = destinationParameters.Length;
for (int i = 0; i < numParams; i++)
{
SourceParameterSymbolBase destinationParameter = (SourceParameterSymbolBase)destinationParameters[i];
ParameterSymbol sourceParameter = sourceParameters[i];
if (sourceParameter.TypeWithAnnotations.CustomModifiers.Any() || sourceParameter.RefCustomModifiers.Any() ||
sourceParameter.Type.HasCustomModifiers(flagNonDefaultArraySizesOrLowerBounds: true) ||
destinationParameter.TypeWithAnnotations.CustomModifiers.Any() || destinationParameter.RefCustomModifiers.Any() ||
destinationParameter.Type.HasCustomModifiers(flagNonDefaultArraySizesOrLowerBounds: true) || // Could happen if the associated property has custom modifiers.
(alsoCopyParamsModifier && (sourceParameter.IsParams != destinationParameter.IsParams)))
{
if (builder == null)
{
builder = ArrayBuilder<ParameterSymbol>.GetInstance();
builder.AddRange(destinationParameters, i); //add up to, but not including, the current parameter
}
bool newParams = alsoCopyParamsModifier ? sourceParameter.IsParams : destinationParameter.IsParams;
builder.Add(destinationParameter.WithCustomModifiersAndParams(sourceParameter.Type,
sourceParameter.TypeWithAnnotations.CustomModifiers,
destinationParameter.RefKind != RefKind.None ? sourceParameter.RefCustomModifiers : ImmutableArray<CustomModifier>.Empty,
newParams));
}
else if (builder != null)
{
builder.Add(destinationParameter);
}
}
return builder == null ? destinationParameters : builder.ToImmutableAndFree();
}
internal static bool HasInAttributeModifier(this ImmutableArray<CustomModifier> modifiers)
{
return modifiers.Any(modifier => !modifier.IsOptional && ((CSharpCustomModifier)modifier).ModifierSymbol.IsWellKnownTypeInAttribute());
}
internal static bool HasIsExternalInitModifier(this ImmutableArray<CustomModifier> modifiers)
{
return modifiers.Any(modifier => !modifier.IsOptional && ((CSharpCustomModifier)modifier).ModifierSymbol.IsWellKnownTypeIsExternalInit());
}
internal static bool HasOutAttributeModifier(this ImmutableArray<CustomModifier> modifiers)
{
return modifiers.Any(modifier => !modifier.IsOptional && ((CSharpCustomModifier)modifier).ModifierSymbol.IsWellKnownTypeOutAttribute());
}
}
}
| // 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.Symbols.Metadata.PE;
using Microsoft.CodeAnalysis.PooledObjects;
using System.Collections.Immutable;
using System.Diagnostics;
using System.Linq;
namespace Microsoft.CodeAnalysis.CSharp.Symbols
{
internal static class CustomModifierUtils
{
/// <remarks>
/// Out params are updated by assignment. If you require thread-safety, pass temps and then
/// CompareExchange them back into shared memory.
/// </remarks>
internal static void CopyMethodCustomModifiers(
MethodSymbol sourceMethod,
MethodSymbol destinationMethod,
out TypeWithAnnotations returnType,
out ImmutableArray<CustomModifier> customModifiers,
out ImmutableArray<ParameterSymbol> parameters,
bool alsoCopyParamsModifier) // Last since always named.
{
Debug.Assert((object)sourceMethod != null);
// Assert: none of the method's type parameters have been substituted
Debug.Assert((object)sourceMethod == sourceMethod.ConstructedFrom);
// For the most part, we will copy custom modifiers by copying types.
// The only time when this fails is when the type refers to a type parameter
// owned by the overridden method. We need to replace all such references
// with (equivalent) type parameters owned by this method. We know that
// we can perform this mapping positionally, because the method signatures
// have already been compared.
MethodSymbol constructedSourceMethod = sourceMethod.ConstructIfGeneric(destinationMethod.TypeArgumentsWithAnnotations);
customModifiers =
destinationMethod.RefKind != RefKind.None ? constructedSourceMethod.RefCustomModifiers : ImmutableArray<CustomModifier>.Empty;
parameters = CopyParameterCustomModifiers(constructedSourceMethod.Parameters, destinationMethod.Parameters, alsoCopyParamsModifier);
returnType = destinationMethod.ReturnTypeWithAnnotations; // Default value - in case we don't copy the custom modifiers.
TypeSymbol returnTypeSymbol = returnType.Type;
var sourceMethodReturnType = constructedSourceMethod.ReturnTypeWithAnnotations;
// We do an extra check before copying the return type to handle the case where the overriding
// method (incorrectly) has a different return type than the overridden method. In such cases,
// we want to retain the original (incorrect) return type to avoid hiding the return type
// given in source.
TypeSymbol returnTypeWithCustomModifiers = sourceMethodReturnType.Type;
if (returnTypeSymbol.Equals(returnTypeWithCustomModifiers, TypeCompareKind.AllIgnoreOptions))
{
returnType = returnType.WithTypeAndModifiers(CopyTypeCustomModifiers(returnTypeWithCustomModifiers, returnTypeSymbol, destinationMethod.ContainingAssembly),
sourceMethodReturnType.CustomModifiers);
}
}
/// <param name="sourceType">Type that already has custom modifiers.</param>
/// <param name="destinationType">Same as <paramref name="sourceType"/>, but without custom modifiers.
/// May differ in object/dynamic, tuple element names, or other differences ignored by the runtime.</param>
/// <param name="containingAssembly">The assembly containing the signature referring to the destination type.</param>
/// <returns><paramref name="destinationType"/> with custom modifiers copied from <paramref name="sourceType"/>.</returns>
internal static TypeSymbol CopyTypeCustomModifiers(TypeSymbol sourceType, TypeSymbol destinationType, AssemblySymbol containingAssembly)
{
Debug.Assert(sourceType.Equals(destinationType, TypeCompareKind.AllIgnoreOptions));
const RefKind refKind = RefKind.None;
// NOTE: overrides can differ by object/dynamic, tuple element names, etc.
// If they do, we'll need to tweak destinationType before we can use it in place of sourceType.
// NOTE: refKind is irrelevant here since we are just encoding/decoding the type.
ImmutableArray<bool> flags = CSharpCompilation.DynamicTransformsEncoder.EncodeWithoutCustomModifierFlags(destinationType, refKind);
TypeSymbol resultType = DynamicTypeDecoder.TransformTypeWithoutCustomModifierFlags(sourceType, containingAssembly, refKind, flags);
var builder = ArrayBuilder<bool>.GetInstance();
CSharpCompilation.NativeIntegerTransformsEncoder.Encode(builder, destinationType);
resultType = NativeIntegerTypeDecoder.TransformType(resultType, builder.ToImmutableAndFree());
if (destinationType.ContainsTuple() && !sourceType.Equals(destinationType, TypeCompareKind.IgnoreCustomModifiersAndArraySizesAndLowerBounds | TypeCompareKind.IgnoreNullableModifiersForReferenceTypes | TypeCompareKind.IgnoreDynamic))
{
// We also preserve tuple names, if present and different
ImmutableArray<string> names = CSharpCompilation.TupleNamesEncoder.Encode(destinationType);
resultType = TupleTypeDecoder.DecodeTupleTypesIfApplicable(resultType, names);
}
// Preserve nullable modifiers as well.
// https://github.com/dotnet/roslyn/issues/30077: Is it reasonable to copy annotations from the source?
// If the destination had some of those annotations but not all, then clearly the destination
// was incorrect. Or if the destination is C#7, then the destination will advertise annotations
// that the author did not write and did not validate.
var flagsBuilder = ArrayBuilder<byte>.GetInstance();
destinationType.AddNullableTransforms(flagsBuilder);
int position = 0;
int length = flagsBuilder.Count;
bool transformResult = resultType.ApplyNullableTransforms(defaultTransformFlag: 0, flagsBuilder.ToImmutableAndFree(), ref position, out resultType);
Debug.Assert(transformResult && position == length);
Debug.Assert(resultType.Equals(sourceType, TypeCompareKind.IgnoreDynamicAndTupleNames | TypeCompareKind.IgnoreNullableModifiersForReferenceTypes | TypeCompareKind.IgnoreNativeIntegers)); // Same custom modifiers as source type.
// Same object/dynamic, nullability, native integers, and tuple names as destination type.
Debug.Assert(resultType.Equals(destinationType, TypeCompareKind.IgnoreCustomModifiersAndArraySizesAndLowerBounds));
return resultType;
}
internal static ImmutableArray<ParameterSymbol> CopyParameterCustomModifiers(ImmutableArray<ParameterSymbol> sourceParameters, ImmutableArray<ParameterSymbol> destinationParameters, bool alsoCopyParamsModifier)
{
Debug.Assert(!destinationParameters.IsDefault);
Debug.Assert(destinationParameters.All(p => p is SourceParameterSymbolBase));
Debug.Assert(sourceParameters.Length == destinationParameters.Length);
// Nearly all of the time, there will be no custom modifiers to copy, so don't
// allocate the builder until we know that we need it.
ArrayBuilder<ParameterSymbol> builder = null;
int numParams = destinationParameters.Length;
for (int i = 0; i < numParams; i++)
{
SourceParameterSymbolBase destinationParameter = (SourceParameterSymbolBase)destinationParameters[i];
ParameterSymbol sourceParameter = sourceParameters[i];
if (sourceParameter.TypeWithAnnotations.CustomModifiers.Any() || sourceParameter.RefCustomModifiers.Any() ||
sourceParameter.Type.HasCustomModifiers(flagNonDefaultArraySizesOrLowerBounds: true) ||
destinationParameter.TypeWithAnnotations.CustomModifiers.Any() || destinationParameter.RefCustomModifiers.Any() ||
destinationParameter.Type.HasCustomModifiers(flagNonDefaultArraySizesOrLowerBounds: true) || // Could happen if the associated property has custom modifiers.
(alsoCopyParamsModifier && (sourceParameter.IsParams != destinationParameter.IsParams)))
{
if (builder == null)
{
builder = ArrayBuilder<ParameterSymbol>.GetInstance();
builder.AddRange(destinationParameters, i); //add up to, but not including, the current parameter
}
bool newParams = alsoCopyParamsModifier ? sourceParameter.IsParams : destinationParameter.IsParams;
builder.Add(destinationParameter.WithCustomModifiersAndParams(sourceParameter.Type,
sourceParameter.TypeWithAnnotations.CustomModifiers,
destinationParameter.RefKind != RefKind.None ? sourceParameter.RefCustomModifiers : ImmutableArray<CustomModifier>.Empty,
newParams));
}
else if (builder != null)
{
builder.Add(destinationParameter);
}
}
return builder == null ? destinationParameters : builder.ToImmutableAndFree();
}
internal static bool HasInAttributeModifier(this ImmutableArray<CustomModifier> modifiers)
{
return modifiers.Any(modifier => !modifier.IsOptional && ((CSharpCustomModifier)modifier).ModifierSymbol.IsWellKnownTypeInAttribute());
}
internal static bool HasIsExternalInitModifier(this ImmutableArray<CustomModifier> modifiers)
{
return modifiers.Any(modifier => !modifier.IsOptional && ((CSharpCustomModifier)modifier).ModifierSymbol.IsWellKnownTypeIsExternalInit());
}
internal static bool HasOutAttributeModifier(this ImmutableArray<CustomModifier> modifiers)
{
return modifiers.Any(modifier => !modifier.IsOptional && ((CSharpCustomModifier)modifier).ModifierSymbol.IsWellKnownTypeOutAttribute());
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/VisualBasic/Portable/Completion/KeywordRecommenders/Declarations/GenericConstraintsKeywordRecommender.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.Collections.Immutable
Imports System.Threading
Imports Microsoft.CodeAnalysis.Completion.Providers
Imports Microsoft.CodeAnalysis.VisualBasic.Extensions.ContextQuery
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.Completion.KeywordRecommenders.Declarations
Friend Class GenericConstraintsKeywordRecommender
Inherits AbstractKeywordRecommender
Protected Overrides Function RecommendKeywords(context As VisualBasicSyntaxContext, cancellationToken As CancellationToken) As ImmutableArray(Of RecommendedKeyword)
If context.FollowsEndOfStatement Then
Return ImmutableArray(Of RecommendedKeyword).Empty
End If
Dim targetToken = context.TargetToken
Dim recommendations As New List(Of RecommendedKeyword)
recommendations.Add(New RecommendedKeyword("Class", VBFeaturesResources.Constrains_a_generic_type_parameter_to_require_that_any_type_argument_passed_to_it_be_a_reference_type))
recommendations.Add(New RecommendedKeyword("Structure", VBFeaturesResources.Constrains_a_generic_type_parameter_to_require_that_any_type_argument_passed_to_it_be_a_value_type))
recommendations.Add(New RecommendedKeyword("New", VBFeaturesResources.Specifies_a_constructor_constraint_on_a_generic_type_parameter))
If targetToken.IsChildToken(Of TypeParameterSingleConstraintClauseSyntax)(Function(constraint) constraint.AsKeyword) Then
Return recommendations.ToImmutableArray()
ElseIf TypeOf targetToken.Parent Is TypeParameterMultipleConstraintClauseSyntax Then
Dim multipleConstraint = DirectCast(targetToken.Parent, TypeParameterMultipleConstraintClauseSyntax)
If targetToken = multipleConstraint.OpenBraceToken OrElse targetToken.Kind = SyntaxKind.CommaToken Then
Dim previousConstraints = multipleConstraint.Constraints.Where(Function(c) c.Span.End < context.Position).ToList()
' Structure can only be listed with previous type constraints
If previousConstraints.Any(Function(constraint) Not constraint.IsKind(SyntaxKind.TypeConstraint)) Then
recommendations.RemoveAll(Function(k) k.Keyword = "Structure")
End If
If previousConstraints.Any(Function(constraint) constraint.IsKind(SyntaxKind.ClassConstraint, SyntaxKind.StructureConstraint)) Then
recommendations.RemoveAll(Function(k) k.Keyword = "Class")
End If
If previousConstraints.Any(Function(constraint) constraint.IsKind(SyntaxKind.NewConstraint, SyntaxKind.StructureConstraint)) Then
recommendations.RemoveAll(Function(k) k.Keyword = "New")
End If
Return recommendations.ToImmutableArray()
End If
End If
Return ImmutableArray(Of RecommendedKeyword).Empty
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.Collections.Immutable
Imports System.Threading
Imports Microsoft.CodeAnalysis.Completion.Providers
Imports Microsoft.CodeAnalysis.VisualBasic.Extensions.ContextQuery
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.Completion.KeywordRecommenders.Declarations
Friend Class GenericConstraintsKeywordRecommender
Inherits AbstractKeywordRecommender
Protected Overrides Function RecommendKeywords(context As VisualBasicSyntaxContext, cancellationToken As CancellationToken) As ImmutableArray(Of RecommendedKeyword)
If context.FollowsEndOfStatement Then
Return ImmutableArray(Of RecommendedKeyword).Empty
End If
Dim targetToken = context.TargetToken
Dim recommendations As New List(Of RecommendedKeyword)
recommendations.Add(New RecommendedKeyword("Class", VBFeaturesResources.Constrains_a_generic_type_parameter_to_require_that_any_type_argument_passed_to_it_be_a_reference_type))
recommendations.Add(New RecommendedKeyword("Structure", VBFeaturesResources.Constrains_a_generic_type_parameter_to_require_that_any_type_argument_passed_to_it_be_a_value_type))
recommendations.Add(New RecommendedKeyword("New", VBFeaturesResources.Specifies_a_constructor_constraint_on_a_generic_type_parameter))
If targetToken.IsChildToken(Of TypeParameterSingleConstraintClauseSyntax)(Function(constraint) constraint.AsKeyword) Then
Return recommendations.ToImmutableArray()
ElseIf TypeOf targetToken.Parent Is TypeParameterMultipleConstraintClauseSyntax Then
Dim multipleConstraint = DirectCast(targetToken.Parent, TypeParameterMultipleConstraintClauseSyntax)
If targetToken = multipleConstraint.OpenBraceToken OrElse targetToken.Kind = SyntaxKind.CommaToken Then
Dim previousConstraints = multipleConstraint.Constraints.Where(Function(c) c.Span.End < context.Position).ToList()
' Structure can only be listed with previous type constraints
If previousConstraints.Any(Function(constraint) Not constraint.IsKind(SyntaxKind.TypeConstraint)) Then
recommendations.RemoveAll(Function(k) k.Keyword = "Structure")
End If
If previousConstraints.Any(Function(constraint) constraint.IsKind(SyntaxKind.ClassConstraint, SyntaxKind.StructureConstraint)) Then
recommendations.RemoveAll(Function(k) k.Keyword = "Class")
End If
If previousConstraints.Any(Function(constraint) constraint.IsKind(SyntaxKind.NewConstraint, SyntaxKind.StructureConstraint)) Then
recommendations.RemoveAll(Function(k) k.Keyword = "New")
End If
Return recommendations.ToImmutableArray()
End If
End If
Return ImmutableArray(Of RecommendedKeyword).Empty
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/Core/Test/CodeModel/CSharp/CodeStructTests.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.Threading.Tasks
Imports Microsoft.CodeAnalysis
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Roslyn.Test.Utilities
Namespace Microsoft.VisualStudio.LanguageServices.UnitTests.CodeModel.CSharp
Public Class CodeStructTests
Inherits AbstractCodeStructTests
#Region "Attributes tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes1()
Dim code =
<Code>
struct $$C { }
</Code>
TestAttributes(code, NoElements)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes2()
Dim code =
<Code>
using System;
[Serializable]
struct $$C { }
</Code>
TestAttributes(code, IsElement("Serializable"))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes3()
Dim code =
<Code>using System;
[Serializable]
[CLSCompliant(true)]
struct $$C { }
</Code>
TestAttributes(code, IsElement("Serializable"), IsElement("CLSCompliant"))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes4()
Dim code =
<Code>using System;
[Serializable, CLSCompliant(true)]
struct $$C { }
</Code>
TestAttributes(code, IsElement("Serializable"), IsElement("CLSCompliant"))
End Sub
#End Region
#Region "Bases tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestBase1()
Dim code =
<Code>
struct $$S { }
</Code>
TestBases(code, IsElement("ValueType", kind:=EnvDTE.vsCMElement.vsCMElementClass))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestBase2()
Dim code =
<Code>
struct $$S : System.IDisposable { }
</Code>
TestBases(code, IsElement("ValueType", kind:=EnvDTE.vsCMElement.vsCMElementClass))
End Sub
#End Region
#Region "DataTypeKind tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestDataTypeKind1()
Dim code =
<Code>
struct $$S { }
</Code>
TestDataTypeKind(code, EnvDTE80.vsCMDataTypeKind.vsCMDataTypeKindMain)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestDataTypeKind2()
Dim code =
<Code>
partial struct $$S { }
partial struct S { }
</Code>
TestDataTypeKind(code, EnvDTE80.vsCMDataTypeKind.vsCMDataTypeKindPartial)
End Sub
#End Region
#Region "FullName tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestFullName1()
Dim code =
<Code>
struct $$S { }
</Code>
TestFullName(code, "S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestFullName2()
Dim code =
<Code>
namespace N
{
struct $$S { }
}
</Code>
TestFullName(code, "N.S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestFullName3()
Dim code =
<Code>
namespace N
{
class C
{
struct $$S { }
}
}
</Code>
TestFullName(code, "N.C.S")
End Sub
#End Region
#Region "ImplementedInterfaces tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestImplementedInterfaces1()
Dim code =
<Code>
struct $$S : System.IDisposable { }
</Code>
TestImplementedInterfaces(code, IsElement("IDisposable", kind:=EnvDTE.vsCMElement.vsCMElementInterface))
End Sub
#End Region
#Region "Name tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestName1()
Dim code =
<Code>
struct $$S { }
</Code>
TestName(code, "S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestName2()
Dim code =
<Code>
namespace N
{
struct $$S { }
}
</Code>
TestName(code, "S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestName3()
Dim code =
<Code>
namespace N
{
class C
{
struct $$S { }
}
}
</Code>
TestName(code, "S")
End Sub
#End Region
#Region "Parent tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParent1()
Dim code =
<Code>
struct $$S { }
</Code>
TestParent(code, IsFileCodeModel)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParent2()
Dim code =
<Code>
namespace N
{
struct $$S { }
}
</Code>
TestParent(code, IsElement("N", kind:=EnvDTE.vsCMElement.vsCMElementNamespace))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParent3()
Dim code =
<Code>
namespace N
{
class C
{
struct $$S { }
}
}
</Code>
TestParent(code, IsElement("C", kind:=EnvDTE.vsCMElement.vsCMElementClass))
End Sub
#End Region
#Region "Parts tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParts1()
Dim code =
<Code>
struct $$S
{
}
</Code>
TestParts(code, 1)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParts2()
Dim code =
<Code>
partial struct $$S
{
}
</Code>
TestParts(code, 1)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParts3()
Dim code =
<Code>
partial struct $$S
{
}
partial struct S
{
}
</Code>
TestParts(code, 2)
End Sub
#End Region
#Region "AddAttribute tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddAttribute1() As Task
Dim code =
<Code>
using System;
struct $$S { }
</Code>
Dim expected =
<Code>
using System;
[Serializable()]
struct S { }
</Code>
Await TestAddAttribute(code, expected, New AttributeData With {.Name = "Serializable"})
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddAttribute2() As Task
Dim code =
<Code>
using System;
[Serializable]
struct $$S { }
</Code>
Dim expected =
<Code>
using System;
[Serializable]
[CLSCompliant(true)]
struct S { }
</Code>
Await TestAddAttribute(code, expected, New AttributeData With {.Name = "CLSCompliant", .Value = "true", .Position = 1})
End Function
<WorkItem(2825, "https://github.com/dotnet/roslyn/issues/2825")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddAttribute_BelowDocComment() As Task
Dim code =
<Code>
using System;
/// <summary></summary>
struct $$S { }
</Code>
Dim expected =
<Code>
using System;
/// <summary></summary>
[CLSCompliant(true)]
struct S { }
</Code>
Await TestAddAttribute(code, expected, New AttributeData With {.Name = "CLSCompliant", .Value = "true"})
End Function
#End Region
#Region "AddFunction tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddFunction1() As Task
Dim code =
<Code>
struct $$S { }
</Code>
Dim expected =
<Code>
struct S
{
void Goo()
{
}
}
</Code>
Await TestAddFunction(code, expected, New FunctionData With {.Name = "Goo", .Type = "void"})
End Function
#End Region
#Region "AddImplementedInterface tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAddImplementedInterface1()
Dim code =
<Code>
struct $$S { }
</Code>
TestAddImplementedInterfaceThrows(Of ArgumentException)(code, "I", Nothing)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface2() As Task
Dim code =
<Code>
struct $$S { }
interface I { }
</Code>
Dim expected =
<Code>
struct S : I { }
interface I { }
</Code>
Await TestAddImplementedInterface(code, "I", -1, expected)
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface3() As Task
Dim code =
<Code>
struct $$S : I { }
interface I { }
interface J { }
</Code>
Dim expected =
<Code>
struct S : I, J { }
interface I { }
interface J { }
</Code>
Await TestAddImplementedInterface(code, "J", -1, expected)
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface4() As Task
Dim code =
<Code>
struct $$S : I { }
interface I { }
interface J { }
</Code>
Dim expected =
<Code>
struct S : J, I { }
interface I { }
interface J { }
</Code>
Await TestAddImplementedInterface(code, "J", 0, expected)
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface5() As Task
Dim code =
<Code>
struct $$S : I, K { }
interface I { }
interface J { }
interface K { }
</Code>
Dim expected =
<Code>
struct S : I, J, K { }
interface I { }
interface J { }
interface K { }
</Code>
Await TestAddImplementedInterface(code, "J", 1, expected)
End Function
#End Region
#Region "RemoveImplementedInterface tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestRemoveImplementedInterface1() As Task
Dim code =
<Code>
struct $$S : I { }
interface I { }
</Code>
Dim expected =
<Code>
struct S { }
interface I { }
</Code>
Await TestRemoveImplementedInterface(code, "I", expected)
End Function
#End Region
#Region "Set Name tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestSetName1() As Task
Dim code =
<Code>
struct $$Goo
{
}
</Code>
Dim expected =
<Code>
struct Bar
{
}
</Code>
Await TestSetName(code, expected, "Bar", NoThrow(Of String)())
End Function
#End Region
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestTypeDescriptor_GetProperties()
Dim code =
<Code>
struct $$S
{
}
</Code>
TestPropertyDescriptors(Of EnvDTE80.CodeStruct2)(code)
End Sub
Protected Overrides ReadOnly Property LanguageName As String
Get
Return LanguageNames.CSharp
End Get
End Property
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.Threading.Tasks
Imports Microsoft.CodeAnalysis
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Roslyn.Test.Utilities
Namespace Microsoft.VisualStudio.LanguageServices.UnitTests.CodeModel.CSharp
Public Class CodeStructTests
Inherits AbstractCodeStructTests
#Region "Attributes tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes1()
Dim code =
<Code>
struct $$C { }
</Code>
TestAttributes(code, NoElements)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes2()
Dim code =
<Code>
using System;
[Serializable]
struct $$C { }
</Code>
TestAttributes(code, IsElement("Serializable"))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes3()
Dim code =
<Code>using System;
[Serializable]
[CLSCompliant(true)]
struct $$C { }
</Code>
TestAttributes(code, IsElement("Serializable"), IsElement("CLSCompliant"))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAttributes4()
Dim code =
<Code>using System;
[Serializable, CLSCompliant(true)]
struct $$C { }
</Code>
TestAttributes(code, IsElement("Serializable"), IsElement("CLSCompliant"))
End Sub
#End Region
#Region "Bases tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestBase1()
Dim code =
<Code>
struct $$S { }
</Code>
TestBases(code, IsElement("ValueType", kind:=EnvDTE.vsCMElement.vsCMElementClass))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestBase2()
Dim code =
<Code>
struct $$S : System.IDisposable { }
</Code>
TestBases(code, IsElement("ValueType", kind:=EnvDTE.vsCMElement.vsCMElementClass))
End Sub
#End Region
#Region "DataTypeKind tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestDataTypeKind1()
Dim code =
<Code>
struct $$S { }
</Code>
TestDataTypeKind(code, EnvDTE80.vsCMDataTypeKind.vsCMDataTypeKindMain)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestDataTypeKind2()
Dim code =
<Code>
partial struct $$S { }
partial struct S { }
</Code>
TestDataTypeKind(code, EnvDTE80.vsCMDataTypeKind.vsCMDataTypeKindPartial)
End Sub
#End Region
#Region "FullName tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestFullName1()
Dim code =
<Code>
struct $$S { }
</Code>
TestFullName(code, "S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestFullName2()
Dim code =
<Code>
namespace N
{
struct $$S { }
}
</Code>
TestFullName(code, "N.S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestFullName3()
Dim code =
<Code>
namespace N
{
class C
{
struct $$S { }
}
}
</Code>
TestFullName(code, "N.C.S")
End Sub
#End Region
#Region "ImplementedInterfaces tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestImplementedInterfaces1()
Dim code =
<Code>
struct $$S : System.IDisposable { }
</Code>
TestImplementedInterfaces(code, IsElement("IDisposable", kind:=EnvDTE.vsCMElement.vsCMElementInterface))
End Sub
#End Region
#Region "Name tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestName1()
Dim code =
<Code>
struct $$S { }
</Code>
TestName(code, "S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestName2()
Dim code =
<Code>
namespace N
{
struct $$S { }
}
</Code>
TestName(code, "S")
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestName3()
Dim code =
<Code>
namespace N
{
class C
{
struct $$S { }
}
}
</Code>
TestName(code, "S")
End Sub
#End Region
#Region "Parent tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParent1()
Dim code =
<Code>
struct $$S { }
</Code>
TestParent(code, IsFileCodeModel)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParent2()
Dim code =
<Code>
namespace N
{
struct $$S { }
}
</Code>
TestParent(code, IsElement("N", kind:=EnvDTE.vsCMElement.vsCMElementNamespace))
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParent3()
Dim code =
<Code>
namespace N
{
class C
{
struct $$S { }
}
}
</Code>
TestParent(code, IsElement("C", kind:=EnvDTE.vsCMElement.vsCMElementClass))
End Sub
#End Region
#Region "Parts tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParts1()
Dim code =
<Code>
struct $$S
{
}
</Code>
TestParts(code, 1)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParts2()
Dim code =
<Code>
partial struct $$S
{
}
</Code>
TestParts(code, 1)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParts3()
Dim code =
<Code>
partial struct $$S
{
}
partial struct S
{
}
</Code>
TestParts(code, 2)
End Sub
#End Region
#Region "AddAttribute tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddAttribute1() As Task
Dim code =
<Code>
using System;
struct $$S { }
</Code>
Dim expected =
<Code>
using System;
[Serializable()]
struct S { }
</Code>
Await TestAddAttribute(code, expected, New AttributeData With {.Name = "Serializable"})
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddAttribute2() As Task
Dim code =
<Code>
using System;
[Serializable]
struct $$S { }
</Code>
Dim expected =
<Code>
using System;
[Serializable]
[CLSCompliant(true)]
struct S { }
</Code>
Await TestAddAttribute(code, expected, New AttributeData With {.Name = "CLSCompliant", .Value = "true", .Position = 1})
End Function
<WorkItem(2825, "https://github.com/dotnet/roslyn/issues/2825")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddAttribute_BelowDocComment() As Task
Dim code =
<Code>
using System;
/// <summary></summary>
struct $$S { }
</Code>
Dim expected =
<Code>
using System;
/// <summary></summary>
[CLSCompliant(true)]
struct S { }
</Code>
Await TestAddAttribute(code, expected, New AttributeData With {.Name = "CLSCompliant", .Value = "true"})
End Function
#End Region
#Region "AddFunction tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddFunction1() As Task
Dim code =
<Code>
struct $$S { }
</Code>
Dim expected =
<Code>
struct S
{
void Goo()
{
}
}
</Code>
Await TestAddFunction(code, expected, New FunctionData With {.Name = "Goo", .Type = "void"})
End Function
#End Region
#Region "AddImplementedInterface tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestAddImplementedInterface1()
Dim code =
<Code>
struct $$S { }
</Code>
TestAddImplementedInterfaceThrows(Of ArgumentException)(code, "I", Nothing)
End Sub
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface2() As Task
Dim code =
<Code>
struct $$S { }
interface I { }
</Code>
Dim expected =
<Code>
struct S : I { }
interface I { }
</Code>
Await TestAddImplementedInterface(code, "I", -1, expected)
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface3() As Task
Dim code =
<Code>
struct $$S : I { }
interface I { }
interface J { }
</Code>
Dim expected =
<Code>
struct S : I, J { }
interface I { }
interface J { }
</Code>
Await TestAddImplementedInterface(code, "J", -1, expected)
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface4() As Task
Dim code =
<Code>
struct $$S : I { }
interface I { }
interface J { }
</Code>
Dim expected =
<Code>
struct S : J, I { }
interface I { }
interface J { }
</Code>
Await TestAddImplementedInterface(code, "J", 0, expected)
End Function
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestAddImplementedInterface5() As Task
Dim code =
<Code>
struct $$S : I, K { }
interface I { }
interface J { }
interface K { }
</Code>
Dim expected =
<Code>
struct S : I, J, K { }
interface I { }
interface J { }
interface K { }
</Code>
Await TestAddImplementedInterface(code, "J", 1, expected)
End Function
#End Region
#Region "RemoveImplementedInterface tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestRemoveImplementedInterface1() As Task
Dim code =
<Code>
struct $$S : I { }
interface I { }
</Code>
Dim expected =
<Code>
struct S { }
interface I { }
</Code>
Await TestRemoveImplementedInterface(code, "I", expected)
End Function
#End Region
#Region "Set Name tests"
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Async Function TestSetName1() As Task
Dim code =
<Code>
struct $$Goo
{
}
</Code>
Dim expected =
<Code>
struct Bar
{
}
</Code>
Await TestSetName(code, expected, "Bar", NoThrow(Of String)())
End Function
#End Region
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestTypeDescriptor_GetProperties()
Dim code =
<Code>
struct $$S
{
}
</Code>
TestPropertyDescriptors(Of EnvDTE80.CodeStruct2)(code)
End Sub
Protected Overrides ReadOnly Property LanguageName As String
Get
Return LanguageNames.CSharp
End Get
End Property
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/TestUtilities/AutomaticCompletion/AbstractAutomaticBraceCompletionTests.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 System.Linq;
using Microsoft.CodeAnalysis.Editor.Implementation.AutomaticCompletion;
using Microsoft.CodeAnalysis.Editor.Shared.Extensions;
using Microsoft.CodeAnalysis.Editor.UnitTests.Workspaces;
using Microsoft.CodeAnalysis.Options;
using Microsoft.CodeAnalysis.Test.Utilities;
using Microsoft.VisualStudio.Text;
using Microsoft.VisualStudio.Text.BraceCompletion;
using Roslyn.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.UnitTests.AutomaticCompletion
{
[UseExportProvider]
public abstract class AbstractAutomaticBraceCompletionTests
{
internal static void CheckStart(IBraceCompletionSession session, bool expectValidSession = true)
{
Type(session, session.OpeningBrace.ToString());
session.Start();
if (expectValidSession)
{
var closingPoint = session.ClosingPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot).Subtract(1);
Assert.Equal(closingPoint.GetChar(), session.ClosingBrace);
}
else
{
Assert.Null(session.OpeningPoint);
Assert.Null(session.ClosingPoint);
}
}
internal static void CheckBackspace(IBraceCompletionSession session)
{
session.TextView.TryMoveCaretToAndEnsureVisible(session.OpeningPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot).Add(1));
session.PreBackspace(out var handled);
if (!handled)
{
session.PostBackspace();
}
Assert.Null(session.OpeningPoint);
Assert.Null(session.ClosingPoint);
}
internal static void CheckTab(IBraceCompletionSession session, bool allowTab = true)
{
session.PreTab(out var handled);
if (!handled)
{
session.PostTab();
}
var caret = session.TextView.GetCaretPoint(session.SubjectBuffer).Value;
if (allowTab)
{
Assert.Equal(session.ClosingPoint.GetPosition(session.SubjectBuffer.CurrentSnapshot), caret.Position);
}
else
{
Assert.True(caret.Position < session.ClosingPoint.GetPosition(session.SubjectBuffer.CurrentSnapshot));
}
}
internal static void CheckReturn(IBraceCompletionSession session, int indentation, string result = null)
{
session.PreReturn(out var handled);
Type(session, Environment.NewLine);
if (!handled)
{
session.PostReturn();
}
var virtualCaret = session.TextView.GetVirtualCaretPoint(session.SubjectBuffer).Value;
Assert.True(indentation == virtualCaret.VirtualSpaces, $"Expected indentation was {indentation}, but the actual indentation was {virtualCaret.VirtualSpaces}");
if (result != null)
{
AssertEx.EqualOrDiff(result, session.SubjectBuffer.CurrentSnapshot.GetText());
}
}
internal static void CheckText(IBraceCompletionSession session, string result)
=> Assert.Equal(result, session.SubjectBuffer.CurrentSnapshot.GetText());
internal static void CheckReturnOnNonEmptyLine(IBraceCompletionSession session, int expectedVirtualSpace)
{
session.PreReturn(out var handled);
Type(session, Environment.NewLine);
if (!handled)
{
session.PostReturn();
}
var virtualCaret = session.TextView.GetVirtualCaretPoint(session.SubjectBuffer).Value;
Assert.Equal(expectedVirtualSpace, virtualCaret.VirtualSpaces);
}
internal static void CheckOverType(IBraceCompletionSession session, bool allowOverType = true)
{
var preClosingPoint = session.ClosingPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot);
Assert.Equal(session.ClosingBrace, preClosingPoint.Subtract(1).GetChar());
session.PreOverType(out var handled);
if (!handled)
{
session.PostOverType();
}
var postClosingPoint = session.ClosingPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot);
Assert.Equal(postClosingPoint.Subtract(1).GetChar(), session.ClosingBrace);
var caret = session.TextView.GetCaretPoint(session.SubjectBuffer).Value;
if (allowOverType)
{
Assert.Equal(postClosingPoint.Position, caret.Position);
}
else
{
Assert.True(caret.Position < postClosingPoint.Position);
}
}
internal static void Type(IBraceCompletionSession session, string text)
{
var buffer = session.SubjectBuffer;
var caret = session.TextView.GetCaretPoint(buffer).Value;
using (var edit = buffer.CreateEdit())
{
edit.Insert(caret.Position, text);
edit.Apply();
}
}
internal static Holder CreateSession(TestWorkspace workspace, char opening, char closing, Dictionary<OptionKey2, object> changedOptionSet = null)
{
if (changedOptionSet != null)
{
var options = workspace.Options;
foreach (var entry in changedOptionSet)
{
options = options.WithChangedOption(entry.Key, entry.Value);
}
workspace.TryApplyChanges(workspace.CurrentSolution.WithOptions(options));
}
var document = workspace.Documents.First();
var provider = Assert.IsType<BraceCompletionSessionProvider>(workspace.ExportProvider.GetExportedValue<IBraceCompletionSessionProvider>());
var openingPoint = new SnapshotPoint(document.GetTextBuffer().CurrentSnapshot, document.CursorPosition.Value);
if (provider.TryCreateSession(document.GetTextView(), openingPoint, opening, closing, out var session))
{
return new Holder(workspace, session);
}
workspace.Dispose();
return null;
}
internal class Holder : IDisposable
{
public TestWorkspace Workspace { get; }
public IBraceCompletionSession Session { get; }
public Holder(TestWorkspace workspace, IBraceCompletionSession session)
{
this.Workspace = workspace;
this.Session = session;
}
public void Dispose()
=> this.Workspace.Dispose();
}
}
}
| // 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 System.Linq;
using Microsoft.CodeAnalysis.Editor.Implementation.AutomaticCompletion;
using Microsoft.CodeAnalysis.Editor.Shared.Extensions;
using Microsoft.CodeAnalysis.Editor.UnitTests.Workspaces;
using Microsoft.CodeAnalysis.Options;
using Microsoft.CodeAnalysis.Test.Utilities;
using Microsoft.VisualStudio.Text;
using Microsoft.VisualStudio.Text.BraceCompletion;
using Roslyn.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.UnitTests.AutomaticCompletion
{
[UseExportProvider]
public abstract class AbstractAutomaticBraceCompletionTests
{
internal static void CheckStart(IBraceCompletionSession session, bool expectValidSession = true)
{
Type(session, session.OpeningBrace.ToString());
session.Start();
if (expectValidSession)
{
var closingPoint = session.ClosingPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot).Subtract(1);
Assert.Equal(closingPoint.GetChar(), session.ClosingBrace);
}
else
{
Assert.Null(session.OpeningPoint);
Assert.Null(session.ClosingPoint);
}
}
internal static void CheckBackspace(IBraceCompletionSession session)
{
session.TextView.TryMoveCaretToAndEnsureVisible(session.OpeningPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot).Add(1));
session.PreBackspace(out var handled);
if (!handled)
{
session.PostBackspace();
}
Assert.Null(session.OpeningPoint);
Assert.Null(session.ClosingPoint);
}
internal static void CheckTab(IBraceCompletionSession session, bool allowTab = true)
{
session.PreTab(out var handled);
if (!handled)
{
session.PostTab();
}
var caret = session.TextView.GetCaretPoint(session.SubjectBuffer).Value;
if (allowTab)
{
Assert.Equal(session.ClosingPoint.GetPosition(session.SubjectBuffer.CurrentSnapshot), caret.Position);
}
else
{
Assert.True(caret.Position < session.ClosingPoint.GetPosition(session.SubjectBuffer.CurrentSnapshot));
}
}
internal static void CheckReturn(IBraceCompletionSession session, int indentation, string result = null)
{
session.PreReturn(out var handled);
Type(session, Environment.NewLine);
if (!handled)
{
session.PostReturn();
}
var virtualCaret = session.TextView.GetVirtualCaretPoint(session.SubjectBuffer).Value;
Assert.True(indentation == virtualCaret.VirtualSpaces, $"Expected indentation was {indentation}, but the actual indentation was {virtualCaret.VirtualSpaces}");
if (result != null)
{
AssertEx.EqualOrDiff(result, session.SubjectBuffer.CurrentSnapshot.GetText());
}
}
internal static void CheckText(IBraceCompletionSession session, string result)
=> Assert.Equal(result, session.SubjectBuffer.CurrentSnapshot.GetText());
internal static void CheckReturnOnNonEmptyLine(IBraceCompletionSession session, int expectedVirtualSpace)
{
session.PreReturn(out var handled);
Type(session, Environment.NewLine);
if (!handled)
{
session.PostReturn();
}
var virtualCaret = session.TextView.GetVirtualCaretPoint(session.SubjectBuffer).Value;
Assert.Equal(expectedVirtualSpace, virtualCaret.VirtualSpaces);
}
internal static void CheckOverType(IBraceCompletionSession session, bool allowOverType = true)
{
var preClosingPoint = session.ClosingPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot);
Assert.Equal(session.ClosingBrace, preClosingPoint.Subtract(1).GetChar());
session.PreOverType(out var handled);
if (!handled)
{
session.PostOverType();
}
var postClosingPoint = session.ClosingPoint.GetPoint(session.SubjectBuffer.CurrentSnapshot);
Assert.Equal(postClosingPoint.Subtract(1).GetChar(), session.ClosingBrace);
var caret = session.TextView.GetCaretPoint(session.SubjectBuffer).Value;
if (allowOverType)
{
Assert.Equal(postClosingPoint.Position, caret.Position);
}
else
{
Assert.True(caret.Position < postClosingPoint.Position);
}
}
internal static void Type(IBraceCompletionSession session, string text)
{
var buffer = session.SubjectBuffer;
var caret = session.TextView.GetCaretPoint(buffer).Value;
using (var edit = buffer.CreateEdit())
{
edit.Insert(caret.Position, text);
edit.Apply();
}
}
internal static Holder CreateSession(TestWorkspace workspace, char opening, char closing, Dictionary<OptionKey2, object> changedOptionSet = null)
{
if (changedOptionSet != null)
{
var options = workspace.Options;
foreach (var entry in changedOptionSet)
{
options = options.WithChangedOption(entry.Key, entry.Value);
}
workspace.TryApplyChanges(workspace.CurrentSolution.WithOptions(options));
}
var document = workspace.Documents.First();
var provider = Assert.IsType<BraceCompletionSessionProvider>(workspace.ExportProvider.GetExportedValue<IBraceCompletionSessionProvider>());
var openingPoint = new SnapshotPoint(document.GetTextBuffer().CurrentSnapshot, document.CursorPosition.Value);
if (provider.TryCreateSession(document.GetTextView(), openingPoint, opening, closing, out var session))
{
return new Holder(workspace, session);
}
workspace.Dispose();
return null;
}
internal class Holder : IDisposable
{
public TestWorkspace Workspace { get; }
public IBraceCompletionSession Session { get; }
public Holder(TestWorkspace workspace, IBraceCompletionSession session)
{
this.Workspace = workspace;
this.Session = session;
}
public void Dispose()
=> this.Workspace.Dispose();
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/SourceFileResolver.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.Collections.Immutable;
using System.Diagnostics.CodeAnalysis;
using System.IO;
using System.Linq;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
/// <summary>
/// Resolves references to source files specified in source code.
/// </summary>
public class SourceFileResolver : SourceReferenceResolver, IEquatable<SourceFileResolver>
{
public static SourceFileResolver Default { get; } = new SourceFileResolver(ImmutableArray<string>.Empty, baseDirectory: null);
private readonly string? _baseDirectory;
private readonly ImmutableArray<string> _searchPaths;
private readonly ImmutableArray<KeyValuePair<string, string>> _pathMap;
public SourceFileResolver(IEnumerable<string> searchPaths, string? baseDirectory)
: this(searchPaths.AsImmutableOrNull(), baseDirectory)
{
}
public SourceFileResolver(ImmutableArray<string> searchPaths, string? baseDirectory)
: this(searchPaths, baseDirectory, ImmutableArray<KeyValuePair<string, string>>.Empty)
{
}
public SourceFileResolver(
ImmutableArray<string> searchPaths,
string? baseDirectory,
ImmutableArray<KeyValuePair<string, string>> pathMap)
{
if (searchPaths.IsDefault)
{
throw new ArgumentNullException(nameof(searchPaths));
}
if (baseDirectory != null && PathUtilities.GetPathKind(baseDirectory) != PathKind.Absolute)
{
throw new ArgumentException(CodeAnalysisResources.AbsolutePathExpected, nameof(baseDirectory));
}
_baseDirectory = baseDirectory;
_searchPaths = searchPaths;
// The previous public API required paths to not end with a path separator.
// This broke handling of root paths (e.g. "/" cannot be represented), so
// the new requirement is for paths to always end with a path separator.
// However, because this is a public API, both conventions must be allowed,
// so normalize the paths here (instead of enforcing end-with-sep).
if (!pathMap.IsDefaultOrEmpty)
{
var pathMapBuilder = ArrayBuilder<KeyValuePair<string, string>>.GetInstance(pathMap.Length);
foreach (var (key, value) in pathMap)
{
if (key == null || key.Length == 0)
{
throw new ArgumentException(CodeAnalysisResources.EmptyKeyInPathMap, nameof(pathMap));
}
if (value == null)
{
throw new ArgumentException(CodeAnalysisResources.NullValueInPathMap, nameof(pathMap));
}
var normalizedKey = PathUtilities.EnsureTrailingSeparator(key);
var normalizedValue = PathUtilities.EnsureTrailingSeparator(value);
pathMapBuilder.Add(new KeyValuePair<string, string>(normalizedKey, normalizedValue));
}
_pathMap = pathMapBuilder.ToImmutableAndFree();
}
else
{
_pathMap = ImmutableArray<KeyValuePair<string, string>>.Empty;
}
}
public string? BaseDirectory => _baseDirectory;
public ImmutableArray<string> SearchPaths => _searchPaths;
public ImmutableArray<KeyValuePair<string, string>> PathMap => _pathMap;
public override string? NormalizePath(string path, string? baseFilePath)
{
string? normalizedPath = FileUtilities.NormalizeRelativePath(path, baseFilePath, _baseDirectory);
return (normalizedPath == null || _pathMap.IsDefaultOrEmpty) ? normalizedPath : PathUtilities.NormalizePathPrefix(normalizedPath, _pathMap);
}
public override string? ResolveReference(string path, string? baseFilePath)
{
string? resolvedPath = FileUtilities.ResolveRelativePath(path, baseFilePath, _baseDirectory, _searchPaths, FileExists);
if (resolvedPath == null)
{
return null;
}
return FileUtilities.TryNormalizeAbsolutePath(resolvedPath);
}
public override Stream OpenRead(string resolvedPath)
{
CompilerPathUtilities.RequireAbsolutePath(resolvedPath, nameof(resolvedPath));
return FileUtilities.OpenRead(resolvedPath);
}
protected virtual bool FileExists([NotNullWhen(true)] string? resolvedPath)
{
return File.Exists(resolvedPath);
}
public override bool Equals(object? obj)
{
// Explicitly check that we're not comparing against a derived type
if (obj == null || GetType() != obj.GetType())
{
return false;
}
return Equals((SourceFileResolver)obj);
}
public bool Equals(SourceFileResolver? other)
{
if (other is null)
{
return false;
}
return
string.Equals(_baseDirectory, other._baseDirectory, StringComparison.Ordinal) &&
_searchPaths.SequenceEqual(other._searchPaths, StringComparer.Ordinal) &&
_pathMap.SequenceEqual(other._pathMap);
}
public override int GetHashCode()
{
return Hash.Combine(_baseDirectory != null ? StringComparer.Ordinal.GetHashCode(_baseDirectory) : 0,
Hash.Combine(Hash.CombineValues(_searchPaths, StringComparer.Ordinal),
Hash.CombineValues(_pathMap)));
}
}
}
| // 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.Collections.Immutable;
using System.Diagnostics.CodeAnalysis;
using System.IO;
using System.Linq;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
/// <summary>
/// Resolves references to source files specified in source code.
/// </summary>
public class SourceFileResolver : SourceReferenceResolver, IEquatable<SourceFileResolver>
{
public static SourceFileResolver Default { get; } = new SourceFileResolver(ImmutableArray<string>.Empty, baseDirectory: null);
private readonly string? _baseDirectory;
private readonly ImmutableArray<string> _searchPaths;
private readonly ImmutableArray<KeyValuePair<string, string>> _pathMap;
public SourceFileResolver(IEnumerable<string> searchPaths, string? baseDirectory)
: this(searchPaths.AsImmutableOrNull(), baseDirectory)
{
}
public SourceFileResolver(ImmutableArray<string> searchPaths, string? baseDirectory)
: this(searchPaths, baseDirectory, ImmutableArray<KeyValuePair<string, string>>.Empty)
{
}
public SourceFileResolver(
ImmutableArray<string> searchPaths,
string? baseDirectory,
ImmutableArray<KeyValuePair<string, string>> pathMap)
{
if (searchPaths.IsDefault)
{
throw new ArgumentNullException(nameof(searchPaths));
}
if (baseDirectory != null && PathUtilities.GetPathKind(baseDirectory) != PathKind.Absolute)
{
throw new ArgumentException(CodeAnalysisResources.AbsolutePathExpected, nameof(baseDirectory));
}
_baseDirectory = baseDirectory;
_searchPaths = searchPaths;
// The previous public API required paths to not end with a path separator.
// This broke handling of root paths (e.g. "/" cannot be represented), so
// the new requirement is for paths to always end with a path separator.
// However, because this is a public API, both conventions must be allowed,
// so normalize the paths here (instead of enforcing end-with-sep).
if (!pathMap.IsDefaultOrEmpty)
{
var pathMapBuilder = ArrayBuilder<KeyValuePair<string, string>>.GetInstance(pathMap.Length);
foreach (var (key, value) in pathMap)
{
if (key == null || key.Length == 0)
{
throw new ArgumentException(CodeAnalysisResources.EmptyKeyInPathMap, nameof(pathMap));
}
if (value == null)
{
throw new ArgumentException(CodeAnalysisResources.NullValueInPathMap, nameof(pathMap));
}
var normalizedKey = PathUtilities.EnsureTrailingSeparator(key);
var normalizedValue = PathUtilities.EnsureTrailingSeparator(value);
pathMapBuilder.Add(new KeyValuePair<string, string>(normalizedKey, normalizedValue));
}
_pathMap = pathMapBuilder.ToImmutableAndFree();
}
else
{
_pathMap = ImmutableArray<KeyValuePair<string, string>>.Empty;
}
}
public string? BaseDirectory => _baseDirectory;
public ImmutableArray<string> SearchPaths => _searchPaths;
public ImmutableArray<KeyValuePair<string, string>> PathMap => _pathMap;
public override string? NormalizePath(string path, string? baseFilePath)
{
string? normalizedPath = FileUtilities.NormalizeRelativePath(path, baseFilePath, _baseDirectory);
return (normalizedPath == null || _pathMap.IsDefaultOrEmpty) ? normalizedPath : PathUtilities.NormalizePathPrefix(normalizedPath, _pathMap);
}
public override string? ResolveReference(string path, string? baseFilePath)
{
string? resolvedPath = FileUtilities.ResolveRelativePath(path, baseFilePath, _baseDirectory, _searchPaths, FileExists);
if (resolvedPath == null)
{
return null;
}
return FileUtilities.TryNormalizeAbsolutePath(resolvedPath);
}
public override Stream OpenRead(string resolvedPath)
{
CompilerPathUtilities.RequireAbsolutePath(resolvedPath, nameof(resolvedPath));
return FileUtilities.OpenRead(resolvedPath);
}
protected virtual bool FileExists([NotNullWhen(true)] string? resolvedPath)
{
return File.Exists(resolvedPath);
}
public override bool Equals(object? obj)
{
// Explicitly check that we're not comparing against a derived type
if (obj == null || GetType() != obj.GetType())
{
return false;
}
return Equals((SourceFileResolver)obj);
}
public bool Equals(SourceFileResolver? other)
{
if (other is null)
{
return false;
}
return
string.Equals(_baseDirectory, other._baseDirectory, StringComparison.Ordinal) &&
_searchPaths.SequenceEqual(other._searchPaths, StringComparer.Ordinal) &&
_pathMap.SequenceEqual(other._pathMap);
}
public override int GetHashCode()
{
return Hash.Combine(_baseDirectory != null ? StringComparer.Ordinal.GetHashCode(_baseDirectory) : 0,
Hash.Combine(Hash.CombineValues(_searchPaths, StringComparer.Ordinal),
Hash.CombineValues(_pathMap)));
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Portable/Symbols/SynthesizedSymbols/GeneratedNames.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.Collections.Immutable
Imports System.Globalization
Imports System.Runtime.InteropServices
Imports Microsoft.CodeAnalysis.Collections
Imports Microsoft.CodeAnalysis.PooledObjects
Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols
''' <summary>
''' Helper class to generate synthesized names.
''' </summary>
Friend NotInheritable Class GeneratedNames
Friend Const DotReplacementInTypeNames As Char = "-"c
Private Const s_methodNameSeparator As Char = "_"c
Private Const s_idSeparator As Char = "-"c
Private Const s_generationSeparator As Char = "#"c
''' <summary>
''' Generates the name of a state machine's type.
''' </summary>
Public Shared Function MakeStateMachineTypeName(methodName As String, methodOrdinal As Integer, generation As Integer) As String
Debug.Assert(methodOrdinal >= -1)
Return MakeMethodScopedSynthesizedName(StringConstants.StateMachineTypeNamePrefix, methodOrdinal, generation, methodName, isTypeName:=True)
End Function
''' <summary>
''' Generates the name of a state machine 'state' field
''' </summary>
Public Shared Function MakeStateMachineStateFieldName() As String
Return StringConstants.StateMachineStateFieldName
End Function
Public Shared Function MakeBaseMethodWrapperName(methodName As String, isMyBase As Boolean) As String
Return StringConstants.BaseMethodWrapperNamePrefix & methodName & If(isMyBase, "_MyBase", "_MyClass")
End Function
Public Shared Function ReusableHoistedLocalFieldName(number As Integer) As String
Return StringConstants.ReusableHoistedLocalFieldName & StringExtensions.GetNumeral(number)
End Function
Public Shared Function MakeStaticLambdaDisplayClassName(methodOrdinal As Integer, generation As Integer) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(generation >= 0)
Return MakeMethodScopedSynthesizedName(StringConstants.DisplayClassPrefix, methodOrdinal, generation)
End Function
Friend Shared Function MakeLambdaDisplayClassName(methodOrdinal As Integer, generation As Integer, closureOrdinal As Integer, closureGeneration As Integer, isDelegateRelaxation As Boolean) As String
Debug.Assert(closureOrdinal >= 0)
Debug.Assert(methodOrdinal >= 0)
Debug.Assert(generation >= 0)
Dim prefix = If(isDelegateRelaxation, StringConstants.DelegateRelaxationDisplayClassPrefix, StringConstants.DisplayClassPrefix)
Return MakeMethodScopedSynthesizedName(prefix, methodOrdinal, generation, entityOrdinal:=closureOrdinal, entityGeneration:=closureGeneration, isTypeName:=True)
End Function
Friend Shared Function MakeDisplayClassGenericParameterName(parameterIndex As Integer) As String
Return StringConstants.DisplayClassGenericParameterNamePrefix & StringExtensions.GetNumeral(parameterIndex)
End Function
Friend Shared Function MakeLambdaMethodName(methodOrdinal As Integer, generation As Integer, lambdaOrdinal As Integer, lambdaGeneration As Integer, lambdaKind As SynthesizedLambdaKind) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(lambdaOrdinal >= 0)
Dim prefix = If(lambdaKind = SynthesizedLambdaKind.DelegateRelaxationStub,
StringConstants.DelegateRelaxationMethodNamePrefix,
StringConstants.LambdaMethodNamePrefix)
Return MakeMethodScopedSynthesizedName(prefix, methodOrdinal, generation, entityOrdinal:=lambdaOrdinal, entityGeneration:=lambdaGeneration)
End Function
''' <summary>
''' Generates the name of a static lambda display class instance cache
''' </summary>
Public Shared Function MakeCachedFrameInstanceName() As String
Return StringConstants.LambdaCacheFieldPrefix
End Function
Friend Shared Function MakeLambdaCacheFieldName(methodOrdinal As Integer, generation As Integer, lambdaOrdinal As Integer, lambdaGeneration As Integer, lambdaKind As SynthesizedLambdaKind) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(lambdaOrdinal >= 0)
Dim prefix = If(lambdaKind = SynthesizedLambdaKind.DelegateRelaxationStub,
StringConstants.DelegateRelaxationCacheFieldPrefix,
StringConstants.LambdaCacheFieldPrefix)
Return MakeMethodScopedSynthesizedName(prefix, methodOrdinal, generation, entityOrdinal:=lambdaOrdinal, entityGeneration:=lambdaGeneration)
End Function
Friend Shared Function MakeDelegateRelaxationParameterName(parameterIndex As Integer) As String
Return StringConstants.DelegateStubParameterPrefix & StringExtensions.GetNumeral(parameterIndex)
End Function
Private Shared Function MakeMethodScopedSynthesizedName(prefix As String,
methodOrdinal As Integer,
methodGeneration As Integer,
Optional methodNameOpt As String = Nothing,
Optional entityOrdinal As Integer = -1,
Optional entityGeneration As Integer = -1,
Optional isTypeName As Boolean = False) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(methodGeneration >= 0 OrElse methodGeneration = -1 AndAlso methodOrdinal = -1)
Debug.Assert(entityOrdinal >= -1)
Debug.Assert(entityGeneration >= 0 OrElse entityGeneration = -1 AndAlso entityOrdinal = -1)
Debug.Assert(entityGeneration = -1 OrElse entityGeneration >= methodGeneration)
Dim result = PooledStringBuilder.GetInstance()
Dim builder = result.Builder
builder.Append(prefix)
If methodOrdinal >= 0 Then
builder.Append(methodOrdinal)
If methodGeneration > 0 Then
builder.Append(s_generationSeparator)
builder.Append(methodGeneration)
End If
End If
If entityOrdinal >= 0 Then
If methodOrdinal >= 0 Then
' Can't use underscore since name parser uses it to find the method name.
builder.Append(s_idSeparator)
End If
builder.Append(entityOrdinal)
If entityGeneration > 0 Then
builder.Append(s_generationSeparator)
builder.Append(entityGeneration)
End If
End If
If methodNameOpt IsNot Nothing Then
builder.Append(s_methodNameSeparator)
builder.Append(methodNameOpt)
' CLR generally allows names with dots, however some APIs like IMetaDataImport
' can only return full type names combined with namespaces.
' see: http://msdn.microsoft.com/en-us/library/ms230143.aspx (IMetaDataImport::GetTypeDefProps)
' When working with such APIs, names with dots become ambiguous since metadata
' consumer cannot figure where namespace ends and actual type name starts.
' Therefore it is a good practice to avoid type names with dots.
If isTypeName Then
builder.Replace("."c, DotReplacementInTypeNames)
End If
End If
Return result.ToStringAndFree()
End Function
Public Shared Function TryParseStateMachineTypeName(stateMachineTypeName As String, <Out> ByRef methodName As String) As Boolean
If Not stateMachineTypeName.StartsWith(StringConstants.StateMachineTypeNamePrefix, StringComparison.Ordinal) Then
Return False
End If
Dim prefixLength As Integer = StringConstants.StateMachineTypeNamePrefix.Length
Dim separatorPos = stateMachineTypeName.IndexOf(s_methodNameSeparator, prefixLength)
If separatorPos < 0 OrElse separatorPos = stateMachineTypeName.Length - 1 Then
Return False
End If
methodName = stateMachineTypeName.Substring(separatorPos + 1)
Return True
End Function
''' <summary>
''' Generates the name of a state machine 'builder' field
''' </summary>
Public Shared Function MakeStateMachineBuilderFieldName() As String
Return StringConstants.StateMachineBuilderFieldName
End Function
''' <summary>
''' Generates the name of a field that backs Current property
''' </summary>
Public Shared Function MakeIteratorCurrentFieldName() As String
Return StringConstants.IteratorCurrentFieldName
End Function
''' <summary>
''' Generates the name of a state machine's awaiter field
''' </summary>
Public Shared Function MakeStateMachineAwaiterFieldName(index As Integer) As String
Return StringConstants.StateMachineAwaiterFieldPrefix & StringExtensions.GetNumeral(index)
End Function
''' <summary>
''' Generates the name of a state machine's parameter name
''' </summary>
Public Shared Function MakeStateMachineParameterName(paramName As String) As String
Return StringConstants.HoistedUserVariablePrefix & paramName
End Function
''' <summary>
''' Generates the name of a state machine's parameter name
''' </summary>
Public Shared Function MakeIteratorParameterProxyName(paramName As String) As String
Return StringConstants.IteratorParameterProxyPrefix & paramName
End Function
''' <summary>
''' Generates the name of a field where initial thread ID is stored
''' </summary>
Public Shared Function MakeIteratorInitialThreadIdName() As String
Return StringConstants.IteratorInitialThreadIdName
End Function
''' <summary>
''' Try to parse the local (or parameter) name and return <paramref name="variableName"/> if successful.
''' </summary>
Public Shared Function TryParseHoistedUserVariableName(proxyName As String, <Out> ByRef variableName As String) As Boolean
variableName = Nothing
Dim prefixLen As Integer = StringConstants.HoistedUserVariablePrefix.Length
If proxyName.Length <= prefixLen Then
Return False
End If
' All names should start with "$VB$Local_"
If Not proxyName.StartsWith(StringConstants.HoistedUserVariablePrefix, StringComparison.Ordinal) Then
Return False
End If
variableName = proxyName.Substring(prefixLen)
Return True
End Function
''' <summary>
''' Try to parse the local name and return <paramref name="variableName"/> and <paramref name="index"/> if successful.
''' </summary>
Public Shared Function TryParseStateMachineHoistedUserVariableName(proxyName As String, <Out> ByRef variableName As String, <Out()> ByRef index As Integer) As Boolean
variableName = Nothing
index = 0
' All names should start with "$VB$ResumableLocal_"
If Not proxyName.StartsWith(StringConstants.StateMachineHoistedUserVariablePrefix, StringComparison.Ordinal) Then
Return False
End If
Dim prefixLen As Integer = StringConstants.StateMachineHoistedUserVariablePrefix.Length
Dim separator As Integer = proxyName.LastIndexOf("$"c)
If separator <= prefixLen Then
Return False
End If
variableName = proxyName.Substring(prefixLen, separator - prefixLen)
Return Integer.TryParse(proxyName.Substring(separator + 1), NumberStyles.None, CultureInfo.InvariantCulture, index)
End Function
''' <summary>
''' Generates the name of a state machine field name for captured me reference
''' </summary>
Public Shared Function MakeStateMachineCapturedMeName() As String
Return StringConstants.HoistedMeName
End Function
''' <summary>
''' Generates the name of a state machine field name for captured me reference of lambda closure
''' </summary>
Public Shared Function MakeStateMachineCapturedClosureMeName(closureName As String) As String
Return StringConstants.HoistedSpecialVariablePrefix & closureName
End Function
Friend Const AnonymousTypeOrDelegateCommonPrefix = "VB$Anonymous"
Friend Const AnonymousTypeTemplateNamePrefix = AnonymousTypeOrDelegateCommonPrefix & "Type_"
Friend Const AnonymousDelegateTemplateNamePrefix = AnonymousTypeOrDelegateCommonPrefix & "Delegate_"
Friend Shared Function MakeAnonymousTypeTemplateName(prefix As String, index As Integer, submissionSlotIndex As Integer, moduleId As String) As String
Return If(submissionSlotIndex >= 0,
String.Format("{0}{1}_{2}{3}", prefix, submissionSlotIndex, index, moduleId),
String.Format("{0}{1}{2}", prefix, index, moduleId))
End Function
Friend Shared Function TryParseAnonymousTypeTemplateName(prefix As String, name As String, <Out()> ByRef index As Integer) As Boolean
' No callers require anonymous types from net modules,
' so names with module id are ignored.
If name.StartsWith(prefix, StringComparison.Ordinal) AndAlso
Integer.TryParse(name.Substring(prefix.Length), NumberStyles.None, CultureInfo.InvariantCulture, index) Then
Return True
End If
index = -1
Return False
End Function
Friend Shared Function MakeSynthesizedLocalName(kind As SynthesizedLocalKind, ByRef uniqueId As Integer) As String
Debug.Assert(kind.IsLongLived())
' The following variables have to be named, EE depends on the name format.
Dim name As String
Select Case kind
Case SynthesizedLocalKind.LambdaDisplayClass
name = MakeLambdaDisplayClassStorageName(uniqueId)
uniqueId += 1
Case SynthesizedLocalKind.With
' Dev12 didn't name the local. We do so that we can do better job in EE evaluating With statements.
name = StringConstants.HoistedWithLocalPrefix & StringExtensions.GetNumeral(uniqueId)
uniqueId += 1
Case Else
name = Nothing
End Select
Return name
End Function
Friend Shared Function MakeLambdaDisplayClassStorageName(uniqueId As Integer) As String
Return StringConstants.ClosureVariablePrefix & StringExtensions.GetNumeral(uniqueId)
End Function
Friend Shared Function MakeSignatureString(signature As Byte()) As String
Dim builder = PooledStringBuilder.GetInstance()
For Each b In signature
' Note the format of each byte is not fixed width, so the resulting string may be
' ambiguous. And since this method Is used to generate field names for static
' locals, the same field name may be generated for two locals with the same
' local name in overloaded methods. The native compiler has the same behavior.
' Using a fixed width format {0:X2} would solve this but since the EE relies on
' the format for recognizing static locals, that would be a breaking change.
builder.Builder.AppendFormat("{0:X}", b)
Next
Return builder.ToStringAndFree()
End Function
Friend Shared Function MakeStaticLocalFieldName(
methodName As String,
methodSignature As String,
localName As String) As String
Return String.Format(StringConstants.StaticLocalFieldNamePrefix & "{0}${1}${2}", methodName, methodSignature, localName)
End Function
Friend Shared Function TryParseStaticLocalFieldName(
fieldName As String,
<Out> ByRef methodName As String,
<Out> ByRef methodSignature As String,
<Out> ByRef localName As String) As Boolean
If fieldName.StartsWith(StringConstants.StaticLocalFieldNamePrefix, StringComparison.Ordinal) Then
Dim parts = fieldName.Split("$"c)
If parts.Length = 5 Then
methodName = parts(2)
methodSignature = parts(3)
localName = parts(4)
Return True
End If
End If
methodName = Nothing
methodSignature = Nothing
localName = Nothing
Return False
End Function
' Extracts the slot index from a name of a field that stores hoisted variables or awaiters.
' Such a name ends with "$prefix{slot index}".
' Returned slot index is >= 0.
Friend Shared Function TryParseSlotIndex(prefix As String, fieldName As String, <Out> ByRef slotIndex As Integer) As Boolean
If fieldName.StartsWith(prefix, StringComparison.Ordinal) AndAlso
Integer.TryParse(fieldName.Substring(prefix.Length), NumberStyles.None, CultureInfo.InvariantCulture, slotIndex) Then
Return True
End If
slotIndex = -1
Return False
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.Collections.Immutable
Imports System.Globalization
Imports System.Runtime.InteropServices
Imports Microsoft.CodeAnalysis.Collections
Imports Microsoft.CodeAnalysis.PooledObjects
Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols
''' <summary>
''' Helper class to generate synthesized names.
''' </summary>
Friend NotInheritable Class GeneratedNames
Friend Const DotReplacementInTypeNames As Char = "-"c
Private Const s_methodNameSeparator As Char = "_"c
Private Const s_idSeparator As Char = "-"c
Private Const s_generationSeparator As Char = "#"c
''' <summary>
''' Generates the name of a state machine's type.
''' </summary>
Public Shared Function MakeStateMachineTypeName(methodName As String, methodOrdinal As Integer, generation As Integer) As String
Debug.Assert(methodOrdinal >= -1)
Return MakeMethodScopedSynthesizedName(StringConstants.StateMachineTypeNamePrefix, methodOrdinal, generation, methodName, isTypeName:=True)
End Function
''' <summary>
''' Generates the name of a state machine 'state' field
''' </summary>
Public Shared Function MakeStateMachineStateFieldName() As String
Return StringConstants.StateMachineStateFieldName
End Function
Public Shared Function MakeBaseMethodWrapperName(methodName As String, isMyBase As Boolean) As String
Return StringConstants.BaseMethodWrapperNamePrefix & methodName & If(isMyBase, "_MyBase", "_MyClass")
End Function
Public Shared Function ReusableHoistedLocalFieldName(number As Integer) As String
Return StringConstants.ReusableHoistedLocalFieldName & StringExtensions.GetNumeral(number)
End Function
Public Shared Function MakeStaticLambdaDisplayClassName(methodOrdinal As Integer, generation As Integer) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(generation >= 0)
Return MakeMethodScopedSynthesizedName(StringConstants.DisplayClassPrefix, methodOrdinal, generation)
End Function
Friend Shared Function MakeLambdaDisplayClassName(methodOrdinal As Integer, generation As Integer, closureOrdinal As Integer, closureGeneration As Integer, isDelegateRelaxation As Boolean) As String
Debug.Assert(closureOrdinal >= 0)
Debug.Assert(methodOrdinal >= 0)
Debug.Assert(generation >= 0)
Dim prefix = If(isDelegateRelaxation, StringConstants.DelegateRelaxationDisplayClassPrefix, StringConstants.DisplayClassPrefix)
Return MakeMethodScopedSynthesizedName(prefix, methodOrdinal, generation, entityOrdinal:=closureOrdinal, entityGeneration:=closureGeneration, isTypeName:=True)
End Function
Friend Shared Function MakeDisplayClassGenericParameterName(parameterIndex As Integer) As String
Return StringConstants.DisplayClassGenericParameterNamePrefix & StringExtensions.GetNumeral(parameterIndex)
End Function
Friend Shared Function MakeLambdaMethodName(methodOrdinal As Integer, generation As Integer, lambdaOrdinal As Integer, lambdaGeneration As Integer, lambdaKind As SynthesizedLambdaKind) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(lambdaOrdinal >= 0)
Dim prefix = If(lambdaKind = SynthesizedLambdaKind.DelegateRelaxationStub,
StringConstants.DelegateRelaxationMethodNamePrefix,
StringConstants.LambdaMethodNamePrefix)
Return MakeMethodScopedSynthesizedName(prefix, methodOrdinal, generation, entityOrdinal:=lambdaOrdinal, entityGeneration:=lambdaGeneration)
End Function
''' <summary>
''' Generates the name of a static lambda display class instance cache
''' </summary>
Public Shared Function MakeCachedFrameInstanceName() As String
Return StringConstants.LambdaCacheFieldPrefix
End Function
Friend Shared Function MakeLambdaCacheFieldName(methodOrdinal As Integer, generation As Integer, lambdaOrdinal As Integer, lambdaGeneration As Integer, lambdaKind As SynthesizedLambdaKind) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(lambdaOrdinal >= 0)
Dim prefix = If(lambdaKind = SynthesizedLambdaKind.DelegateRelaxationStub,
StringConstants.DelegateRelaxationCacheFieldPrefix,
StringConstants.LambdaCacheFieldPrefix)
Return MakeMethodScopedSynthesizedName(prefix, methodOrdinal, generation, entityOrdinal:=lambdaOrdinal, entityGeneration:=lambdaGeneration)
End Function
Friend Shared Function MakeDelegateRelaxationParameterName(parameterIndex As Integer) As String
Return StringConstants.DelegateStubParameterPrefix & StringExtensions.GetNumeral(parameterIndex)
End Function
Private Shared Function MakeMethodScopedSynthesizedName(prefix As String,
methodOrdinal As Integer,
methodGeneration As Integer,
Optional methodNameOpt As String = Nothing,
Optional entityOrdinal As Integer = -1,
Optional entityGeneration As Integer = -1,
Optional isTypeName As Boolean = False) As String
Debug.Assert(methodOrdinal >= -1)
Debug.Assert(methodGeneration >= 0 OrElse methodGeneration = -1 AndAlso methodOrdinal = -1)
Debug.Assert(entityOrdinal >= -1)
Debug.Assert(entityGeneration >= 0 OrElse entityGeneration = -1 AndAlso entityOrdinal = -1)
Debug.Assert(entityGeneration = -1 OrElse entityGeneration >= methodGeneration)
Dim result = PooledStringBuilder.GetInstance()
Dim builder = result.Builder
builder.Append(prefix)
If methodOrdinal >= 0 Then
builder.Append(methodOrdinal)
If methodGeneration > 0 Then
builder.Append(s_generationSeparator)
builder.Append(methodGeneration)
End If
End If
If entityOrdinal >= 0 Then
If methodOrdinal >= 0 Then
' Can't use underscore since name parser uses it to find the method name.
builder.Append(s_idSeparator)
End If
builder.Append(entityOrdinal)
If entityGeneration > 0 Then
builder.Append(s_generationSeparator)
builder.Append(entityGeneration)
End If
End If
If methodNameOpt IsNot Nothing Then
builder.Append(s_methodNameSeparator)
builder.Append(methodNameOpt)
' CLR generally allows names with dots, however some APIs like IMetaDataImport
' can only return full type names combined with namespaces.
' see: http://msdn.microsoft.com/en-us/library/ms230143.aspx (IMetaDataImport::GetTypeDefProps)
' When working with such APIs, names with dots become ambiguous since metadata
' consumer cannot figure where namespace ends and actual type name starts.
' Therefore it is a good practice to avoid type names with dots.
If isTypeName Then
builder.Replace("."c, DotReplacementInTypeNames)
End If
End If
Return result.ToStringAndFree()
End Function
Public Shared Function TryParseStateMachineTypeName(stateMachineTypeName As String, <Out> ByRef methodName As String) As Boolean
If Not stateMachineTypeName.StartsWith(StringConstants.StateMachineTypeNamePrefix, StringComparison.Ordinal) Then
Return False
End If
Dim prefixLength As Integer = StringConstants.StateMachineTypeNamePrefix.Length
Dim separatorPos = stateMachineTypeName.IndexOf(s_methodNameSeparator, prefixLength)
If separatorPos < 0 OrElse separatorPos = stateMachineTypeName.Length - 1 Then
Return False
End If
methodName = stateMachineTypeName.Substring(separatorPos + 1)
Return True
End Function
''' <summary>
''' Generates the name of a state machine 'builder' field
''' </summary>
Public Shared Function MakeStateMachineBuilderFieldName() As String
Return StringConstants.StateMachineBuilderFieldName
End Function
''' <summary>
''' Generates the name of a field that backs Current property
''' </summary>
Public Shared Function MakeIteratorCurrentFieldName() As String
Return StringConstants.IteratorCurrentFieldName
End Function
''' <summary>
''' Generates the name of a state machine's awaiter field
''' </summary>
Public Shared Function MakeStateMachineAwaiterFieldName(index As Integer) As String
Return StringConstants.StateMachineAwaiterFieldPrefix & StringExtensions.GetNumeral(index)
End Function
''' <summary>
''' Generates the name of a state machine's parameter name
''' </summary>
Public Shared Function MakeStateMachineParameterName(paramName As String) As String
Return StringConstants.HoistedUserVariablePrefix & paramName
End Function
''' <summary>
''' Generates the name of a state machine's parameter name
''' </summary>
Public Shared Function MakeIteratorParameterProxyName(paramName As String) As String
Return StringConstants.IteratorParameterProxyPrefix & paramName
End Function
''' <summary>
''' Generates the name of a field where initial thread ID is stored
''' </summary>
Public Shared Function MakeIteratorInitialThreadIdName() As String
Return StringConstants.IteratorInitialThreadIdName
End Function
''' <summary>
''' Try to parse the local (or parameter) name and return <paramref name="variableName"/> if successful.
''' </summary>
Public Shared Function TryParseHoistedUserVariableName(proxyName As String, <Out> ByRef variableName As String) As Boolean
variableName = Nothing
Dim prefixLen As Integer = StringConstants.HoistedUserVariablePrefix.Length
If proxyName.Length <= prefixLen Then
Return False
End If
' All names should start with "$VB$Local_"
If Not proxyName.StartsWith(StringConstants.HoistedUserVariablePrefix, StringComparison.Ordinal) Then
Return False
End If
variableName = proxyName.Substring(prefixLen)
Return True
End Function
''' <summary>
''' Try to parse the local name and return <paramref name="variableName"/> and <paramref name="index"/> if successful.
''' </summary>
Public Shared Function TryParseStateMachineHoistedUserVariableName(proxyName As String, <Out> ByRef variableName As String, <Out()> ByRef index As Integer) As Boolean
variableName = Nothing
index = 0
' All names should start with "$VB$ResumableLocal_"
If Not proxyName.StartsWith(StringConstants.StateMachineHoistedUserVariablePrefix, StringComparison.Ordinal) Then
Return False
End If
Dim prefixLen As Integer = StringConstants.StateMachineHoistedUserVariablePrefix.Length
Dim separator As Integer = proxyName.LastIndexOf("$"c)
If separator <= prefixLen Then
Return False
End If
variableName = proxyName.Substring(prefixLen, separator - prefixLen)
Return Integer.TryParse(proxyName.Substring(separator + 1), NumberStyles.None, CultureInfo.InvariantCulture, index)
End Function
''' <summary>
''' Generates the name of a state machine field name for captured me reference
''' </summary>
Public Shared Function MakeStateMachineCapturedMeName() As String
Return StringConstants.HoistedMeName
End Function
''' <summary>
''' Generates the name of a state machine field name for captured me reference of lambda closure
''' </summary>
Public Shared Function MakeStateMachineCapturedClosureMeName(closureName As String) As String
Return StringConstants.HoistedSpecialVariablePrefix & closureName
End Function
Friend Const AnonymousTypeOrDelegateCommonPrefix = "VB$Anonymous"
Friend Const AnonymousTypeTemplateNamePrefix = AnonymousTypeOrDelegateCommonPrefix & "Type_"
Friend Const AnonymousDelegateTemplateNamePrefix = AnonymousTypeOrDelegateCommonPrefix & "Delegate_"
Friend Shared Function MakeAnonymousTypeTemplateName(prefix As String, index As Integer, submissionSlotIndex As Integer, moduleId As String) As String
Return If(submissionSlotIndex >= 0,
String.Format("{0}{1}_{2}{3}", prefix, submissionSlotIndex, index, moduleId),
String.Format("{0}{1}{2}", prefix, index, moduleId))
End Function
Friend Shared Function TryParseAnonymousTypeTemplateName(prefix As String, name As String, <Out()> ByRef index As Integer) As Boolean
' No callers require anonymous types from net modules,
' so names with module id are ignored.
If name.StartsWith(prefix, StringComparison.Ordinal) AndAlso
Integer.TryParse(name.Substring(prefix.Length), NumberStyles.None, CultureInfo.InvariantCulture, index) Then
Return True
End If
index = -1
Return False
End Function
Friend Shared Function MakeSynthesizedLocalName(kind As SynthesizedLocalKind, ByRef uniqueId As Integer) As String
Debug.Assert(kind.IsLongLived())
' The following variables have to be named, EE depends on the name format.
Dim name As String
Select Case kind
Case SynthesizedLocalKind.LambdaDisplayClass
name = MakeLambdaDisplayClassStorageName(uniqueId)
uniqueId += 1
Case SynthesizedLocalKind.With
' Dev12 didn't name the local. We do so that we can do better job in EE evaluating With statements.
name = StringConstants.HoistedWithLocalPrefix & StringExtensions.GetNumeral(uniqueId)
uniqueId += 1
Case Else
name = Nothing
End Select
Return name
End Function
Friend Shared Function MakeLambdaDisplayClassStorageName(uniqueId As Integer) As String
Return StringConstants.ClosureVariablePrefix & StringExtensions.GetNumeral(uniqueId)
End Function
Friend Shared Function MakeSignatureString(signature As Byte()) As String
Dim builder = PooledStringBuilder.GetInstance()
For Each b In signature
' Note the format of each byte is not fixed width, so the resulting string may be
' ambiguous. And since this method Is used to generate field names for static
' locals, the same field name may be generated for two locals with the same
' local name in overloaded methods. The native compiler has the same behavior.
' Using a fixed width format {0:X2} would solve this but since the EE relies on
' the format for recognizing static locals, that would be a breaking change.
builder.Builder.AppendFormat("{0:X}", b)
Next
Return builder.ToStringAndFree()
End Function
Friend Shared Function MakeStaticLocalFieldName(
methodName As String,
methodSignature As String,
localName As String) As String
Return String.Format(StringConstants.StaticLocalFieldNamePrefix & "{0}${1}${2}", methodName, methodSignature, localName)
End Function
Friend Shared Function TryParseStaticLocalFieldName(
fieldName As String,
<Out> ByRef methodName As String,
<Out> ByRef methodSignature As String,
<Out> ByRef localName As String) As Boolean
If fieldName.StartsWith(StringConstants.StaticLocalFieldNamePrefix, StringComparison.Ordinal) Then
Dim parts = fieldName.Split("$"c)
If parts.Length = 5 Then
methodName = parts(2)
methodSignature = parts(3)
localName = parts(4)
Return True
End If
End If
methodName = Nothing
methodSignature = Nothing
localName = Nothing
Return False
End Function
' Extracts the slot index from a name of a field that stores hoisted variables or awaiters.
' Such a name ends with "$prefix{slot index}".
' Returned slot index is >= 0.
Friend Shared Function TryParseSlotIndex(prefix As String, fieldName As String, <Out> ByRef slotIndex As Integer) As Boolean
If fieldName.StartsWith(prefix, StringComparison.Ordinal) AndAlso
Integer.TryParse(fieldName.Substring(prefix.Length), NumberStyles.None, CultureInfo.InvariantCulture, slotIndex) Then
Return True
End If
slotIndex = -1
Return False
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/CodeStyle/BannedSymbols.txt | P:Microsoft.CodeAnalysis.Project.LanguageServices; Use 'GetExtendedLanguageServices' instead
M:Microsoft.CodeAnalysis.Host.HostWorkspaceServices.GetLanguageServices(System.String); Use 'GetExtendedLanguageServices' or directly get the language service by invoking 'GetLanguageService' or 'GetRequiredLanguageService'
T:Microsoft.CodeAnalysis.Options.OptionSet; 'OptionSet' is not available in CodeStyle layer. Add a using/Imports statement defining 'OptionSet = Microsoft.CodeAnalysis.Diagnostics.AnalyzerConfigOptions' when preprocessor variable 'CODE_STYLE' is defined
T:Microsoft.CodeAnalysis.CodeStyle.CodeStyleOption`1; Use 'Microsoft.CodeAnalysis.CodeStyle.CodeStyleOption2' instead
T:Microsoft.CodeAnalysis.CodeStyle.CodeStyleOptions; Use 'Microsoft.CodeAnalysis.CodeStyle.CodeStyleOptions2' instead
T:Microsoft.CodeAnalysis.Options.OptionKey; Use 'Microsoft.CodeAnalysis.Options.OptionKey2' instead
T:Microsoft.CodeAnalysis.CodeStyle.NotificationOption; Use 'Microsoft.CodeAnalysis.CodeStyle.NotificationOption2' instead
M:Microsoft.CodeAnalysis.DiagnosticDescriptor.#ctor(System.String,System.String,System.String,System.String,Microsoft.CodeAnalysis.DiagnosticSeverity,System.Boolean,System.String,System.String,System.String[]); Analyzers should extend 'AbstractBuiltInCodeStyleDiagnosticAnalyzer' or 'AbstractCodeQualityDiagnosticAnalyzer' instead
M:Microsoft.CodeAnalysis.DiagnosticDescriptor.#ctor(System.String,Microsoft.CodeAnalysis.LocalizableString,Microsoft.CodeAnalysis.LocalizableString,System.String,Microsoft.CodeAnalysis.DiagnosticSeverity,System.Boolean,Microsoft.CodeAnalysis.LocalizableString,System.String,System.String[]); Analyzers should extend 'AbstractBuiltInCodeStyleDiagnosticAnalyzer' or 'AbstractCodeQualityDiagnosticAnalyzer' instead
T:System.ComponentModel.Composition.ExportAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ExportMetadataAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportManyAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportMetadataConstraintAttribut; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportingConstructorAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.MetadataAttributeAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.OnImportsSatisfiedAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.PartMetadataAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.PartNotDiscoverableAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.SharedAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.SharingBoundaryAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.Convention.AttributedModelProvider; Use types from System.Composition instead
| P:Microsoft.CodeAnalysis.Project.LanguageServices; Use 'GetExtendedLanguageServices' instead
M:Microsoft.CodeAnalysis.Host.HostWorkspaceServices.GetLanguageServices(System.String); Use 'GetExtendedLanguageServices' or directly get the language service by invoking 'GetLanguageService' or 'GetRequiredLanguageService'
T:Microsoft.CodeAnalysis.Options.OptionSet; 'OptionSet' is not available in CodeStyle layer. Add a using/Imports statement defining 'OptionSet = Microsoft.CodeAnalysis.Diagnostics.AnalyzerConfigOptions' when preprocessor variable 'CODE_STYLE' is defined
T:Microsoft.CodeAnalysis.CodeStyle.CodeStyleOption`1; Use 'Microsoft.CodeAnalysis.CodeStyle.CodeStyleOption2' instead
T:Microsoft.CodeAnalysis.CodeStyle.CodeStyleOptions; Use 'Microsoft.CodeAnalysis.CodeStyle.CodeStyleOptions2' instead
T:Microsoft.CodeAnalysis.Options.OptionKey; Use 'Microsoft.CodeAnalysis.Options.OptionKey2' instead
T:Microsoft.CodeAnalysis.CodeStyle.NotificationOption; Use 'Microsoft.CodeAnalysis.CodeStyle.NotificationOption2' instead
M:Microsoft.CodeAnalysis.DiagnosticDescriptor.#ctor(System.String,System.String,System.String,System.String,Microsoft.CodeAnalysis.DiagnosticSeverity,System.Boolean,System.String,System.String,System.String[]); Analyzers should extend 'AbstractBuiltInCodeStyleDiagnosticAnalyzer' or 'AbstractCodeQualityDiagnosticAnalyzer' instead
M:Microsoft.CodeAnalysis.DiagnosticDescriptor.#ctor(System.String,Microsoft.CodeAnalysis.LocalizableString,Microsoft.CodeAnalysis.LocalizableString,System.String,Microsoft.CodeAnalysis.DiagnosticSeverity,System.Boolean,Microsoft.CodeAnalysis.LocalizableString,System.String,System.String[]); Analyzers should extend 'AbstractBuiltInCodeStyleDiagnosticAnalyzer' or 'AbstractCodeQualityDiagnosticAnalyzer' instead
T:System.ComponentModel.Composition.ExportAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ExportMetadataAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportManyAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportMetadataConstraintAttribut; Use types from System.Composition instead
T:System.ComponentModel.Composition.ImportingConstructorAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.MetadataAttributeAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.OnImportsSatisfiedAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.PartMetadataAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.PartNotDiscoverableAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.SharedAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.SharingBoundaryAttribute; Use types from System.Composition instead
T:System.ComponentModel.Composition.Convention.AttributedModelProvider; Use types from System.Composition instead
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Analyzers/Core/Analyzers/UseThrowExpression/AbstractUseThrowExpressionDiagnosticAnalyzer.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 System.Threading;
using Microsoft.CodeAnalysis.CodeStyle;
using Microsoft.CodeAnalysis.Diagnostics;
using Microsoft.CodeAnalysis.Operations;
using Microsoft.CodeAnalysis.Options;
using Microsoft.CodeAnalysis.Shared.Extensions;
namespace Microsoft.CodeAnalysis.UseThrowExpression
{
/// <summary>
/// Looks for patterns of the form:
/// <code>
/// if (a == null) {
/// throw SomeException();
/// }
///
/// x = a;
/// </code>
///
/// and offers to change it to
///
/// <code>
/// x = a ?? throw SomeException();
/// </code>
///
/// Note: this analyzer can be updated to run on VB once VB supports 'throw'
/// expressions as well.
/// </summary>
internal abstract class AbstractUseThrowExpressionDiagnosticAnalyzer :
AbstractBuiltInCodeStyleDiagnosticAnalyzer
{
private readonly Option2<CodeStyleOption2<bool>> _preferThrowExpressionOption;
protected AbstractUseThrowExpressionDiagnosticAnalyzer(Option2<CodeStyleOption2<bool>> preferThrowExpressionOption, string language)
: base(IDEDiagnosticIds.UseThrowExpressionDiagnosticId,
EnforceOnBuildValues.UseThrowExpression,
preferThrowExpressionOption,
language,
new LocalizableResourceString(nameof(AnalyzersResources.Use_throw_expression), AnalyzersResources.ResourceManager, typeof(AnalyzersResources)),
new LocalizableResourceString(nameof(AnalyzersResources.Null_check_can_be_simplified), AnalyzersResources.ResourceManager, typeof(AnalyzersResources)))
{
_preferThrowExpressionOption = preferThrowExpressionOption;
}
public override DiagnosticAnalyzerCategory GetAnalyzerCategory()
=> DiagnosticAnalyzerCategory.SemanticSpanAnalysis;
protected abstract bool IsSupported(Compilation compilation);
protected override void InitializeWorker(AnalysisContext context)
{
context.RegisterCompilationStartAction(startContext =>
{
if (!IsSupported(startContext.Compilation))
{
return;
}
var expressionTypeOpt = startContext.Compilation.GetTypeByMetadataName("System.Linq.Expressions.Expression`1");
startContext.RegisterOperationAction(operationContext => AnalyzeOperation(operationContext, expressionTypeOpt), OperationKind.Throw);
});
}
private void AnalyzeOperation(OperationAnalysisContext context, INamedTypeSymbol expressionTypeOpt)
{
var cancellationToken = context.CancellationToken;
var throwOperation = (IThrowOperation)context.Operation;
var throwStatementSyntax = throwOperation.Syntax;
var semanticModel = context.Operation.SemanticModel;
var ifOperation = GetContainingIfOperation(
semanticModel, throwOperation, cancellationToken);
// This throw statement isn't parented by an if-statement. Nothing to
// do here.
if (ifOperation == null)
{
return;
}
if (ifOperation.WhenFalse != null)
{
// Can't offer this if the 'if-statement' has an 'else-clause'.
return;
}
var option = context.GetOption(_preferThrowExpressionOption);
if (!option.Value)
{
return;
}
if (IsInExpressionTree(semanticModel, throwStatementSyntax, expressionTypeOpt, cancellationToken))
{
return;
}
if (ifOperation.Parent is not IBlockOperation containingBlock)
{
return;
}
if (!TryDecomposeIfCondition(ifOperation, out var localOrParameter))
{
return;
}
if (!TryFindAssignmentExpression(containingBlock, ifOperation, localOrParameter,
out var expressionStatement, out var assignmentExpression))
{
return;
}
if (!localOrParameter.GetSymbolType().CanAddNullCheck())
{
return;
}
// We found an assignment using this local/parameter. Now, just make sure there
// were no intervening accesses between the check and the assignment.
if (ValueIsAccessed(
semanticModel, ifOperation, containingBlock,
localOrParameter, expressionStatement, assignmentExpression))
{
return;
}
// Ok, there were no intervening writes or accesses. This check+assignment can be simplified.
var allLocations = ImmutableArray.Create(
ifOperation.Syntax.GetLocation(),
throwOperation.Exception.Syntax.GetLocation(),
assignmentExpression.Value.Syntax.GetLocation());
context.ReportDiagnostic(
DiagnosticHelper.Create(Descriptor, throwStatementSyntax.GetLocation(), option.Notification.Severity, additionalLocations: allLocations, properties: null));
}
private static bool ValueIsAccessed(SemanticModel semanticModel, IConditionalOperation ifOperation, IBlockOperation containingBlock, ISymbol localOrParameter, IExpressionStatementOperation expressionStatement, IAssignmentOperation assignmentExpression)
{
var statements = containingBlock.Operations;
var ifOperationIndex = statements.IndexOf(ifOperation);
var expressionStatementIndex = statements.IndexOf(expressionStatement);
if (expressionStatementIndex > ifOperationIndex + 1)
{
// There are intermediary statements between the check and the assignment.
// Make sure they don't try to access the local.
var dataFlow = semanticModel.AnalyzeDataFlow(
statements[ifOperationIndex + 1].Syntax,
statements[expressionStatementIndex - 1].Syntax);
if (dataFlow.ReadInside.Contains(localOrParameter) ||
dataFlow.WrittenInside.Contains(localOrParameter))
{
return true;
}
}
// Also, have to make sure there is no read/write of the local/parameter on the left
// of the assignment. For example: map[val.Id] = val;
var exprDataFlow = semanticModel.AnalyzeDataFlow(assignmentExpression.Target.Syntax);
return exprDataFlow.ReadInside.Contains(localOrParameter) ||
exprDataFlow.WrittenInside.Contains(localOrParameter);
}
protected abstract bool IsInExpressionTree(SemanticModel semanticModel, SyntaxNode node, INamedTypeSymbol expressionTypeOpt, CancellationToken cancellationToken);
private bool TryFindAssignmentExpression(
IBlockOperation containingBlock, IConditionalOperation ifOperation, ISymbol localOrParameter,
out IExpressionStatementOperation expressionStatement, out IAssignmentOperation assignmentExpression)
{
var ifOperationIndex = containingBlock.Operations.IndexOf(ifOperation);
// walk forward until we find an assignment of this local/parameter into
// something else.
for (var i = ifOperationIndex + 1; i < containingBlock.Operations.Length; i++)
{
expressionStatement = containingBlock.Operations[i] as IExpressionStatementOperation;
if (expressionStatement == null)
{
continue;
}
assignmentExpression = expressionStatement.Operation as IAssignmentOperation;
if (assignmentExpression == null)
{
continue;
}
if (!TryGetLocalOrParameterSymbol(assignmentExpression.Value, out var assignmentValue))
{
continue;
}
if (!Equals(localOrParameter, assignmentValue))
{
continue;
}
return true;
}
expressionStatement = null;
assignmentExpression = null;
return false;
}
private bool TryDecomposeIfCondition(
IConditionalOperation ifStatement,
out ISymbol localOrParameter)
{
localOrParameter = null;
var condition = ifStatement.Condition;
if (condition is not IBinaryOperation binaryOperator)
{
return false;
}
if (binaryOperator.OperatorKind != BinaryOperatorKind.Equals)
{
return false;
}
if (IsNull(binaryOperator.LeftOperand))
{
return TryGetLocalOrParameterSymbol(
binaryOperator.RightOperand, out localOrParameter);
}
if (IsNull(binaryOperator.RightOperand))
{
return TryGetLocalOrParameterSymbol(
binaryOperator.LeftOperand, out localOrParameter);
}
return false;
}
private bool TryGetLocalOrParameterSymbol(
IOperation operation, out ISymbol localOrParameter)
{
if (operation is IConversionOperation conversion && conversion.IsImplicit)
{
return TryGetLocalOrParameterSymbol(conversion.Operand, out localOrParameter);
}
else if (operation is ILocalReferenceOperation localReference)
{
localOrParameter = localReference.Local;
return true;
}
else if (operation is IParameterReferenceOperation parameterReference)
{
localOrParameter = parameterReference.Parameter;
return true;
}
localOrParameter = null;
return false;
}
private static bool IsNull(IOperation operation)
{
return operation.ConstantValue.HasValue &&
operation.ConstantValue.Value == null;
}
private static IConditionalOperation GetContainingIfOperation(
SemanticModel semanticModel, IThrowOperation throwOperation,
CancellationToken cancellationToken)
{
var throwStatement = throwOperation.Syntax;
var containingOperation = semanticModel.GetOperation(throwStatement.Parent, cancellationToken);
if (containingOperation is IBlockOperation block)
{
if (block.Operations.Length != 1)
{
// If we are in a block, then the block must only contain
// the throw statement.
return null;
}
// C# may have an intermediary block between the throw-statement
// and the if-statement. Walk up one operation higher in that case.
containingOperation = semanticModel.GetOperation(throwStatement.Parent.Parent, cancellationToken);
}
if (containingOperation is IConditionalOperation conditionalOperation)
{
return conditionalOperation;
}
return 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.Collections.Immutable;
using System.Threading;
using Microsoft.CodeAnalysis.CodeStyle;
using Microsoft.CodeAnalysis.Diagnostics;
using Microsoft.CodeAnalysis.Operations;
using Microsoft.CodeAnalysis.Options;
using Microsoft.CodeAnalysis.Shared.Extensions;
namespace Microsoft.CodeAnalysis.UseThrowExpression
{
/// <summary>
/// Looks for patterns of the form:
/// <code>
/// if (a == null) {
/// throw SomeException();
/// }
///
/// x = a;
/// </code>
///
/// and offers to change it to
///
/// <code>
/// x = a ?? throw SomeException();
/// </code>
///
/// Note: this analyzer can be updated to run on VB once VB supports 'throw'
/// expressions as well.
/// </summary>
internal abstract class AbstractUseThrowExpressionDiagnosticAnalyzer :
AbstractBuiltInCodeStyleDiagnosticAnalyzer
{
private readonly Option2<CodeStyleOption2<bool>> _preferThrowExpressionOption;
protected AbstractUseThrowExpressionDiagnosticAnalyzer(Option2<CodeStyleOption2<bool>> preferThrowExpressionOption, string language)
: base(IDEDiagnosticIds.UseThrowExpressionDiagnosticId,
EnforceOnBuildValues.UseThrowExpression,
preferThrowExpressionOption,
language,
new LocalizableResourceString(nameof(AnalyzersResources.Use_throw_expression), AnalyzersResources.ResourceManager, typeof(AnalyzersResources)),
new LocalizableResourceString(nameof(AnalyzersResources.Null_check_can_be_simplified), AnalyzersResources.ResourceManager, typeof(AnalyzersResources)))
{
_preferThrowExpressionOption = preferThrowExpressionOption;
}
public override DiagnosticAnalyzerCategory GetAnalyzerCategory()
=> DiagnosticAnalyzerCategory.SemanticSpanAnalysis;
protected abstract bool IsSupported(Compilation compilation);
protected override void InitializeWorker(AnalysisContext context)
{
context.RegisterCompilationStartAction(startContext =>
{
if (!IsSupported(startContext.Compilation))
{
return;
}
var expressionTypeOpt = startContext.Compilation.GetTypeByMetadataName("System.Linq.Expressions.Expression`1");
startContext.RegisterOperationAction(operationContext => AnalyzeOperation(operationContext, expressionTypeOpt), OperationKind.Throw);
});
}
private void AnalyzeOperation(OperationAnalysisContext context, INamedTypeSymbol expressionTypeOpt)
{
var cancellationToken = context.CancellationToken;
var throwOperation = (IThrowOperation)context.Operation;
var throwStatementSyntax = throwOperation.Syntax;
var semanticModel = context.Operation.SemanticModel;
var ifOperation = GetContainingIfOperation(
semanticModel, throwOperation, cancellationToken);
// This throw statement isn't parented by an if-statement. Nothing to
// do here.
if (ifOperation == null)
{
return;
}
if (ifOperation.WhenFalse != null)
{
// Can't offer this if the 'if-statement' has an 'else-clause'.
return;
}
var option = context.GetOption(_preferThrowExpressionOption);
if (!option.Value)
{
return;
}
if (IsInExpressionTree(semanticModel, throwStatementSyntax, expressionTypeOpt, cancellationToken))
{
return;
}
if (ifOperation.Parent is not IBlockOperation containingBlock)
{
return;
}
if (!TryDecomposeIfCondition(ifOperation, out var localOrParameter))
{
return;
}
if (!TryFindAssignmentExpression(containingBlock, ifOperation, localOrParameter,
out var expressionStatement, out var assignmentExpression))
{
return;
}
if (!localOrParameter.GetSymbolType().CanAddNullCheck())
{
return;
}
// We found an assignment using this local/parameter. Now, just make sure there
// were no intervening accesses between the check and the assignment.
if (ValueIsAccessed(
semanticModel, ifOperation, containingBlock,
localOrParameter, expressionStatement, assignmentExpression))
{
return;
}
// Ok, there were no intervening writes or accesses. This check+assignment can be simplified.
var allLocations = ImmutableArray.Create(
ifOperation.Syntax.GetLocation(),
throwOperation.Exception.Syntax.GetLocation(),
assignmentExpression.Value.Syntax.GetLocation());
context.ReportDiagnostic(
DiagnosticHelper.Create(Descriptor, throwStatementSyntax.GetLocation(), option.Notification.Severity, additionalLocations: allLocations, properties: null));
}
private static bool ValueIsAccessed(SemanticModel semanticModel, IConditionalOperation ifOperation, IBlockOperation containingBlock, ISymbol localOrParameter, IExpressionStatementOperation expressionStatement, IAssignmentOperation assignmentExpression)
{
var statements = containingBlock.Operations;
var ifOperationIndex = statements.IndexOf(ifOperation);
var expressionStatementIndex = statements.IndexOf(expressionStatement);
if (expressionStatementIndex > ifOperationIndex + 1)
{
// There are intermediary statements between the check and the assignment.
// Make sure they don't try to access the local.
var dataFlow = semanticModel.AnalyzeDataFlow(
statements[ifOperationIndex + 1].Syntax,
statements[expressionStatementIndex - 1].Syntax);
if (dataFlow.ReadInside.Contains(localOrParameter) ||
dataFlow.WrittenInside.Contains(localOrParameter))
{
return true;
}
}
// Also, have to make sure there is no read/write of the local/parameter on the left
// of the assignment. For example: map[val.Id] = val;
var exprDataFlow = semanticModel.AnalyzeDataFlow(assignmentExpression.Target.Syntax);
return exprDataFlow.ReadInside.Contains(localOrParameter) ||
exprDataFlow.WrittenInside.Contains(localOrParameter);
}
protected abstract bool IsInExpressionTree(SemanticModel semanticModel, SyntaxNode node, INamedTypeSymbol expressionTypeOpt, CancellationToken cancellationToken);
private bool TryFindAssignmentExpression(
IBlockOperation containingBlock, IConditionalOperation ifOperation, ISymbol localOrParameter,
out IExpressionStatementOperation expressionStatement, out IAssignmentOperation assignmentExpression)
{
var ifOperationIndex = containingBlock.Operations.IndexOf(ifOperation);
// walk forward until we find an assignment of this local/parameter into
// something else.
for (var i = ifOperationIndex + 1; i < containingBlock.Operations.Length; i++)
{
expressionStatement = containingBlock.Operations[i] as IExpressionStatementOperation;
if (expressionStatement == null)
{
continue;
}
assignmentExpression = expressionStatement.Operation as IAssignmentOperation;
if (assignmentExpression == null)
{
continue;
}
if (!TryGetLocalOrParameterSymbol(assignmentExpression.Value, out var assignmentValue))
{
continue;
}
if (!Equals(localOrParameter, assignmentValue))
{
continue;
}
return true;
}
expressionStatement = null;
assignmentExpression = null;
return false;
}
private bool TryDecomposeIfCondition(
IConditionalOperation ifStatement,
out ISymbol localOrParameter)
{
localOrParameter = null;
var condition = ifStatement.Condition;
if (condition is not IBinaryOperation binaryOperator)
{
return false;
}
if (binaryOperator.OperatorKind != BinaryOperatorKind.Equals)
{
return false;
}
if (IsNull(binaryOperator.LeftOperand))
{
return TryGetLocalOrParameterSymbol(
binaryOperator.RightOperand, out localOrParameter);
}
if (IsNull(binaryOperator.RightOperand))
{
return TryGetLocalOrParameterSymbol(
binaryOperator.LeftOperand, out localOrParameter);
}
return false;
}
private bool TryGetLocalOrParameterSymbol(
IOperation operation, out ISymbol localOrParameter)
{
if (operation is IConversionOperation conversion && conversion.IsImplicit)
{
return TryGetLocalOrParameterSymbol(conversion.Operand, out localOrParameter);
}
else if (operation is ILocalReferenceOperation localReference)
{
localOrParameter = localReference.Local;
return true;
}
else if (operation is IParameterReferenceOperation parameterReference)
{
localOrParameter = parameterReference.Parameter;
return true;
}
localOrParameter = null;
return false;
}
private static bool IsNull(IOperation operation)
{
return operation.ConstantValue.HasValue &&
operation.ConstantValue.Value == null;
}
private static IConditionalOperation GetContainingIfOperation(
SemanticModel semanticModel, IThrowOperation throwOperation,
CancellationToken cancellationToken)
{
var throwStatement = throwOperation.Syntax;
var containingOperation = semanticModel.GetOperation(throwStatement.Parent, cancellationToken);
if (containingOperation is IBlockOperation block)
{
if (block.Operations.Length != 1)
{
// If we are in a block, then the block must only contain
// the throw statement.
return null;
}
// C# may have an intermediary block between the throw-statement
// and the if-statement. Walk up one operation higher in that case.
containingOperation = semanticModel.GetOperation(throwStatement.Parent.Parent, cancellationToken);
}
if (containingOperation is IConditionalOperation conditionalOperation)
{
return conditionalOperation;
}
return null;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Test/Resources/Core/SymbolsTests/DifferByCase/Consumer.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.
// csc /target:library Consumer.cs /r:TypeAndNamespaceDifferByCase.dll
public class TC1
: SomeName.Dummy
{
}
public class TC2
: somEnamE
{
}
public class TC3
: somEnamE1
{
}
public class TC4
: SomeName1
{
}
public class TC5
: somEnamE2.OtherName
{
}
public class TC6
: SomeName2.OtherName
{
}
public class TC7
: NestingClass.somEnamE3
{
}
public class TC8
: NestingClass.SomeName3
{
}
| // 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.
// csc /target:library Consumer.cs /r:TypeAndNamespaceDifferByCase.dll
public class TC1
: SomeName.Dummy
{
}
public class TC2
: somEnamE
{
}
public class TC3
: somEnamE1
{
}
public class TC4
: SomeName1
{
}
public class TC5
: somEnamE2.OtherName
{
}
public class TC6
: SomeName2.OtherName
{
}
public class TC7
: NestingClass.somEnamE3
{
}
public class TC8
: NestingClass.SomeName3
{
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Core/Portable/FindSymbols/SymbolTree/SymbolTreeInfo.Node.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 System.Diagnostics;
using System.Reflection.Metadata;
using System.Reflection.Metadata.Ecma335;
using Microsoft.CodeAnalysis.Text;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.FindSymbols
{
internal partial class SymbolTreeInfo
{
private const int RootNodeParentIndex = -1;
/// <summary>
/// <see cref="BuilderNode"/>s are produced when initially creating our indices.
/// They store Names of symbols and the index of their parent symbol. When we
/// produce the final <see cref="SymbolTreeInfo"/> though we will then convert
/// these to <see cref="Node"/>s.
/// </summary>
[DebuggerDisplay("{GetDebuggerDisplay(),nq}")]
private struct BuilderNode
{
public static readonly BuilderNode RootNode = new("", RootNodeParentIndex, default);
public readonly string Name;
public readonly int ParentIndex;
public readonly MultiDictionary<MetadataNode, ParameterTypeInfo>.ValueSet ParameterTypeInfos;
public BuilderNode(string name, int parentIndex, MultiDictionary<MetadataNode, ParameterTypeInfo>.ValueSet parameterTypeInfos = default)
{
Name = name;
ParentIndex = parentIndex;
ParameterTypeInfos = parameterTypeInfos;
}
public bool IsRoot => ParentIndex == RootNodeParentIndex;
private string GetDebuggerDisplay()
=> Name + ", " + ParentIndex;
}
[DebuggerDisplay("{GetDebuggerDisplay(),nq}")]
private struct Node
{
/// <summary>
/// The Name of this Node.
/// </summary>
public readonly string Name;
/// <summary>
/// Index in <see cref="_nodes"/> of the parent Node of this Node.
/// Value will be <see cref="RootNodeParentIndex"/> if this is the
/// Node corresponding to the root symbol.
/// </summary>
public readonly int ParentIndex;
public Node(string name, int parentIndex)
{
Name = name;
ParentIndex = parentIndex;
}
public bool IsRoot => ParentIndex == RootNodeParentIndex;
public void AssertEquivalentTo(Node node)
{
Debug.Assert(node.Name == this.Name);
Debug.Assert(node.ParentIndex == this.ParentIndex);
}
private string GetDebuggerDisplay()
=> Name + ", " + ParentIndex;
}
private readonly struct ParameterTypeInfo
{
/// <summary>
/// This is the type name of the parameter when <see cref="IsComplexType"/> is false.
/// For array types, this is just the elemtent type name.
/// e.g. `int` for `int[][,]`
/// </summary>
public readonly string Name;
/// <summary>
/// Indicate if the type of parameter is any kind of array.
/// This is relevant for both simple and complex types. For example:
/// - array of simple type like int[], int[][], int[][,], etc. are all ultimately represented as "int[]" in index.
/// - array of complex type like T[], T[][], etc are all represented as "[]" in index,
/// in contrast to just "" for non-array types.
/// </summary>
public readonly bool IsArray;
/// <summary>
/// Similar to <see cref="SyntaxTreeIndex.ExtensionMethodInfo"/>, we divide extension methods into simple
/// and complex categories for filtering purpose. Whether a method is simple is determined based on if we
/// can determine it's receiver type easily with a pure text matching. For complex methods, we will need to
/// rely on symbol to decide if it's feasible.
///
/// Simple types include:
/// - Primitive types
/// - Types which is not a generic method parameter
/// - By reference type of any types above
/// - Array types with element of any types above
/// </summary>
public readonly bool IsComplexType;
public ParameterTypeInfo(string name, bool isComplex, bool isArray)
{
Name = name;
IsComplexType = isComplex;
IsArray = isArray;
}
}
public readonly struct ExtensionMethodInfo
{
/// <summary>
/// Name of the extension method.
/// This can be used to retrive corresponding symbols via <see cref="INamespaceOrTypeSymbol.GetMembers(string)"/>
/// </summary>
public readonly string Name;
/// <summary>
/// Fully qualified name for the type that contains this extension method.
/// </summary>
public readonly string FullyQualifiedContainerName;
public ExtensionMethodInfo(string fullyQualifiedContainerName, string name)
{
FullyQualifiedContainerName = fullyQualifiedContainerName;
Name = name;
}
}
private sealed class ParameterTypeInfoProvider : ISignatureTypeProvider<ParameterTypeInfo, object>
{
public static readonly ParameterTypeInfoProvider Instance = new();
private static ParameterTypeInfo ComplexInfo
=> new(string.Empty, isComplex: true, isArray: false);
public ParameterTypeInfo GetPrimitiveType(PrimitiveTypeCode typeCode)
=> new(typeCode.ToString(), isComplex: false, isArray: false);
public ParameterTypeInfo GetGenericInstantiation(ParameterTypeInfo genericType, ImmutableArray<ParameterTypeInfo> typeArguments)
=> genericType.IsComplexType
? ComplexInfo
: new ParameterTypeInfo(genericType.Name, isComplex: false, isArray: false);
public ParameterTypeInfo GetByReferenceType(ParameterTypeInfo elementType)
=> elementType;
public ParameterTypeInfo GetTypeFromDefinition(MetadataReader reader, TypeDefinitionHandle handle, byte rawTypeKind)
{
var type = reader.GetTypeDefinition(handle);
var name = reader.GetString(type.Name);
return new ParameterTypeInfo(name, isComplex: false, isArray: false);
}
public ParameterTypeInfo GetTypeFromReference(MetadataReader reader, TypeReferenceHandle handle, byte rawTypeKind)
{
var type = reader.GetTypeReference(handle);
var name = reader.GetString(type.Name);
return new ParameterTypeInfo(name, isComplex: false, isArray: false);
}
public ParameterTypeInfo GetTypeFromSpecification(MetadataReader reader, object genericContext, TypeSpecificationHandle handle, byte rawTypeKind)
{
var sigReader = reader.GetBlobReader(reader.GetTypeSpecification(handle).Signature);
return new SignatureDecoder<ParameterTypeInfo, object>(Instance, reader, genericContext).DecodeType(ref sigReader);
}
public ParameterTypeInfo GetArrayType(ParameterTypeInfo elementType, ArrayShape shape) => GetArrayTypeInfo(elementType);
public ParameterTypeInfo GetSZArrayType(ParameterTypeInfo elementType) => GetArrayTypeInfo(elementType);
private static ParameterTypeInfo GetArrayTypeInfo(ParameterTypeInfo elementType)
=> elementType.IsComplexType
? new ParameterTypeInfo(string.Empty, isComplex: true, isArray: true)
: new ParameterTypeInfo(elementType.Name, isComplex: false, isArray: true);
public ParameterTypeInfo GetFunctionPointerType(MethodSignature<ParameterTypeInfo> signature) => ComplexInfo;
public ParameterTypeInfo GetGenericMethodParameter(object genericContext, int index) => ComplexInfo;
public ParameterTypeInfo GetGenericTypeParameter(object genericContext, int index) => ComplexInfo;
public ParameterTypeInfo GetModifiedType(ParameterTypeInfo modifier, ParameterTypeInfo unmodifiedType, bool isRequired) => ComplexInfo;
public ParameterTypeInfo GetPinnedType(ParameterTypeInfo elementType) => ComplexInfo;
public ParameterTypeInfo GetPointerType(ParameterTypeInfo elementType) => ComplexInfo;
}
}
}
| // 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 System.Diagnostics;
using System.Reflection.Metadata;
using System.Reflection.Metadata.Ecma335;
using Microsoft.CodeAnalysis.Text;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.FindSymbols
{
internal partial class SymbolTreeInfo
{
private const int RootNodeParentIndex = -1;
/// <summary>
/// <see cref="BuilderNode"/>s are produced when initially creating our indices.
/// They store Names of symbols and the index of their parent symbol. When we
/// produce the final <see cref="SymbolTreeInfo"/> though we will then convert
/// these to <see cref="Node"/>s.
/// </summary>
[DebuggerDisplay("{GetDebuggerDisplay(),nq}")]
private struct BuilderNode
{
public static readonly BuilderNode RootNode = new("", RootNodeParentIndex, default);
public readonly string Name;
public readonly int ParentIndex;
public readonly MultiDictionary<MetadataNode, ParameterTypeInfo>.ValueSet ParameterTypeInfos;
public BuilderNode(string name, int parentIndex, MultiDictionary<MetadataNode, ParameterTypeInfo>.ValueSet parameterTypeInfos = default)
{
Name = name;
ParentIndex = parentIndex;
ParameterTypeInfos = parameterTypeInfos;
}
public bool IsRoot => ParentIndex == RootNodeParentIndex;
private string GetDebuggerDisplay()
=> Name + ", " + ParentIndex;
}
[DebuggerDisplay("{GetDebuggerDisplay(),nq}")]
private struct Node
{
/// <summary>
/// The Name of this Node.
/// </summary>
public readonly string Name;
/// <summary>
/// Index in <see cref="_nodes"/> of the parent Node of this Node.
/// Value will be <see cref="RootNodeParentIndex"/> if this is the
/// Node corresponding to the root symbol.
/// </summary>
public readonly int ParentIndex;
public Node(string name, int parentIndex)
{
Name = name;
ParentIndex = parentIndex;
}
public bool IsRoot => ParentIndex == RootNodeParentIndex;
public void AssertEquivalentTo(Node node)
{
Debug.Assert(node.Name == this.Name);
Debug.Assert(node.ParentIndex == this.ParentIndex);
}
private string GetDebuggerDisplay()
=> Name + ", " + ParentIndex;
}
private readonly struct ParameterTypeInfo
{
/// <summary>
/// This is the type name of the parameter when <see cref="IsComplexType"/> is false.
/// For array types, this is just the elemtent type name.
/// e.g. `int` for `int[][,]`
/// </summary>
public readonly string Name;
/// <summary>
/// Indicate if the type of parameter is any kind of array.
/// This is relevant for both simple and complex types. For example:
/// - array of simple type like int[], int[][], int[][,], etc. are all ultimately represented as "int[]" in index.
/// - array of complex type like T[], T[][], etc are all represented as "[]" in index,
/// in contrast to just "" for non-array types.
/// </summary>
public readonly bool IsArray;
/// <summary>
/// Similar to <see cref="SyntaxTreeIndex.ExtensionMethodInfo"/>, we divide extension methods into simple
/// and complex categories for filtering purpose. Whether a method is simple is determined based on if we
/// can determine it's receiver type easily with a pure text matching. For complex methods, we will need to
/// rely on symbol to decide if it's feasible.
///
/// Simple types include:
/// - Primitive types
/// - Types which is not a generic method parameter
/// - By reference type of any types above
/// - Array types with element of any types above
/// </summary>
public readonly bool IsComplexType;
public ParameterTypeInfo(string name, bool isComplex, bool isArray)
{
Name = name;
IsComplexType = isComplex;
IsArray = isArray;
}
}
public readonly struct ExtensionMethodInfo
{
/// <summary>
/// Name of the extension method.
/// This can be used to retrive corresponding symbols via <see cref="INamespaceOrTypeSymbol.GetMembers(string)"/>
/// </summary>
public readonly string Name;
/// <summary>
/// Fully qualified name for the type that contains this extension method.
/// </summary>
public readonly string FullyQualifiedContainerName;
public ExtensionMethodInfo(string fullyQualifiedContainerName, string name)
{
FullyQualifiedContainerName = fullyQualifiedContainerName;
Name = name;
}
}
private sealed class ParameterTypeInfoProvider : ISignatureTypeProvider<ParameterTypeInfo, object>
{
public static readonly ParameterTypeInfoProvider Instance = new();
private static ParameterTypeInfo ComplexInfo
=> new(string.Empty, isComplex: true, isArray: false);
public ParameterTypeInfo GetPrimitiveType(PrimitiveTypeCode typeCode)
=> new(typeCode.ToString(), isComplex: false, isArray: false);
public ParameterTypeInfo GetGenericInstantiation(ParameterTypeInfo genericType, ImmutableArray<ParameterTypeInfo> typeArguments)
=> genericType.IsComplexType
? ComplexInfo
: new ParameterTypeInfo(genericType.Name, isComplex: false, isArray: false);
public ParameterTypeInfo GetByReferenceType(ParameterTypeInfo elementType)
=> elementType;
public ParameterTypeInfo GetTypeFromDefinition(MetadataReader reader, TypeDefinitionHandle handle, byte rawTypeKind)
{
var type = reader.GetTypeDefinition(handle);
var name = reader.GetString(type.Name);
return new ParameterTypeInfo(name, isComplex: false, isArray: false);
}
public ParameterTypeInfo GetTypeFromReference(MetadataReader reader, TypeReferenceHandle handle, byte rawTypeKind)
{
var type = reader.GetTypeReference(handle);
var name = reader.GetString(type.Name);
return new ParameterTypeInfo(name, isComplex: false, isArray: false);
}
public ParameterTypeInfo GetTypeFromSpecification(MetadataReader reader, object genericContext, TypeSpecificationHandle handle, byte rawTypeKind)
{
var sigReader = reader.GetBlobReader(reader.GetTypeSpecification(handle).Signature);
return new SignatureDecoder<ParameterTypeInfo, object>(Instance, reader, genericContext).DecodeType(ref sigReader);
}
public ParameterTypeInfo GetArrayType(ParameterTypeInfo elementType, ArrayShape shape) => GetArrayTypeInfo(elementType);
public ParameterTypeInfo GetSZArrayType(ParameterTypeInfo elementType) => GetArrayTypeInfo(elementType);
private static ParameterTypeInfo GetArrayTypeInfo(ParameterTypeInfo elementType)
=> elementType.IsComplexType
? new ParameterTypeInfo(string.Empty, isComplex: true, isArray: true)
: new ParameterTypeInfo(elementType.Name, isComplex: false, isArray: true);
public ParameterTypeInfo GetFunctionPointerType(MethodSignature<ParameterTypeInfo> signature) => ComplexInfo;
public ParameterTypeInfo GetGenericMethodParameter(object genericContext, int index) => ComplexInfo;
public ParameterTypeInfo GetGenericTypeParameter(object genericContext, int index) => ComplexInfo;
public ParameterTypeInfo GetModifiedType(ParameterTypeInfo modifier, ParameterTypeInfo unmodifiedType, bool isRequired) => ComplexInfo;
public ParameterTypeInfo GetPinnedType(ParameterTypeInfo elementType) => ComplexInfo;
public ParameterTypeInfo GetPointerType(ParameterTypeInfo elementType) => ComplexInfo;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Core/MSBuild/PublicAPI.Shipped.txt | Microsoft.CodeAnalysis.Host.Mef.MSBuildMefHostServices
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.AssociateFileExtensionWithLanguage(string projectFileExtension, string language) -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadMetadataForReferencedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadMetadataForReferencedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadProjectInfoAsync(string projectFilePath, Microsoft.CodeAnalysis.MSBuild.ProjectMap projectMap = null, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, Microsoft.Build.Framework.ILogger msbuildLogger = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<System.Collections.Immutable.ImmutableArray<Microsoft.CodeAnalysis.ProjectInfo>>
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadSolutionInfoAsync(string solutionFilePath, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, Microsoft.Build.Framework.ILogger msbuildLogger = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.SolutionInfo>
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.MSBuildProjectLoader(Microsoft.CodeAnalysis.Workspace workspace, System.Collections.Immutable.ImmutableDictionary<string, string> properties = null) -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.Properties.get -> System.Collections.Immutable.ImmutableDictionary<string, string>
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.SkipUnrecognizedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.SkipUnrecognizedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.AssociateFileExtensionWithLanguage(string projectFileExtension, string language) -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.CloseSolution() -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Diagnostics.get -> System.Collections.Immutable.ImmutableList<Microsoft.CodeAnalysis.WorkspaceDiagnostic>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.LoadMetadataForReferencedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.LoadMetadataForReferencedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenProjectAsync(string projectFilePath, Microsoft.Build.Framework.ILogger msbuildLogger, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Project>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenProjectAsync(string projectFilePath, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Project>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenSolutionAsync(string solutionFilePath, Microsoft.Build.Framework.ILogger msbuildLogger, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Solution>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenSolutionAsync(string solutionFilePath, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Solution>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Properties.get -> System.Collections.Immutable.ImmutableDictionary<string, string>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.SkipUnrecognizedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.SkipUnrecognizedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation.Build = 1 -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation.Evaluate = 0 -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation.Resolve = 2 -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.ElapsedTime.get -> System.TimeSpan
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.FilePath.get -> string
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.Operation.get -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.ProjectLoadProgress() -> void
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.TargetFramework.get -> string
Microsoft.CodeAnalysis.MSBuild.ProjectMap
Microsoft.CodeAnalysis.MSBuild.ProjectMap.Add(Microsoft.CodeAnalysis.Project project) -> void
override Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.CanApplyChange(Microsoft.CodeAnalysis.ApplyChangesKind feature) -> bool
override Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.TryApplyChanges(Microsoft.CodeAnalysis.Solution newSolution) -> bool
static Microsoft.CodeAnalysis.Host.Mef.MSBuildMefHostServices.DefaultAssemblies.get -> System.Collections.Immutable.ImmutableArray<System.Reflection.Assembly>
static Microsoft.CodeAnalysis.Host.Mef.MSBuildMefHostServices.DefaultServices.get -> Microsoft.CodeAnalysis.Host.Mef.MefHostServices
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create() -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create(Microsoft.CodeAnalysis.Host.HostServices hostServices) -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create(System.Collections.Generic.IDictionary<string, string> properties) -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create(System.Collections.Generic.IDictionary<string, string> properties, Microsoft.CodeAnalysis.Host.HostServices hostServices) -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.ProjectMap.Create() -> Microsoft.CodeAnalysis.MSBuild.ProjectMap
static Microsoft.CodeAnalysis.MSBuild.ProjectMap.Create(Microsoft.CodeAnalysis.Solution solution) -> Microsoft.CodeAnalysis.MSBuild.ProjectMap
| Microsoft.CodeAnalysis.Host.Mef.MSBuildMefHostServices
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.AssociateFileExtensionWithLanguage(string projectFileExtension, string language) -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadMetadataForReferencedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadMetadataForReferencedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadProjectInfoAsync(string projectFilePath, Microsoft.CodeAnalysis.MSBuild.ProjectMap projectMap = null, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, Microsoft.Build.Framework.ILogger msbuildLogger = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<System.Collections.Immutable.ImmutableArray<Microsoft.CodeAnalysis.ProjectInfo>>
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.LoadSolutionInfoAsync(string solutionFilePath, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, Microsoft.Build.Framework.ILogger msbuildLogger = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.SolutionInfo>
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.MSBuildProjectLoader(Microsoft.CodeAnalysis.Workspace workspace, System.Collections.Immutable.ImmutableDictionary<string, string> properties = null) -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.Properties.get -> System.Collections.Immutable.ImmutableDictionary<string, string>
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.SkipUnrecognizedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildProjectLoader.SkipUnrecognizedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.AssociateFileExtensionWithLanguage(string projectFileExtension, string language) -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.CloseSolution() -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Diagnostics.get -> System.Collections.Immutable.ImmutableList<Microsoft.CodeAnalysis.WorkspaceDiagnostic>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.LoadMetadataForReferencedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.LoadMetadataForReferencedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenProjectAsync(string projectFilePath, Microsoft.Build.Framework.ILogger msbuildLogger, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Project>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenProjectAsync(string projectFilePath, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Project>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenSolutionAsync(string solutionFilePath, Microsoft.Build.Framework.ILogger msbuildLogger, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Solution>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.OpenSolutionAsync(string solutionFilePath, System.IProgress<Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress> progress = null, System.Threading.CancellationToken cancellationToken = default(System.Threading.CancellationToken)) -> System.Threading.Tasks.Task<Microsoft.CodeAnalysis.Solution>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Properties.get -> System.Collections.Immutable.ImmutableDictionary<string, string>
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.SkipUnrecognizedProjects.get -> bool
Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.SkipUnrecognizedProjects.set -> void
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation.Build = 1 -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation.Evaluate = 0 -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation.Resolve = 2 -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.ElapsedTime.get -> System.TimeSpan
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.FilePath.get -> string
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.Operation.get -> Microsoft.CodeAnalysis.MSBuild.ProjectLoadOperation
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.ProjectLoadProgress() -> void
Microsoft.CodeAnalysis.MSBuild.ProjectLoadProgress.TargetFramework.get -> string
Microsoft.CodeAnalysis.MSBuild.ProjectMap
Microsoft.CodeAnalysis.MSBuild.ProjectMap.Add(Microsoft.CodeAnalysis.Project project) -> void
override Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.CanApplyChange(Microsoft.CodeAnalysis.ApplyChangesKind feature) -> bool
override Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.TryApplyChanges(Microsoft.CodeAnalysis.Solution newSolution) -> bool
static Microsoft.CodeAnalysis.Host.Mef.MSBuildMefHostServices.DefaultAssemblies.get -> System.Collections.Immutable.ImmutableArray<System.Reflection.Assembly>
static Microsoft.CodeAnalysis.Host.Mef.MSBuildMefHostServices.DefaultServices.get -> Microsoft.CodeAnalysis.Host.Mef.MefHostServices
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create() -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create(Microsoft.CodeAnalysis.Host.HostServices hostServices) -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create(System.Collections.Generic.IDictionary<string, string> properties) -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace.Create(System.Collections.Generic.IDictionary<string, string> properties, Microsoft.CodeAnalysis.Host.HostServices hostServices) -> Microsoft.CodeAnalysis.MSBuild.MSBuildWorkspace
static Microsoft.CodeAnalysis.MSBuild.ProjectMap.Create() -> Microsoft.CodeAnalysis.MSBuild.ProjectMap
static Microsoft.CodeAnalysis.MSBuild.ProjectMap.Create(Microsoft.CodeAnalysis.Solution solution) -> Microsoft.CodeAnalysis.MSBuild.ProjectMap
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/CSharpFileSystemExtensions.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.IO;
using System.Threading;
using Microsoft.CodeAnalysis.Emit;
namespace Microsoft.CodeAnalysis.CSharp
{
public static class CSharpFileSystemExtensions
{
/// <summary>
/// Emit the IL for the compilation into the specified stream.
/// </summary>
/// <param name="compilation">Compilation.</param>
/// <param name="outputPath">Path of the file to which the PE image will be written.</param>
/// <param name="pdbPath">Path of the file to which the compilation's debug info will be written.
/// Also embedded in the output file. Null to forego PDB generation.
/// </param>
/// <param name="xmlDocumentationPath">Path of the file to which the compilation's XML documentation will be written. Null to forego XML generation.</param>
/// <param name="win32ResourcesPath">Path of the file from which the compilation's Win32 resources will be read (in RES format).
/// Null to indicate that there are none.</param>
/// <param name="manifestResources">List of the compilation's managed resources. Null to indicate that there are none.</param>
/// <param name="cancellationToken">To cancel the emit process.</param>
/// <exception cref="ArgumentNullException">Compilation or path is null.</exception>
/// <exception cref="ArgumentException">Path is empty or invalid.</exception>
/// <exception cref="IOException">An error occurred while reading or writing a file.</exception>
public static EmitResult Emit(
this CSharpCompilation compilation,
string outputPath,
string? pdbPath = null,
string? xmlDocumentationPath = null,
string? win32ResourcesPath = null,
IEnumerable<ResourceDescription>? manifestResources = null,
CancellationToken cancellationToken = default)
{
return FileSystemExtensions.Emit(compilation, outputPath, pdbPath, xmlDocumentationPath, win32ResourcesPath, manifestResources, 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.Generic;
using System.IO;
using System.Threading;
using Microsoft.CodeAnalysis.Emit;
namespace Microsoft.CodeAnalysis.CSharp
{
public static class CSharpFileSystemExtensions
{
/// <summary>
/// Emit the IL for the compilation into the specified stream.
/// </summary>
/// <param name="compilation">Compilation.</param>
/// <param name="outputPath">Path of the file to which the PE image will be written.</param>
/// <param name="pdbPath">Path of the file to which the compilation's debug info will be written.
/// Also embedded in the output file. Null to forego PDB generation.
/// </param>
/// <param name="xmlDocumentationPath">Path of the file to which the compilation's XML documentation will be written. Null to forego XML generation.</param>
/// <param name="win32ResourcesPath">Path of the file from which the compilation's Win32 resources will be read (in RES format).
/// Null to indicate that there are none.</param>
/// <param name="manifestResources">List of the compilation's managed resources. Null to indicate that there are none.</param>
/// <param name="cancellationToken">To cancel the emit process.</param>
/// <exception cref="ArgumentNullException">Compilation or path is null.</exception>
/// <exception cref="ArgumentException">Path is empty or invalid.</exception>
/// <exception cref="IOException">An error occurred while reading or writing a file.</exception>
public static EmitResult Emit(
this CSharpCompilation compilation,
string outputPath,
string? pdbPath = null,
string? xmlDocumentationPath = null,
string? win32ResourcesPath = null,
IEnumerable<ResourceDescription>? manifestResources = null,
CancellationToken cancellationToken = default)
{
return FileSystemExtensions.Emit(compilation, outputPath, pdbPath, xmlDocumentationPath, win32ResourcesPath, manifestResources, cancellationToken);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/Completion/ArgumentContext.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.CodeAnalysis.Completion
{
/// <summary>
/// Provides context information for argument completion.
/// </summary>
internal sealed class ArgumentContext
{
public ArgumentContext(
ArgumentProvider provider,
SemanticModel semanticModel,
int position,
IParameterSymbol parameter,
string? previousValue,
CancellationToken cancellationToken)
{
Provider = provider ?? throw new ArgumentNullException(nameof(provider));
SemanticModel = semanticModel ?? throw new ArgumentNullException(nameof(semanticModel));
Position = position;
Parameter = parameter ?? throw new ArgumentNullException(nameof(parameter));
PreviousValue = previousValue;
CancellationToken = cancellationToken;
}
internal ArgumentProvider Provider { get; }
/// <summary>
/// Gets the semantic model where argument completion is requested.
/// </summary>
public SemanticModel SemanticModel { get; }
/// <summary>
/// Gets the position within <see cref="SemanticModel"/> where argument completion is requested.
/// </summary>
public int Position { get; }
/// <summary>
/// Gets the symbol for the parameter for which an argument value is requested.
/// </summary>
public IParameterSymbol Parameter { get; }
/// <summary>
/// Gets the previously-provided argument value for this parameter.
/// </summary>
/// <value>
/// The existing text of the argument value, if the argument is already in code; otherwise,
/// <see langword="null"/> when requesting a new argument value.
/// </value>
public string? PreviousValue { get; }
/// <summary>
/// Gets a cancellation token that argument providers may observe.
/// </summary>
public CancellationToken CancellationToken { get; }
/// <summary>
/// Gets or sets the default argument value.
/// </summary>
/// <remarks>
/// If this value is not set, the argument completion session will insert a language-specific default value for
/// the argument.
/// </remarks>
public string? DefaultValue { get; set; }
}
}
| // 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.CodeAnalysis.Completion
{
/// <summary>
/// Provides context information for argument completion.
/// </summary>
internal sealed class ArgumentContext
{
public ArgumentContext(
ArgumentProvider provider,
SemanticModel semanticModel,
int position,
IParameterSymbol parameter,
string? previousValue,
CancellationToken cancellationToken)
{
Provider = provider ?? throw new ArgumentNullException(nameof(provider));
SemanticModel = semanticModel ?? throw new ArgumentNullException(nameof(semanticModel));
Position = position;
Parameter = parameter ?? throw new ArgumentNullException(nameof(parameter));
PreviousValue = previousValue;
CancellationToken = cancellationToken;
}
internal ArgumentProvider Provider { get; }
/// <summary>
/// Gets the semantic model where argument completion is requested.
/// </summary>
public SemanticModel SemanticModel { get; }
/// <summary>
/// Gets the position within <see cref="SemanticModel"/> where argument completion is requested.
/// </summary>
public int Position { get; }
/// <summary>
/// Gets the symbol for the parameter for which an argument value is requested.
/// </summary>
public IParameterSymbol Parameter { get; }
/// <summary>
/// Gets the previously-provided argument value for this parameter.
/// </summary>
/// <value>
/// The existing text of the argument value, if the argument is already in code; otherwise,
/// <see langword="null"/> when requesting a new argument value.
/// </value>
public string? PreviousValue { get; }
/// <summary>
/// Gets a cancellation token that argument providers may observe.
/// </summary>
public CancellationToken CancellationToken { get; }
/// <summary>
/// Gets or sets the default argument value.
/// </summary>
/// <remarks>
/// If this value is not set, the argument completion session will insert a language-specific default value for
/// the argument.
/// </remarks>
public string? DefaultValue { get; set; }
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Binder/LocalScopeBinder.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 System.Collections.Immutable;
using System.Diagnostics;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp
{
internal partial class LocalScopeBinder : Binder
{
private ImmutableArray<LocalSymbol> _locals;
private ImmutableArray<LocalFunctionSymbol> _localFunctions;
private ImmutableArray<LabelSymbol> _labels;
private readonly uint _localScopeDepth;
internal LocalScopeBinder(Binder next)
: this(next, next.Flags)
{
}
internal LocalScopeBinder(Binder next, BinderFlags flags)
: base(next, flags)
{
var parentDepth = next.LocalScopeDepth;
if (parentDepth != Binder.TopLevelScope)
{
_localScopeDepth = parentDepth + 1;
}
else
{
//NOTE: TopLevel is special.
//For our purpose parameters and top level locals are on that level.
var parentScope = next;
while (parentScope != null)
{
if (parentScope is InMethodBinder || parentScope is WithLambdaParametersBinder)
{
_localScopeDepth = Binder.TopLevelScope;
break;
}
if (parentScope is LocalScopeBinder)
{
_localScopeDepth = Binder.TopLevelScope + 1;
break;
}
parentScope = parentScope.Next;
Debug.Assert(parentScope != null);
}
}
}
internal sealed override ImmutableArray<LocalSymbol> Locals
{
get
{
if (_locals.IsDefault)
{
ImmutableInterlocked.InterlockedCompareExchange(ref _locals, BuildLocals(), default(ImmutableArray<LocalSymbol>));
}
return _locals;
}
}
protected virtual ImmutableArray<LocalSymbol> BuildLocals()
{
return ImmutableArray<LocalSymbol>.Empty;
}
internal sealed override ImmutableArray<LocalFunctionSymbol> LocalFunctions
{
get
{
if (_localFunctions.IsDefault)
{
ImmutableInterlocked.InterlockedCompareExchange(ref _localFunctions, BuildLocalFunctions(), default(ImmutableArray<LocalFunctionSymbol>));
}
return _localFunctions;
}
}
protected virtual ImmutableArray<LocalFunctionSymbol> BuildLocalFunctions()
{
return ImmutableArray<LocalFunctionSymbol>.Empty;
}
internal sealed override ImmutableArray<LabelSymbol> Labels
{
get
{
if (_labels.IsDefault)
{
ImmutableInterlocked.InterlockedCompareExchange(ref _labels, BuildLabels(), default(ImmutableArray<LabelSymbol>));
}
return _labels;
}
}
protected virtual ImmutableArray<LabelSymbol> BuildLabels()
{
return ImmutableArray<LabelSymbol>.Empty;
}
private SmallDictionary<string, LocalSymbol> _lazyLocalsMap;
private SmallDictionary<string, LocalSymbol> LocalsMap
{
get
{
if (_lazyLocalsMap == null && this.Locals.Length > 0)
{
_lazyLocalsMap = BuildMap(this.Locals);
}
return _lazyLocalsMap;
}
}
private SmallDictionary<string, LocalFunctionSymbol> _lazyLocalFunctionsMap;
private SmallDictionary<string, LocalFunctionSymbol> LocalFunctionsMap
{
get
{
if (_lazyLocalFunctionsMap == null && this.LocalFunctions.Length > 0)
{
_lazyLocalFunctionsMap = BuildMap(this.LocalFunctions);
}
return _lazyLocalFunctionsMap;
}
}
private SmallDictionary<string, LabelSymbol> _lazyLabelsMap;
private SmallDictionary<string, LabelSymbol> LabelsMap
{
get
{
if (_lazyLabelsMap == null && this.Labels.Length > 0)
{
_lazyLabelsMap = BuildMap(this.Labels);
}
return _lazyLabelsMap;
}
}
private static SmallDictionary<string, TSymbol> BuildMap<TSymbol>(ImmutableArray<TSymbol> array)
where TSymbol : Symbol
{
Debug.Assert(array.Length > 0);
var map = new SmallDictionary<string, TSymbol>();
// NOTE: in a rare case of having two symbols with same name the one closer to the array's start wins.
for (int i = array.Length - 1; i >= 0; i--)
{
var symbol = array[i];
map[symbol.Name] = symbol;
}
return map;
}
protected ImmutableArray<LocalSymbol> BuildLocals(SyntaxList<StatementSyntax> statements, Binder enclosingBinder)
{
#if DEBUG
Binder currentBinder = enclosingBinder;
while (true)
{
if (this == currentBinder)
{
break;
}
currentBinder = currentBinder.Next;
}
#endif
ArrayBuilder<LocalSymbol> locals = ArrayBuilder<LocalSymbol>.GetInstance();
foreach (var statement in statements)
{
BuildLocals(enclosingBinder, statement, locals);
}
return locals.ToImmutableAndFree();
}
internal void BuildLocals(Binder enclosingBinder, StatementSyntax statement, ArrayBuilder<LocalSymbol> locals)
{
var innerStatement = statement;
// drill into any LabeledStatements -- atomic LabelStatements have been bound into
// wrapped LabeledStatements by this point
while (innerStatement.Kind() == SyntaxKind.LabeledStatement)
{
innerStatement = ((LabeledStatementSyntax)innerStatement).Statement;
}
switch (innerStatement.Kind())
{
case SyntaxKind.LocalDeclarationStatement:
{
Binder localDeclarationBinder = enclosingBinder.GetBinder(innerStatement) ?? enclosingBinder;
var decl = (LocalDeclarationStatementSyntax)innerStatement;
decl.Declaration.Type.VisitRankSpecifiers((rankSpecifier, args) =>
{
foreach (var expression in rankSpecifier.Sizes)
{
if (expression.Kind() != SyntaxKind.OmittedArraySizeExpression)
{
ExpressionVariableFinder.FindExpressionVariables(args.localScopeBinder, args.locals, expression, args.localDeclarationBinder);
}
}
}, (localScopeBinder: this, locals: locals, localDeclarationBinder: localDeclarationBinder));
LocalDeclarationKind kind;
if (decl.IsConst)
{
kind = LocalDeclarationKind.Constant;
}
else if (decl.UsingKeyword != default(SyntaxToken))
{
kind = LocalDeclarationKind.UsingVariable;
}
else
{
kind = LocalDeclarationKind.RegularVariable;
}
foreach (var vdecl in decl.Declaration.Variables)
{
var localSymbol = MakeLocal(decl.Declaration, vdecl, kind, localDeclarationBinder);
locals.Add(localSymbol);
// also gather expression-declared variables from the bracketed argument lists and the initializers
ExpressionVariableFinder.FindExpressionVariables(this, locals, vdecl, localDeclarationBinder);
}
}
break;
case SyntaxKind.ExpressionStatement:
case SyntaxKind.IfStatement:
case SyntaxKind.YieldReturnStatement:
case SyntaxKind.ReturnStatement:
case SyntaxKind.ThrowStatement:
case SyntaxKind.GotoCaseStatement:
ExpressionVariableFinder.FindExpressionVariables(this, locals, innerStatement, enclosingBinder.GetBinder(innerStatement) ?? enclosingBinder);
break;
case SyntaxKind.SwitchStatement:
var switchStatement = (SwitchStatementSyntax)innerStatement;
ExpressionVariableFinder.FindExpressionVariables(this, locals, innerStatement, enclosingBinder.GetBinder(switchStatement.Expression) ?? enclosingBinder);
break;
case SyntaxKind.LockStatement:
Binder statementBinder = enclosingBinder.GetBinder(innerStatement);
Debug.Assert(statementBinder != null); // Lock always has a binder.
ExpressionVariableFinder.FindExpressionVariables(this, locals, innerStatement, statementBinder);
break;
default:
// no other statement introduces local variables into the enclosing scope
break;
}
}
protected ImmutableArray<LocalFunctionSymbol> BuildLocalFunctions(SyntaxList<StatementSyntax> statements)
{
ArrayBuilder<LocalFunctionSymbol> locals = null;
foreach (var statement in statements)
{
BuildLocalFunctions(statement, ref locals);
}
return locals?.ToImmutableAndFree() ?? ImmutableArray<LocalFunctionSymbol>.Empty;
}
internal void BuildLocalFunctions(StatementSyntax statement, ref ArrayBuilder<LocalFunctionSymbol> locals)
{
var innerStatement = statement;
// drill into any LabeledStatements -- atomic LabelStatements have been bound into
// wrapped LabeledStatements by this point
while (innerStatement.Kind() == SyntaxKind.LabeledStatement)
{
innerStatement = ((LabeledStatementSyntax)innerStatement).Statement;
}
if (innerStatement.Kind() == SyntaxKind.LocalFunctionStatement)
{
var decl = (LocalFunctionStatementSyntax)innerStatement;
if (locals == null)
{
locals = ArrayBuilder<LocalFunctionSymbol>.GetInstance();
}
var localSymbol = MakeLocalFunction(decl);
locals.Add(localSymbol);
}
}
protected SourceLocalSymbol MakeLocal(VariableDeclarationSyntax declaration, VariableDeclaratorSyntax declarator, LocalDeclarationKind kind, Binder initializerBinderOpt = null)
{
return SourceLocalSymbol.MakeLocal(
this.ContainingMemberOrLambda,
this,
true,
declaration.Type,
declarator.Identifier,
kind,
declarator.Initializer,
initializerBinderOpt);
}
protected LocalFunctionSymbol MakeLocalFunction(LocalFunctionStatementSyntax declaration)
{
return new LocalFunctionSymbol(
this,
this.ContainingMemberOrLambda,
declaration);
}
protected void BuildLabels(SyntaxList<StatementSyntax> statements, ref ArrayBuilder<LabelSymbol> labels)
{
var containingMethod = (MethodSymbol)this.ContainingMemberOrLambda;
foreach (var statement in statements)
{
BuildLabels(containingMethod, statement, ref labels);
}
}
internal static void BuildLabels(MethodSymbol containingMethod, StatementSyntax statement, ref ArrayBuilder<LabelSymbol> labels)
{
while (statement.Kind() == SyntaxKind.LabeledStatement)
{
var labeledStatement = (LabeledStatementSyntax)statement;
if (labels == null)
{
labels = ArrayBuilder<LabelSymbol>.GetInstance();
}
var labelSymbol = new SourceLabelSymbol(containingMethod, labeledStatement.Identifier);
labels.Add(labelSymbol);
statement = labeledStatement.Statement;
}
}
/// <summary>
/// Call this when you are sure there is a local declaration on this token. Returns the local.
/// </summary>
protected override SourceLocalSymbol LookupLocal(SyntaxToken nameToken)
{
LocalSymbol result = null;
if (LocalsMap != null && LocalsMap.TryGetValue(nameToken.ValueText, out result))
{
if (result.IdentifierToken == nameToken) return (SourceLocalSymbol)result;
// in error cases we might have more than one declaration of the same name in the same scope
foreach (var local in this.Locals)
{
if (local.IdentifierToken == nameToken)
{
return (SourceLocalSymbol)local;
}
}
}
return base.LookupLocal(nameToken);
}
protected override LocalFunctionSymbol LookupLocalFunction(SyntaxToken nameToken)
{
LocalFunctionSymbol result = null;
if (LocalFunctionsMap != null && LocalFunctionsMap.TryGetValue(nameToken.ValueText, out result))
{
if (result.NameToken == nameToken) return result;
// in error cases we might have more than one declaration of the same name in the same scope
foreach (var local in this.LocalFunctions)
{
if (local.NameToken == nameToken)
{
return local;
}
}
}
return base.LookupLocalFunction(nameToken);
}
internal override uint LocalScopeDepth => _localScopeDepth;
internal override void LookupSymbolsInSingleBinder(
LookupResult result, string name, int arity, ConsList<TypeSymbol> basesBeingResolved, LookupOptions options, Binder originalBinder, bool diagnose, ref CompoundUseSiteInfo<AssemblySymbol> useSiteInfo)
{
Debug.Assert(options.AreValid());
Debug.Assert(result.IsClear);
if ((options & LookupOptions.LabelsOnly) != 0)
{
var labelsMap = this.LabelsMap;
if (labelsMap != null)
{
LabelSymbol labelSymbol;
if (labelsMap.TryGetValue(name, out labelSymbol))
{
result.MergeEqual(LookupResult.Good(labelSymbol));
}
}
return;
}
var localsMap = this.LocalsMap;
if (localsMap != null && (options & LookupOptions.NamespaceAliasesOnly) == 0)
{
LocalSymbol localSymbol;
if (localsMap.TryGetValue(name, out localSymbol))
{
result.MergeEqual(originalBinder.CheckViability(localSymbol, arity, options, null, diagnose, ref useSiteInfo, basesBeingResolved));
}
}
var localFunctionsMap = this.LocalFunctionsMap;
if (localFunctionsMap != null && options.CanConsiderLocals())
{
LocalFunctionSymbol localSymbol;
if (localFunctionsMap.TryGetValue(name, out localSymbol))
{
result.MergeEqual(originalBinder.CheckViability(localSymbol, arity, options, null, diagnose, ref useSiteInfo, basesBeingResolved));
}
}
}
protected override void AddLookupSymbolsInfoInSingleBinder(LookupSymbolsInfo result, LookupOptions options, Binder originalBinder)
{
Debug.Assert(options.AreValid());
if ((options & LookupOptions.LabelsOnly) != 0)
{
if (this.LabelsMap != null)
{
foreach (var label in this.LabelsMap)
{
result.AddSymbol(label.Value, label.Key, 0);
}
}
}
if (options.CanConsiderLocals())
{
if (this.LocalsMap != null)
{
foreach (var local in this.LocalsMap)
{
if (originalBinder.CanAddLookupSymbolInfo(local.Value, options, result, null))
{
result.AddSymbol(local.Value, local.Key, 0);
}
}
}
if (this.LocalFunctionsMap != null)
{
foreach (var local in this.LocalFunctionsMap)
{
if (originalBinder.CanAddLookupSymbolInfo(local.Value, options, result, null))
{
result.AddSymbol(local.Value, local.Key, 0);
}
}
}
}
}
private bool ReportConflictWithLocal(Symbol local, Symbol newSymbol, string name, Location newLocation, BindingDiagnosticBag diagnostics)
{
// Quirk of the way we represent lambda parameters.
SymbolKind newSymbolKind = (object)newSymbol == null ? SymbolKind.Parameter : newSymbol.Kind;
if (newSymbolKind == SymbolKind.ErrorType) return true;
var declaredInThisScope = false;
declaredInThisScope |= newSymbolKind == SymbolKind.Local && this.Locals.Contains((LocalSymbol)newSymbol);
declaredInThisScope |= newSymbolKind == SymbolKind.Method && this.LocalFunctions.Contains((LocalFunctionSymbol)newSymbol);
if (declaredInThisScope && newLocation.SourceSpan.Start >= local.Locations[0].SourceSpan.Start)
{
// A local variable or function named '{0}' is already defined in this scope
diagnostics.Add(ErrorCode.ERR_LocalDuplicate, newLocation, name);
return true;
}
switch (newSymbolKind)
{
case SymbolKind.Local:
case SymbolKind.Parameter:
case SymbolKind.Method:
case SymbolKind.TypeParameter:
// A local or parameter named '{0}' cannot be declared in this scope because that name is used in an enclosing local scope to define a local or parameter
diagnostics.Add(ErrorCode.ERR_LocalIllegallyOverrides, newLocation, name);
return true;
case SymbolKind.RangeVariable:
// The range variable '{0}' conflicts with a previous declaration of '{0}'
diagnostics.Add(ErrorCode.ERR_QueryRangeVariableOverrides, newLocation, name);
return true;
}
Debug.Assert(false, "what else can be declared inside a local scope?");
diagnostics.Add(ErrorCode.ERR_InternalError, newLocation);
return false;
}
internal virtual bool EnsureSingleDefinition(Symbol symbol, string name, Location location, BindingDiagnosticBag diagnostics)
{
LocalSymbol existingLocal = null;
LocalFunctionSymbol existingLocalFunction = null;
var localsMap = this.LocalsMap;
var localFunctionsMap = this.LocalFunctionsMap;
// TODO: Handle case where 'name' exists in both localsMap and localFunctionsMap. Right now locals are preferred over local functions.
if ((localsMap != null && localsMap.TryGetValue(name, out existingLocal)) ||
(localFunctionsMap != null && localFunctionsMap.TryGetValue(name, out existingLocalFunction)))
{
var existingSymbol = (Symbol)existingLocal ?? existingLocalFunction;
if (symbol == existingSymbol)
{
// reference to same symbol, by far the most common case.
return false;
}
return ReportConflictWithLocal(existingSymbol, symbol, name, location, diagnostics);
}
return 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 System;
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Diagnostics;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp
{
internal partial class LocalScopeBinder : Binder
{
private ImmutableArray<LocalSymbol> _locals;
private ImmutableArray<LocalFunctionSymbol> _localFunctions;
private ImmutableArray<LabelSymbol> _labels;
private readonly uint _localScopeDepth;
internal LocalScopeBinder(Binder next)
: this(next, next.Flags)
{
}
internal LocalScopeBinder(Binder next, BinderFlags flags)
: base(next, flags)
{
var parentDepth = next.LocalScopeDepth;
if (parentDepth != Binder.TopLevelScope)
{
_localScopeDepth = parentDepth + 1;
}
else
{
//NOTE: TopLevel is special.
//For our purpose parameters and top level locals are on that level.
var parentScope = next;
while (parentScope != null)
{
if (parentScope is InMethodBinder || parentScope is WithLambdaParametersBinder)
{
_localScopeDepth = Binder.TopLevelScope;
break;
}
if (parentScope is LocalScopeBinder)
{
_localScopeDepth = Binder.TopLevelScope + 1;
break;
}
parentScope = parentScope.Next;
Debug.Assert(parentScope != null);
}
}
}
internal sealed override ImmutableArray<LocalSymbol> Locals
{
get
{
if (_locals.IsDefault)
{
ImmutableInterlocked.InterlockedCompareExchange(ref _locals, BuildLocals(), default(ImmutableArray<LocalSymbol>));
}
return _locals;
}
}
protected virtual ImmutableArray<LocalSymbol> BuildLocals()
{
return ImmutableArray<LocalSymbol>.Empty;
}
internal sealed override ImmutableArray<LocalFunctionSymbol> LocalFunctions
{
get
{
if (_localFunctions.IsDefault)
{
ImmutableInterlocked.InterlockedCompareExchange(ref _localFunctions, BuildLocalFunctions(), default(ImmutableArray<LocalFunctionSymbol>));
}
return _localFunctions;
}
}
protected virtual ImmutableArray<LocalFunctionSymbol> BuildLocalFunctions()
{
return ImmutableArray<LocalFunctionSymbol>.Empty;
}
internal sealed override ImmutableArray<LabelSymbol> Labels
{
get
{
if (_labels.IsDefault)
{
ImmutableInterlocked.InterlockedCompareExchange(ref _labels, BuildLabels(), default(ImmutableArray<LabelSymbol>));
}
return _labels;
}
}
protected virtual ImmutableArray<LabelSymbol> BuildLabels()
{
return ImmutableArray<LabelSymbol>.Empty;
}
private SmallDictionary<string, LocalSymbol> _lazyLocalsMap;
private SmallDictionary<string, LocalSymbol> LocalsMap
{
get
{
if (_lazyLocalsMap == null && this.Locals.Length > 0)
{
_lazyLocalsMap = BuildMap(this.Locals);
}
return _lazyLocalsMap;
}
}
private SmallDictionary<string, LocalFunctionSymbol> _lazyLocalFunctionsMap;
private SmallDictionary<string, LocalFunctionSymbol> LocalFunctionsMap
{
get
{
if (_lazyLocalFunctionsMap == null && this.LocalFunctions.Length > 0)
{
_lazyLocalFunctionsMap = BuildMap(this.LocalFunctions);
}
return _lazyLocalFunctionsMap;
}
}
private SmallDictionary<string, LabelSymbol> _lazyLabelsMap;
private SmallDictionary<string, LabelSymbol> LabelsMap
{
get
{
if (_lazyLabelsMap == null && this.Labels.Length > 0)
{
_lazyLabelsMap = BuildMap(this.Labels);
}
return _lazyLabelsMap;
}
}
private static SmallDictionary<string, TSymbol> BuildMap<TSymbol>(ImmutableArray<TSymbol> array)
where TSymbol : Symbol
{
Debug.Assert(array.Length > 0);
var map = new SmallDictionary<string, TSymbol>();
// NOTE: in a rare case of having two symbols with same name the one closer to the array's start wins.
for (int i = array.Length - 1; i >= 0; i--)
{
var symbol = array[i];
map[symbol.Name] = symbol;
}
return map;
}
protected ImmutableArray<LocalSymbol> BuildLocals(SyntaxList<StatementSyntax> statements, Binder enclosingBinder)
{
#if DEBUG
Binder currentBinder = enclosingBinder;
while (true)
{
if (this == currentBinder)
{
break;
}
currentBinder = currentBinder.Next;
}
#endif
ArrayBuilder<LocalSymbol> locals = ArrayBuilder<LocalSymbol>.GetInstance();
foreach (var statement in statements)
{
BuildLocals(enclosingBinder, statement, locals);
}
return locals.ToImmutableAndFree();
}
internal void BuildLocals(Binder enclosingBinder, StatementSyntax statement, ArrayBuilder<LocalSymbol> locals)
{
var innerStatement = statement;
// drill into any LabeledStatements -- atomic LabelStatements have been bound into
// wrapped LabeledStatements by this point
while (innerStatement.Kind() == SyntaxKind.LabeledStatement)
{
innerStatement = ((LabeledStatementSyntax)innerStatement).Statement;
}
switch (innerStatement.Kind())
{
case SyntaxKind.LocalDeclarationStatement:
{
Binder localDeclarationBinder = enclosingBinder.GetBinder(innerStatement) ?? enclosingBinder;
var decl = (LocalDeclarationStatementSyntax)innerStatement;
decl.Declaration.Type.VisitRankSpecifiers((rankSpecifier, args) =>
{
foreach (var expression in rankSpecifier.Sizes)
{
if (expression.Kind() != SyntaxKind.OmittedArraySizeExpression)
{
ExpressionVariableFinder.FindExpressionVariables(args.localScopeBinder, args.locals, expression, args.localDeclarationBinder);
}
}
}, (localScopeBinder: this, locals: locals, localDeclarationBinder: localDeclarationBinder));
LocalDeclarationKind kind;
if (decl.IsConst)
{
kind = LocalDeclarationKind.Constant;
}
else if (decl.UsingKeyword != default(SyntaxToken))
{
kind = LocalDeclarationKind.UsingVariable;
}
else
{
kind = LocalDeclarationKind.RegularVariable;
}
foreach (var vdecl in decl.Declaration.Variables)
{
var localSymbol = MakeLocal(decl.Declaration, vdecl, kind, localDeclarationBinder);
locals.Add(localSymbol);
// also gather expression-declared variables from the bracketed argument lists and the initializers
ExpressionVariableFinder.FindExpressionVariables(this, locals, vdecl, localDeclarationBinder);
}
}
break;
case SyntaxKind.ExpressionStatement:
case SyntaxKind.IfStatement:
case SyntaxKind.YieldReturnStatement:
case SyntaxKind.ReturnStatement:
case SyntaxKind.ThrowStatement:
case SyntaxKind.GotoCaseStatement:
ExpressionVariableFinder.FindExpressionVariables(this, locals, innerStatement, enclosingBinder.GetBinder(innerStatement) ?? enclosingBinder);
break;
case SyntaxKind.SwitchStatement:
var switchStatement = (SwitchStatementSyntax)innerStatement;
ExpressionVariableFinder.FindExpressionVariables(this, locals, innerStatement, enclosingBinder.GetBinder(switchStatement.Expression) ?? enclosingBinder);
break;
case SyntaxKind.LockStatement:
Binder statementBinder = enclosingBinder.GetBinder(innerStatement);
Debug.Assert(statementBinder != null); // Lock always has a binder.
ExpressionVariableFinder.FindExpressionVariables(this, locals, innerStatement, statementBinder);
break;
default:
// no other statement introduces local variables into the enclosing scope
break;
}
}
protected ImmutableArray<LocalFunctionSymbol> BuildLocalFunctions(SyntaxList<StatementSyntax> statements)
{
ArrayBuilder<LocalFunctionSymbol> locals = null;
foreach (var statement in statements)
{
BuildLocalFunctions(statement, ref locals);
}
return locals?.ToImmutableAndFree() ?? ImmutableArray<LocalFunctionSymbol>.Empty;
}
internal void BuildLocalFunctions(StatementSyntax statement, ref ArrayBuilder<LocalFunctionSymbol> locals)
{
var innerStatement = statement;
// drill into any LabeledStatements -- atomic LabelStatements have been bound into
// wrapped LabeledStatements by this point
while (innerStatement.Kind() == SyntaxKind.LabeledStatement)
{
innerStatement = ((LabeledStatementSyntax)innerStatement).Statement;
}
if (innerStatement.Kind() == SyntaxKind.LocalFunctionStatement)
{
var decl = (LocalFunctionStatementSyntax)innerStatement;
if (locals == null)
{
locals = ArrayBuilder<LocalFunctionSymbol>.GetInstance();
}
var localSymbol = MakeLocalFunction(decl);
locals.Add(localSymbol);
}
}
protected SourceLocalSymbol MakeLocal(VariableDeclarationSyntax declaration, VariableDeclaratorSyntax declarator, LocalDeclarationKind kind, Binder initializerBinderOpt = null)
{
return SourceLocalSymbol.MakeLocal(
this.ContainingMemberOrLambda,
this,
true,
declaration.Type,
declarator.Identifier,
kind,
declarator.Initializer,
initializerBinderOpt);
}
protected LocalFunctionSymbol MakeLocalFunction(LocalFunctionStatementSyntax declaration)
{
return new LocalFunctionSymbol(
this,
this.ContainingMemberOrLambda,
declaration);
}
protected void BuildLabels(SyntaxList<StatementSyntax> statements, ref ArrayBuilder<LabelSymbol> labels)
{
var containingMethod = (MethodSymbol)this.ContainingMemberOrLambda;
foreach (var statement in statements)
{
BuildLabels(containingMethod, statement, ref labels);
}
}
internal static void BuildLabels(MethodSymbol containingMethod, StatementSyntax statement, ref ArrayBuilder<LabelSymbol> labels)
{
while (statement.Kind() == SyntaxKind.LabeledStatement)
{
var labeledStatement = (LabeledStatementSyntax)statement;
if (labels == null)
{
labels = ArrayBuilder<LabelSymbol>.GetInstance();
}
var labelSymbol = new SourceLabelSymbol(containingMethod, labeledStatement.Identifier);
labels.Add(labelSymbol);
statement = labeledStatement.Statement;
}
}
/// <summary>
/// Call this when you are sure there is a local declaration on this token. Returns the local.
/// </summary>
protected override SourceLocalSymbol LookupLocal(SyntaxToken nameToken)
{
LocalSymbol result = null;
if (LocalsMap != null && LocalsMap.TryGetValue(nameToken.ValueText, out result))
{
if (result.IdentifierToken == nameToken) return (SourceLocalSymbol)result;
// in error cases we might have more than one declaration of the same name in the same scope
foreach (var local in this.Locals)
{
if (local.IdentifierToken == nameToken)
{
return (SourceLocalSymbol)local;
}
}
}
return base.LookupLocal(nameToken);
}
protected override LocalFunctionSymbol LookupLocalFunction(SyntaxToken nameToken)
{
LocalFunctionSymbol result = null;
if (LocalFunctionsMap != null && LocalFunctionsMap.TryGetValue(nameToken.ValueText, out result))
{
if (result.NameToken == nameToken) return result;
// in error cases we might have more than one declaration of the same name in the same scope
foreach (var local in this.LocalFunctions)
{
if (local.NameToken == nameToken)
{
return local;
}
}
}
return base.LookupLocalFunction(nameToken);
}
internal override uint LocalScopeDepth => _localScopeDepth;
internal override void LookupSymbolsInSingleBinder(
LookupResult result, string name, int arity, ConsList<TypeSymbol> basesBeingResolved, LookupOptions options, Binder originalBinder, bool diagnose, ref CompoundUseSiteInfo<AssemblySymbol> useSiteInfo)
{
Debug.Assert(options.AreValid());
Debug.Assert(result.IsClear);
if ((options & LookupOptions.LabelsOnly) != 0)
{
var labelsMap = this.LabelsMap;
if (labelsMap != null)
{
LabelSymbol labelSymbol;
if (labelsMap.TryGetValue(name, out labelSymbol))
{
result.MergeEqual(LookupResult.Good(labelSymbol));
}
}
return;
}
var localsMap = this.LocalsMap;
if (localsMap != null && (options & LookupOptions.NamespaceAliasesOnly) == 0)
{
LocalSymbol localSymbol;
if (localsMap.TryGetValue(name, out localSymbol))
{
result.MergeEqual(originalBinder.CheckViability(localSymbol, arity, options, null, diagnose, ref useSiteInfo, basesBeingResolved));
}
}
var localFunctionsMap = this.LocalFunctionsMap;
if (localFunctionsMap != null && options.CanConsiderLocals())
{
LocalFunctionSymbol localSymbol;
if (localFunctionsMap.TryGetValue(name, out localSymbol))
{
result.MergeEqual(originalBinder.CheckViability(localSymbol, arity, options, null, diagnose, ref useSiteInfo, basesBeingResolved));
}
}
}
protected override void AddLookupSymbolsInfoInSingleBinder(LookupSymbolsInfo result, LookupOptions options, Binder originalBinder)
{
Debug.Assert(options.AreValid());
if ((options & LookupOptions.LabelsOnly) != 0)
{
if (this.LabelsMap != null)
{
foreach (var label in this.LabelsMap)
{
result.AddSymbol(label.Value, label.Key, 0);
}
}
}
if (options.CanConsiderLocals())
{
if (this.LocalsMap != null)
{
foreach (var local in this.LocalsMap)
{
if (originalBinder.CanAddLookupSymbolInfo(local.Value, options, result, null))
{
result.AddSymbol(local.Value, local.Key, 0);
}
}
}
if (this.LocalFunctionsMap != null)
{
foreach (var local in this.LocalFunctionsMap)
{
if (originalBinder.CanAddLookupSymbolInfo(local.Value, options, result, null))
{
result.AddSymbol(local.Value, local.Key, 0);
}
}
}
}
}
private bool ReportConflictWithLocal(Symbol local, Symbol newSymbol, string name, Location newLocation, BindingDiagnosticBag diagnostics)
{
// Quirk of the way we represent lambda parameters.
SymbolKind newSymbolKind = (object)newSymbol == null ? SymbolKind.Parameter : newSymbol.Kind;
if (newSymbolKind == SymbolKind.ErrorType) return true;
var declaredInThisScope = false;
declaredInThisScope |= newSymbolKind == SymbolKind.Local && this.Locals.Contains((LocalSymbol)newSymbol);
declaredInThisScope |= newSymbolKind == SymbolKind.Method && this.LocalFunctions.Contains((LocalFunctionSymbol)newSymbol);
if (declaredInThisScope && newLocation.SourceSpan.Start >= local.Locations[0].SourceSpan.Start)
{
// A local variable or function named '{0}' is already defined in this scope
diagnostics.Add(ErrorCode.ERR_LocalDuplicate, newLocation, name);
return true;
}
switch (newSymbolKind)
{
case SymbolKind.Local:
case SymbolKind.Parameter:
case SymbolKind.Method:
case SymbolKind.TypeParameter:
// A local or parameter named '{0}' cannot be declared in this scope because that name is used in an enclosing local scope to define a local or parameter
diagnostics.Add(ErrorCode.ERR_LocalIllegallyOverrides, newLocation, name);
return true;
case SymbolKind.RangeVariable:
// The range variable '{0}' conflicts with a previous declaration of '{0}'
diagnostics.Add(ErrorCode.ERR_QueryRangeVariableOverrides, newLocation, name);
return true;
}
Debug.Assert(false, "what else can be declared inside a local scope?");
diagnostics.Add(ErrorCode.ERR_InternalError, newLocation);
return false;
}
internal virtual bool EnsureSingleDefinition(Symbol symbol, string name, Location location, BindingDiagnosticBag diagnostics)
{
LocalSymbol existingLocal = null;
LocalFunctionSymbol existingLocalFunction = null;
var localsMap = this.LocalsMap;
var localFunctionsMap = this.LocalFunctionsMap;
// TODO: Handle case where 'name' exists in both localsMap and localFunctionsMap. Right now locals are preferred over local functions.
if ((localsMap != null && localsMap.TryGetValue(name, out existingLocal)) ||
(localFunctionsMap != null && localFunctionsMap.TryGetValue(name, out existingLocalFunction)))
{
var existingSymbol = (Symbol)existingLocal ?? existingLocalFunction;
if (symbol == existingSymbol)
{
// reference to same symbol, by far the most common case.
return false;
}
return ReportConflictWithLocal(existingSymbol, symbol, name, location, diagnostics);
}
return false;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/Symbol/SymbolsTests/Source/NamespaceGlobalTests.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.Text
Imports Microsoft.CodeAnalysis.VisualBasic
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Roslyn.Test.Utilities
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests
Public Class NamespaceGlobalTests
' Global is the root of all namespace even set root namespace of compilation
<Fact>
Public Sub RootNSForGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace NS1
Public Class Class1 'Global.NS1.Class1
End Class
End Namespace
Class C1 'Global.C1
End Class
</file>
</compilation>)
Dim opt = New VisualBasicCompilationOptions(OutputKind.ConsoleApplication).WithRootNamespace("RootNS")
Dim compilation2 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp2">
<file name="a.vb">
Namespace Global.Global.ns1
Class C2
End Class
End Namespace
Namespace [Global].ns1
Class C1
End Class
End Namespace
Class C1 'RootNS.C1
End Class
</file>
</compilation>, options:=opt)
' While the root namespace is empty it means Global is the container
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Class1", "NS1.Class1")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "C1")
' While set the root namespace of compilation to "RootNS" ,'RootNS' is inside global namespace
Dim globalNS2 = compilation2.GlobalNamespace
Dim rootNS2 = DirectCast(globalNS2.GetMembers("RootNS").Single(), NamespaceSymbol)
CompilationUtils.VerifyIsGlobal(rootNS2.ContainingSymbol)
' The container of C1
Dim typeSymbol2C1 = CompilationUtils.VerifyGlobalNamespace(compilation2, "a.vb", "C1", "RootNS.Global.ns1.C1", "RootNS.C1")
' The container of C1
Dim symbolC2 = CompilationUtils.VerifyGlobalNamespace(compilation2, "a.vb", "C2", "[Global].ns1.C2")
End Sub
' Empty Name Space is equal to Global while Root namespace is empty
<Fact>
Public Sub BC30179ERR_TypeConflict6_RootNSIsEmpty()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Class A
End Class
Namespace Global
Class A 'invalid
End Class
End Namespace
</file>
</compilation>)
' While the root namespace is empty it means Global is the container
Dim symbolA = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "A", {"A", "A"}, False)
CompilationUtils.AssertTheseDeclarationDiagnostics(compilation1, <errors>
BC30179: class 'A' and class 'A' conflict in namespace '<Default>'.
Class A
~
</errors>)
End Sub
' Set the root namespace of compilation to 'Global'
<Fact>
Public Sub RootNSIsGlobal()
Dim opt = TestOptions.ReleaseDll.WithRootNamespace("Global")
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Class A
End Class
Namespace Global
Class A
Dim s As Global.Global.A
Dim s1 As [Global].A
Dim s2 As Global.A
End Class
End Namespace
</file>
</compilation>, options:=opt)
' While the root namespace is Global it means [Global]
Dim globalNS = compilation1.SourceModule.GlobalNamespace
Dim nsGlobal = CompilationUtils.VerifyIsGlobal(globalNS.GetMembers("Global").Single, False)
Assert.Equal("[Global]", nsGlobal.ToDisplayString())
Dim symbolA = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "A", "[Global].A", "A")
CompilationUtils.AssertNoErrors(compilation1)
End Sub
<WorkItem(527731, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527731")>
<Fact>
Public Sub GlobalInSourceVsGlobalInOptions()
Dim source = <compilation name="comp1">
<file name="a.vb">
Namespace [Global]
End Namespace
</file>
</compilation>
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(source)
Dim compilation2 = CompilationUtils.CreateCompilationWithMscorlib40(source, options:=New VisualBasicCompilationOptions(OutputKind.ConsoleApplication).WithRootNamespace("Global"))
Dim globalNS1 = compilation1.SourceModule.GlobalNamespace.GetMembers().Single()
Dim globalNS2 = compilation2.SourceModule.GlobalNamespace.GetMembers().Single()
Assert.Equal("Global", globalNS1.Name)
Assert.Equal("Global", globalNS2.Name)
Assert.Single(compilation1.GlobalNamespace.GetMembers("Global").AsEnumerable())
Assert.Single(compilation2.GlobalNamespace.GetMembers("Global").AsEnumerable())
Assert.Empty(compilation1.GlobalNamespace.GetMembers("[Global]").AsEnumerable())
Assert.Empty(compilation2.GlobalNamespace.GetMembers("[Global]").AsEnumerable())
End Sub
' Global for Partial class
<Fact>
Public Sub PartialInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Partial Class Class1
End Class
</file>
<file name="b.vb">
Namespace Global
Public Class Class1
End Class
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Class1", {"Class1"}, False)
CompilationUtils.VerifyGlobalNamespace(compilation1, "b.vb", "Class1", {"Class1"}, False)
Dim symbolClass = compilation1.GlobalNamespace.GetMembers("Class1").Single()
Assert.Equal(2, DirectCast(symbolClass, NamedTypeSymbol).Locations.Length)
End Sub
' Using escaped names for Global
<WorkItem(527731, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527731")>
<Fact>
Public Sub EscapedGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace [Global]
Public Class Class1
End Class
End Namespace
Namespace Global
Public Class Class1 'valid
End Class
End Namespace
</file>
</compilation>)
Assert.Equal(1, compilation1.SourceModule.GlobalNamespace.GetMembers("Global").Length)
Dim symbolClass = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Class1", {"Class1", "[Global].Class1"}, False)
End Sub
' Global is Not Case sensitive
<Fact>
Public Sub BC30179ERR_TypeConflict6_CaseSenGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace GLOBAL
Class C1
End Class
End Namespace
Namespace global
Class C1 'invalid
End Class
End Namespace
</file>
</compilation>)
Dim symbolClass = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", {"C1", "C1"}, False)
CompilationUtils.AssertTheseDeclarationDiagnostics(compilation1, <errors>
BC30179: class 'C1' and class 'C1' conflict in namespace '<Default>'.
Class C1 'invalid
~~
</errors>)
End Sub
' Global for Imports
<Fact>
Public Sub BC36001ERR_NoGlobalExpectedIdentifier_ImportsGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports Global.[global]'invalid
Imports Global.goo'invalid
Imports Global 'invalid
Imports a = [Global] 'valid
Namespace [global]
End Namespace
Namespace goo
End Namespace
</file>
</compilation>)
Dim GlobalNSMember = compilation1.SourceModule.GlobalNamespace.GetMembers()
Assert.True(GlobalNSMember(0).ContainingNamespace.IsGlobalNamespace)
Assert.True(GlobalNSMember(1).ContainingNamespace.IsGlobalNamespace)
CompilationUtils.AssertTheseParseDiagnostics(compilation1, <errors>
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global.[global]'invalid
~~~~~~
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global.goo'invalid
~~~~~~
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global 'invalid
~~~~~~
</errors>)
End Sub
' Global for Alias name
<Fact>
Public Sub BC36001ERR_NoGlobalExpectedIdentifier_ImportsAliasGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports Global = System 'invalid
Imports Global.[Global] = System 'invalid
Imports [Global] = System 'valid
</file>
</compilation>)
CompilationUtils.AssertTheseDiagnostics(compilation1, <errors>
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global = System 'invalid
~~~~~~
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global.[Global] = System 'invalid
~~~~~~
BC40056: Namespace or type specified in the Imports 'Global.Global' 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.
Imports Global.[Global] = System 'invalid
~~~~~~~~~~~~~~~
</errors>)
End Sub
' Global can't be used as type
<WorkItem(527728, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527728")>
<Fact>
Public Sub BC30183ERR_InvalidUseOfKeyword_GlobalAsType()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports System
Class C1(Of T As Global)
End Class
Class C2
Inherits Global
End Class
Structure [Global]
End Structure
Class Global
End Class
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Global", {"[Global]", "[Global]", "C1(Of T As [Global])"}, False)
CompilationUtils.AssertTheseDiagnostics(compilation1, <errors>
BC30182: Type expected.
Class C1(Of T As Global)
~~~~~~
BC30182: Type expected.
Inherits Global
~~~~~~
BC30179: structure '[Global]' and class 'Global' conflict in namespace '<Default>'.
Structure [Global]
~~~~~~~~
BC30179: class 'Global' and structure 'Global' conflict in namespace '<Default>'.
Class Global
~~~~~~
BC30183: Keyword is not valid as an identifier.
Class Global
~~~~~~
</errors>)
End Sub
' Global can't be used as identifier
<WorkItem(527728, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527728")>
<Fact>
Public Sub BC30183ERR_InvalidUseOfKeyword_GlobalAsIdentifier()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Class Global(Of T As Class)
End Class
Class C1(Of Global As Class)
End Class
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Global", "[Global](Of T As Class)", "C1(Of [Global] As Class)")
CompilationUtils.AssertTheseParseDiagnostics(compilation1, <errors>
BC30183: Keyword is not valid as an identifier.
Class Global(Of T As Class)
~~~~~~
BC30183: Keyword is not valid as an identifier.
Class C1(Of Global As Class)
~~~~~~
</errors>)
End Sub
' Global can't be used as Access Modifier
<Fact>
Public Sub BC30035ERR_Syntax_AccessModifier()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Global Class C1(of T as class)
End Class
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "C1(Of T As Class)")
CompilationUtils.AssertTheseParseDiagnostics(compilation1, <errors>
BC30188: Declaration expected.
Global Class C1(of T as class)
~~~~~~
</errors>)
End Sub
' Global namespace may not be nested in another namespace
<WorkItem(539076, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/539076")>
<Fact>
Public Sub BC31544ERR_NestedGlobalNamespace_NestedGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Namespace Global ' invalid
Public Class c1
End Class
End Namespace
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1")
Assert.Equal("[Global]", compilation1.SourceModule.GlobalNamespace.GetMembers().Single().ToDisplayString())
CompilationUtils.AssertTheseDeclarationDiagnostics(compilation1, <errors>
BC31544: Global namespace may not be nested in another namespace.
Namespace Global ' invalid
~~~~~~
</errors>)
End Sub
' [Global] namespace could be nested in another namespace
<Fact>
Public Sub NestedEscapedGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Namespace [Global] ' valid
Public Class C1
End Class
End Namespace
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "[Global].C1")
CompilationUtils.AssertNoDeclarationDiagnostics(compilation1)
End Sub
' Global in Fully qualified names
<Fact>
Public Sub FullyQualifiedOfGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports [Global].ns1
Namespace Global.Global.ns1
Class C1
End Class
End Namespace
Namespace [Global].ns1
Class C1
End Class
End Namespace
</file>
<file name="b.vb">
Imports NS1.Global'valid NS1.Global considered NS1.[Global]
Namespace NS1
Namespace [Global]
Public Class C2
End Class
End Namespace
End Namespace
</file>
<file name="c.vb">
Namespace ns1.Global 'valid considered NS1.[Global]
Public Class C2
End Class
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", {"[Global].ns1.C1", "[Global].ns1.C1"}, False)
CompilationUtils.VerifyGlobalNamespace(compilation1, "b.vb", "C2", "NS1.Global.C2")
CompilationUtils.VerifyGlobalNamespace(compilation1, "c.vb", "C2", "NS1.Global.C2")
CompilationUtils.AssertTheseDiagnostics(compilation1,
<errors>
BC30179: class 'C1' and class 'C1' conflict in namespace '[Global].ns1'.
Class C1
~~
BC40055: Casing of namespace name 'ns1' does not match casing of namespace name 'NS1' in 'b.vb'.
Namespace ns1.Global 'valid considered NS1.[Global]
~~~
BC30179: class 'C2' and class 'C2' conflict in namespace 'NS1.Global'.
Public Class C2
~~
</errors>)
End Sub
' Different types in global namespace
<Fact>
Public Sub DiffTypeInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntime(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Class [Global]
Class UserdefCls
End Class
Structure UserdefStruct
End Structure
End Class
Module M1
End Module
Enum E1
ONE
End Enum
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "UserdefCls", "[Global].UserdefCls")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "UserdefStruct", "[Global].UserdefStruct")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "M1", "M1")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "E1", "E1")
CompilationUtils.AssertNoErrors(compilation1)
End Sub
' Access different fields with different access modifiers in Global
<Fact>
Public Sub DiffAccessInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Public Class C1
Private Class C2
End Class
Friend Class C3
End Class
End Class
End Namespace
</file>
</compilation>)
Dim symbolC1 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "C1")
Dim symbolC2 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C2", "C1.C2")
Dim symbolC3 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C3", "C1.C3")
Assert.Equal(Accessibility.Public, symbolC1(0).DeclaredAccessibility)
Assert.Equal(Accessibility.Private, symbolC2(0).DeclaredAccessibility)
Assert.Equal(Accessibility.Friend, symbolC3(0).DeclaredAccessibility)
End Sub
' Global works on Compilation
<WorkItem(539077, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/539077")>
<Fact>
Public Sub BC30554ERR_AmbiguousInUnnamedNamespace1_GlobalOnCompilation()
Dim opt1 = TestOptions.ReleaseDll.WithRootNamespace("NS1")
Dim opt2 = TestOptions.ReleaseDll.WithRootNamespace("NS2")
Dim opt3 = TestOptions.ReleaseDll.WithRootNamespace("NS3")
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Public Class C1
Private Class C2
End Class
Public Class C3
End Class
End Class
End Namespace
</file>
</compilation>, options:=opt1)
Dim compilation2 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp2">
<file name="a.vb">
Namespace Global
Public Class C1
Private Class C2
End Class
Public Class C3
End Class
End Class
End Namespace
</file>
</compilation>, options:=opt2)
Dim ref1 = New VisualBasicCompilationReference(compilation1)
Dim ref2 = New VisualBasicCompilationReference(compilation2)
Dim compilation3 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp3">
<file name="a.vb">
Namespace NS1
Structure S1
Dim A As Global.C1.C2 ' invalid
Dim B As Global.C1.C3 ' invalid
End Structure
End Namespace
</file>
</compilation>, options:=opt3)
compilation3 = compilation3.AddReferences(ref1, ref2)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C2", "C1.C2")
CompilationUtils.VerifyGlobalNamespace(compilation2, "a.vb", "C3", "C1.C3")
CompilationUtils.AssertTheseDiagnostics(compilation3,
<errors>
BC30554: 'C1' is ambiguous.
Dim A As Global.C1.C2 ' invalid
~~~~~~~~~
BC30554: 'C1' is ambiguous.
Dim B As Global.C1.C3 ' invalid
~~~~~~~~~
</errors>)
End Sub
' Define customer namespace same as namespace of the .NET Framework in Global
<Fact>
Public Sub DefSystemNSInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Namespace System
Class C1
Dim A As System.Int32 ' valid
End Class
End Namespace
End Namespace
</file>
</compilation>)
Dim symbolC1 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "System.C1")
CompilationUtils.AssertNoErrors(compilation1)
End Sub
<Fact>
<WorkItem(545787, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545787")>
Public Sub NestedGlobalNS()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="NestedGlobalNS">
<file name="a.vb">
Imports System
Namespace N
Namespace Global.M
Class X 'BIND:"Class X"
End Class
End Namespace
End Namespace
</file>
</compilation>)
Dim model = GetSemanticModel(compilation, "a.vb")
Dim typeStatementSyntax = CompilationUtils.FindBindingText(Of TypeStatementSyntax)(compilation, "a.vb", 0)
Dim cls = DirectCast(model.GetDeclaredSymbol(typeStatementSyntax), NamedTypeSymbol)
Assert.Equal("N.Global.M.X", cls.ToDisplayString())
End Sub
<Fact>
Public Sub Bug529716()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb">
Namespace Global
Class C
End Class
End Namespace
Namespace Global.Ns1
Class D
End Class
End Namespace
</file>
</compilation>)
Dim [global] = compilation1.SourceModule.GlobalNamespace
Dim classC = [global].GetTypeMembers("C").Single()
Dim ns1 = DirectCast([global].GetMembers("Ns1").Single(), NamespaceSymbol)
Dim classD = ns1.GetTypeMembers("D").Single()
Assert.False(ns1.IsImplicitlyDeclared)
For Each ref In [global].DeclaringSyntaxReferences
Dim node = ref.GetSyntax()
Assert.Equal(SyntaxKind.CompilationUnit, node.Kind)
Next
' Since we never return something other than CompilationUnit as a declaring syntax for a Global namespace,
' the following assert should succeed.
Assert.True([global].IsImplicitlyDeclared)
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.
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Roslyn.Test.Utilities
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests
Public Class NamespaceGlobalTests
' Global is the root of all namespace even set root namespace of compilation
<Fact>
Public Sub RootNSForGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace NS1
Public Class Class1 'Global.NS1.Class1
End Class
End Namespace
Class C1 'Global.C1
End Class
</file>
</compilation>)
Dim opt = New VisualBasicCompilationOptions(OutputKind.ConsoleApplication).WithRootNamespace("RootNS")
Dim compilation2 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp2">
<file name="a.vb">
Namespace Global.Global.ns1
Class C2
End Class
End Namespace
Namespace [Global].ns1
Class C1
End Class
End Namespace
Class C1 'RootNS.C1
End Class
</file>
</compilation>, options:=opt)
' While the root namespace is empty it means Global is the container
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Class1", "NS1.Class1")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "C1")
' While set the root namespace of compilation to "RootNS" ,'RootNS' is inside global namespace
Dim globalNS2 = compilation2.GlobalNamespace
Dim rootNS2 = DirectCast(globalNS2.GetMembers("RootNS").Single(), NamespaceSymbol)
CompilationUtils.VerifyIsGlobal(rootNS2.ContainingSymbol)
' The container of C1
Dim typeSymbol2C1 = CompilationUtils.VerifyGlobalNamespace(compilation2, "a.vb", "C1", "RootNS.Global.ns1.C1", "RootNS.C1")
' The container of C1
Dim symbolC2 = CompilationUtils.VerifyGlobalNamespace(compilation2, "a.vb", "C2", "[Global].ns1.C2")
End Sub
' Empty Name Space is equal to Global while Root namespace is empty
<Fact>
Public Sub BC30179ERR_TypeConflict6_RootNSIsEmpty()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Class A
End Class
Namespace Global
Class A 'invalid
End Class
End Namespace
</file>
</compilation>)
' While the root namespace is empty it means Global is the container
Dim symbolA = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "A", {"A", "A"}, False)
CompilationUtils.AssertTheseDeclarationDiagnostics(compilation1, <errors>
BC30179: class 'A' and class 'A' conflict in namespace '<Default>'.
Class A
~
</errors>)
End Sub
' Set the root namespace of compilation to 'Global'
<Fact>
Public Sub RootNSIsGlobal()
Dim opt = TestOptions.ReleaseDll.WithRootNamespace("Global")
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Class A
End Class
Namespace Global
Class A
Dim s As Global.Global.A
Dim s1 As [Global].A
Dim s2 As Global.A
End Class
End Namespace
</file>
</compilation>, options:=opt)
' While the root namespace is Global it means [Global]
Dim globalNS = compilation1.SourceModule.GlobalNamespace
Dim nsGlobal = CompilationUtils.VerifyIsGlobal(globalNS.GetMembers("Global").Single, False)
Assert.Equal("[Global]", nsGlobal.ToDisplayString())
Dim symbolA = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "A", "[Global].A", "A")
CompilationUtils.AssertNoErrors(compilation1)
End Sub
<WorkItem(527731, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527731")>
<Fact>
Public Sub GlobalInSourceVsGlobalInOptions()
Dim source = <compilation name="comp1">
<file name="a.vb">
Namespace [Global]
End Namespace
</file>
</compilation>
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(source)
Dim compilation2 = CompilationUtils.CreateCompilationWithMscorlib40(source, options:=New VisualBasicCompilationOptions(OutputKind.ConsoleApplication).WithRootNamespace("Global"))
Dim globalNS1 = compilation1.SourceModule.GlobalNamespace.GetMembers().Single()
Dim globalNS2 = compilation2.SourceModule.GlobalNamespace.GetMembers().Single()
Assert.Equal("Global", globalNS1.Name)
Assert.Equal("Global", globalNS2.Name)
Assert.Single(compilation1.GlobalNamespace.GetMembers("Global").AsEnumerable())
Assert.Single(compilation2.GlobalNamespace.GetMembers("Global").AsEnumerable())
Assert.Empty(compilation1.GlobalNamespace.GetMembers("[Global]").AsEnumerable())
Assert.Empty(compilation2.GlobalNamespace.GetMembers("[Global]").AsEnumerable())
End Sub
' Global for Partial class
<Fact>
Public Sub PartialInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Partial Class Class1
End Class
</file>
<file name="b.vb">
Namespace Global
Public Class Class1
End Class
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Class1", {"Class1"}, False)
CompilationUtils.VerifyGlobalNamespace(compilation1, "b.vb", "Class1", {"Class1"}, False)
Dim symbolClass = compilation1.GlobalNamespace.GetMembers("Class1").Single()
Assert.Equal(2, DirectCast(symbolClass, NamedTypeSymbol).Locations.Length)
End Sub
' Using escaped names for Global
<WorkItem(527731, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527731")>
<Fact>
Public Sub EscapedGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace [Global]
Public Class Class1
End Class
End Namespace
Namespace Global
Public Class Class1 'valid
End Class
End Namespace
</file>
</compilation>)
Assert.Equal(1, compilation1.SourceModule.GlobalNamespace.GetMembers("Global").Length)
Dim symbolClass = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Class1", {"Class1", "[Global].Class1"}, False)
End Sub
' Global is Not Case sensitive
<Fact>
Public Sub BC30179ERR_TypeConflict6_CaseSenGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace GLOBAL
Class C1
End Class
End Namespace
Namespace global
Class C1 'invalid
End Class
End Namespace
</file>
</compilation>)
Dim symbolClass = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", {"C1", "C1"}, False)
CompilationUtils.AssertTheseDeclarationDiagnostics(compilation1, <errors>
BC30179: class 'C1' and class 'C1' conflict in namespace '<Default>'.
Class C1 'invalid
~~
</errors>)
End Sub
' Global for Imports
<Fact>
Public Sub BC36001ERR_NoGlobalExpectedIdentifier_ImportsGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports Global.[global]'invalid
Imports Global.goo'invalid
Imports Global 'invalid
Imports a = [Global] 'valid
Namespace [global]
End Namespace
Namespace goo
End Namespace
</file>
</compilation>)
Dim GlobalNSMember = compilation1.SourceModule.GlobalNamespace.GetMembers()
Assert.True(GlobalNSMember(0).ContainingNamespace.IsGlobalNamespace)
Assert.True(GlobalNSMember(1).ContainingNamespace.IsGlobalNamespace)
CompilationUtils.AssertTheseParseDiagnostics(compilation1, <errors>
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global.[global]'invalid
~~~~~~
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global.goo'invalid
~~~~~~
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global 'invalid
~~~~~~
</errors>)
End Sub
' Global for Alias name
<Fact>
Public Sub BC36001ERR_NoGlobalExpectedIdentifier_ImportsAliasGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports Global = System 'invalid
Imports Global.[Global] = System 'invalid
Imports [Global] = System 'valid
</file>
</compilation>)
CompilationUtils.AssertTheseDiagnostics(compilation1, <errors>
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global = System 'invalid
~~~~~~
BC36001: 'Global' not allowed in this context; identifier expected.
Imports Global.[Global] = System 'invalid
~~~~~~
BC40056: Namespace or type specified in the Imports 'Global.Global' 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.
Imports Global.[Global] = System 'invalid
~~~~~~~~~~~~~~~
</errors>)
End Sub
' Global can't be used as type
<WorkItem(527728, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527728")>
<Fact>
Public Sub BC30183ERR_InvalidUseOfKeyword_GlobalAsType()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports System
Class C1(Of T As Global)
End Class
Class C2
Inherits Global
End Class
Structure [Global]
End Structure
Class Global
End Class
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Global", {"[Global]", "[Global]", "C1(Of T As [Global])"}, False)
CompilationUtils.AssertTheseDiagnostics(compilation1, <errors>
BC30182: Type expected.
Class C1(Of T As Global)
~~~~~~
BC30182: Type expected.
Inherits Global
~~~~~~
BC30179: structure '[Global]' and class 'Global' conflict in namespace '<Default>'.
Structure [Global]
~~~~~~~~
BC30179: class 'Global' and structure 'Global' conflict in namespace '<Default>'.
Class Global
~~~~~~
BC30183: Keyword is not valid as an identifier.
Class Global
~~~~~~
</errors>)
End Sub
' Global can't be used as identifier
<WorkItem(527728, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/527728")>
<Fact>
Public Sub BC30183ERR_InvalidUseOfKeyword_GlobalAsIdentifier()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Class Global(Of T As Class)
End Class
Class C1(Of Global As Class)
End Class
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "Global", "[Global](Of T As Class)", "C1(Of [Global] As Class)")
CompilationUtils.AssertTheseParseDiagnostics(compilation1, <errors>
BC30183: Keyword is not valid as an identifier.
Class Global(Of T As Class)
~~~~~~
BC30183: Keyword is not valid as an identifier.
Class C1(Of Global As Class)
~~~~~~
</errors>)
End Sub
' Global can't be used as Access Modifier
<Fact>
Public Sub BC30035ERR_Syntax_AccessModifier()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Global Class C1(of T as class)
End Class
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "C1(Of T As Class)")
CompilationUtils.AssertTheseParseDiagnostics(compilation1, <errors>
BC30188: Declaration expected.
Global Class C1(of T as class)
~~~~~~
</errors>)
End Sub
' Global namespace may not be nested in another namespace
<WorkItem(539076, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/539076")>
<Fact>
Public Sub BC31544ERR_NestedGlobalNamespace_NestedGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Namespace Global ' invalid
Public Class c1
End Class
End Namespace
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1")
Assert.Equal("[Global]", compilation1.SourceModule.GlobalNamespace.GetMembers().Single().ToDisplayString())
CompilationUtils.AssertTheseDeclarationDiagnostics(compilation1, <errors>
BC31544: Global namespace may not be nested in another namespace.
Namespace Global ' invalid
~~~~~~
</errors>)
End Sub
' [Global] namespace could be nested in another namespace
<Fact>
Public Sub NestedEscapedGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Namespace [Global] ' valid
Public Class C1
End Class
End Namespace
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "[Global].C1")
CompilationUtils.AssertNoDeclarationDiagnostics(compilation1)
End Sub
' Global in Fully qualified names
<Fact>
Public Sub FullyQualifiedOfGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Imports [Global].ns1
Namespace Global.Global.ns1
Class C1
End Class
End Namespace
Namespace [Global].ns1
Class C1
End Class
End Namespace
</file>
<file name="b.vb">
Imports NS1.Global'valid NS1.Global considered NS1.[Global]
Namespace NS1
Namespace [Global]
Public Class C2
End Class
End Namespace
End Namespace
</file>
<file name="c.vb">
Namespace ns1.Global 'valid considered NS1.[Global]
Public Class C2
End Class
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", {"[Global].ns1.C1", "[Global].ns1.C1"}, False)
CompilationUtils.VerifyGlobalNamespace(compilation1, "b.vb", "C2", "NS1.Global.C2")
CompilationUtils.VerifyGlobalNamespace(compilation1, "c.vb", "C2", "NS1.Global.C2")
CompilationUtils.AssertTheseDiagnostics(compilation1,
<errors>
BC30179: class 'C1' and class 'C1' conflict in namespace '[Global].ns1'.
Class C1
~~
BC40055: Casing of namespace name 'ns1' does not match casing of namespace name 'NS1' in 'b.vb'.
Namespace ns1.Global 'valid considered NS1.[Global]
~~~
BC30179: class 'C2' and class 'C2' conflict in namespace 'NS1.Global'.
Public Class C2
~~
</errors>)
End Sub
' Different types in global namespace
<Fact>
Public Sub DiffTypeInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntime(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Class [Global]
Class UserdefCls
End Class
Structure UserdefStruct
End Structure
End Class
Module M1
End Module
Enum E1
ONE
End Enum
End Namespace
</file>
</compilation>)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "UserdefCls", "[Global].UserdefCls")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "UserdefStruct", "[Global].UserdefStruct")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "M1", "M1")
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "E1", "E1")
CompilationUtils.AssertNoErrors(compilation1)
End Sub
' Access different fields with different access modifiers in Global
<Fact>
Public Sub DiffAccessInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Public Class C1
Private Class C2
End Class
Friend Class C3
End Class
End Class
End Namespace
</file>
</compilation>)
Dim symbolC1 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "C1")
Dim symbolC2 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C2", "C1.C2")
Dim symbolC3 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C3", "C1.C3")
Assert.Equal(Accessibility.Public, symbolC1(0).DeclaredAccessibility)
Assert.Equal(Accessibility.Private, symbolC2(0).DeclaredAccessibility)
Assert.Equal(Accessibility.Friend, symbolC3(0).DeclaredAccessibility)
End Sub
' Global works on Compilation
<WorkItem(539077, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/539077")>
<Fact>
Public Sub BC30554ERR_AmbiguousInUnnamedNamespace1_GlobalOnCompilation()
Dim opt1 = TestOptions.ReleaseDll.WithRootNamespace("NS1")
Dim opt2 = TestOptions.ReleaseDll.WithRootNamespace("NS2")
Dim opt3 = TestOptions.ReleaseDll.WithRootNamespace("NS3")
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Public Class C1
Private Class C2
End Class
Public Class C3
End Class
End Class
End Namespace
</file>
</compilation>, options:=opt1)
Dim compilation2 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp2">
<file name="a.vb">
Namespace Global
Public Class C1
Private Class C2
End Class
Public Class C3
End Class
End Class
End Namespace
</file>
</compilation>, options:=opt2)
Dim ref1 = New VisualBasicCompilationReference(compilation1)
Dim ref2 = New VisualBasicCompilationReference(compilation2)
Dim compilation3 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp3">
<file name="a.vb">
Namespace NS1
Structure S1
Dim A As Global.C1.C2 ' invalid
Dim B As Global.C1.C3 ' invalid
End Structure
End Namespace
</file>
</compilation>, options:=opt3)
compilation3 = compilation3.AddReferences(ref1, ref2)
CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C2", "C1.C2")
CompilationUtils.VerifyGlobalNamespace(compilation2, "a.vb", "C3", "C1.C3")
CompilationUtils.AssertTheseDiagnostics(compilation3,
<errors>
BC30554: 'C1' is ambiguous.
Dim A As Global.C1.C2 ' invalid
~~~~~~~~~
BC30554: 'C1' is ambiguous.
Dim B As Global.C1.C3 ' invalid
~~~~~~~~~
</errors>)
End Sub
' Define customer namespace same as namespace of the .NET Framework in Global
<Fact>
Public Sub DefSystemNSInGlobal()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="comp1">
<file name="a.vb">
Namespace Global
Namespace System
Class C1
Dim A As System.Int32 ' valid
End Class
End Namespace
End Namespace
</file>
</compilation>)
Dim symbolC1 = CompilationUtils.VerifyGlobalNamespace(compilation1, "a.vb", "C1", "System.C1")
CompilationUtils.AssertNoErrors(compilation1)
End Sub
<Fact>
<WorkItem(545787, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545787")>
Public Sub NestedGlobalNS()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation name="NestedGlobalNS">
<file name="a.vb">
Imports System
Namespace N
Namespace Global.M
Class X 'BIND:"Class X"
End Class
End Namespace
End Namespace
</file>
</compilation>)
Dim model = GetSemanticModel(compilation, "a.vb")
Dim typeStatementSyntax = CompilationUtils.FindBindingText(Of TypeStatementSyntax)(compilation, "a.vb", 0)
Dim cls = DirectCast(model.GetDeclaredSymbol(typeStatementSyntax), NamedTypeSymbol)
Assert.Equal("N.Global.M.X", cls.ToDisplayString())
End Sub
<Fact>
Public Sub Bug529716()
Dim compilation1 = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb">
Namespace Global
Class C
End Class
End Namespace
Namespace Global.Ns1
Class D
End Class
End Namespace
</file>
</compilation>)
Dim [global] = compilation1.SourceModule.GlobalNamespace
Dim classC = [global].GetTypeMembers("C").Single()
Dim ns1 = DirectCast([global].GetMembers("Ns1").Single(), NamespaceSymbol)
Dim classD = ns1.GetTypeMembers("D").Single()
Assert.False(ns1.IsImplicitlyDeclared)
For Each ref In [global].DeclaringSyntaxReferences
Dim node = ref.GetSyntax()
Assert.Equal(SyntaxKind.CompilationUnit, node.Kind)
Next
' Since we never return something other than CompilationUnit as a declaring syntax for a Global namespace,
' the following assert should succeed.
Assert.True([global].IsImplicitlyDeclared)
End Sub
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/GenerateMember/GenerateConstructor/AbstractGenerateConstructorService.State.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.Collections.Immutable;
using System.Diagnostics;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CodeGeneration;
using Microsoft.CodeAnalysis.Diagnostics.Analyzers.NamingStyles;
using Microsoft.CodeAnalysis.Editing;
using Microsoft.CodeAnalysis.FindSymbols;
using Microsoft.CodeAnalysis.LanguageServices;
using Microsoft.CodeAnalysis.PooledObjects;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.Shared.Utilities;
using Microsoft.CodeAnalysis.Utilities;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.GenerateMember.GenerateConstructor
{
internal abstract partial class AbstractGenerateConstructorService<TService, TExpressionSyntax>
{
protected internal class State
{
private readonly TService _service;
private readonly SemanticDocument _document;
private readonly NamingRule _fieldNamingRule;
private readonly NamingRule _propertyNamingRule;
private readonly NamingRule _parameterNamingRule;
private ImmutableArray<Argument> _arguments;
// The type we're creating a constructor for. Will be a class or struct type.
public INamedTypeSymbol? TypeToGenerateIn { get; private set; }
private ImmutableArray<RefKind> _parameterRefKinds;
public ImmutableArray<ITypeSymbol> ParameterTypes;
public SyntaxToken Token { get; private set; }
public bool IsConstructorInitializerGeneration { get; private set; }
private IMethodSymbol? _delegatedConstructor;
private ImmutableArray<IParameterSymbol> _parameters;
private ImmutableDictionary<string, ISymbol>? _parameterToExistingMemberMap;
public ImmutableDictionary<string, string> ParameterToNewFieldMap { get; private set; }
public ImmutableDictionary<string, string> ParameterToNewPropertyMap { get; private set; }
public bool IsContainedInUnsafeType { get; private set; }
private State(TService service, SemanticDocument document, NamingRule fieldNamingRule, NamingRule propertyNamingRule, NamingRule parameterNamingRule)
{
_service = service;
_document = document;
_fieldNamingRule = fieldNamingRule;
_propertyNamingRule = propertyNamingRule;
_parameterNamingRule = parameterNamingRule;
ParameterToNewFieldMap = ImmutableDictionary<string, string>.Empty;
ParameterToNewPropertyMap = ImmutableDictionary<string, string>.Empty;
}
public static async Task<State?> GenerateAsync(
TService service,
SemanticDocument document,
SyntaxNode node,
CancellationToken cancellationToken)
{
var fieldNamingRule = await document.Document.GetApplicableNamingRuleAsync(SymbolKind.Field, Accessibility.Private, cancellationToken).ConfigureAwait(false);
var propertyNamingRule = await document.Document.GetApplicableNamingRuleAsync(SymbolKind.Property, Accessibility.Public, cancellationToken).ConfigureAwait(false);
var parameterNamingRule = await document.Document.GetApplicableNamingRuleAsync(SymbolKind.Parameter, Accessibility.NotApplicable, cancellationToken).ConfigureAwait(false);
var state = new State(service, document, fieldNamingRule, propertyNamingRule, parameterNamingRule);
if (!await state.TryInitializeAsync(node, cancellationToken).ConfigureAwait(false))
{
return null;
}
return state;
}
private async Task<bool> TryInitializeAsync(
SyntaxNode node, CancellationToken cancellationToken)
{
if (_service.IsConstructorInitializerGeneration(_document, node, cancellationToken))
{
if (!await TryInitializeConstructorInitializerGenerationAsync(node, cancellationToken).ConfigureAwait(false))
return false;
}
else if (_service.IsSimpleNameGeneration(_document, node, cancellationToken))
{
if (!await TryInitializeSimpleNameGenerationAsync(node, cancellationToken).ConfigureAwait(false))
return false;
}
else if (_service.IsImplicitObjectCreation(_document, node, cancellationToken))
{
if (!await TryInitializeImplicitObjectCreationAsync(node, cancellationToken).ConfigureAwait(false))
return false;
}
else
{
return false;
}
Contract.ThrowIfNull(TypeToGenerateIn);
if (!CodeGenerator.CanAdd(_document.Project.Solution, TypeToGenerateIn, cancellationToken))
return false;
ParameterTypes = ParameterTypes.IsDefault ? GetParameterTypes(cancellationToken) : ParameterTypes;
_parameterRefKinds = _arguments.SelectAsArray(a => a.RefKind);
if (ClashesWithExistingConstructor())
return false;
if (!TryInitializeDelegatedConstructor(cancellationToken))
InitializeNonDelegatedConstructor(cancellationToken);
IsContainedInUnsafeType = _service.ContainingTypesOrSelfHasUnsafeKeyword(TypeToGenerateIn);
return true;
}
private void InitializeNonDelegatedConstructor(CancellationToken cancellationToken)
{
var typeParametersNames = TypeToGenerateIn.GetAllTypeParameters().Select(t => t.Name).ToImmutableArray();
var parameterNames = GetParameterNames(_arguments, typeParametersNames, cancellationToken);
GetParameters(_arguments, ParameterTypes, parameterNames, cancellationToken);
}
private ImmutableArray<ParameterName> GetParameterNames(
ImmutableArray<Argument> arguments, ImmutableArray<string> typeParametersNames, CancellationToken cancellationToken)
{
return _service.GenerateParameterNames(_document, arguments, typeParametersNames, _parameterNamingRule, cancellationToken);
}
private bool TryInitializeDelegatedConstructor(CancellationToken cancellationToken)
{
var parameters = ParameterTypes.Zip(_parameterRefKinds,
(t, r) => CodeGenerationSymbolFactory.CreateParameterSymbol(r, t, name: "")).ToImmutableArray();
var expressions = _arguments.SelectAsArray(a => a.Expression);
var delegatedConstructor = FindConstructorToDelegateTo(parameters, expressions, cancellationToken);
if (delegatedConstructor == null)
return false;
// Map the first N parameters to the other constructor in this type. Then
// try to map any further parameters to existing fields. Finally, generate
// new fields if no such parameters exist.
// Find the names of the parameters that will follow the parameters we're
// delegating.
var argumentCount = delegatedConstructor.Parameters.Length;
var remainingArguments = _arguments.Skip(argumentCount).ToImmutableArray();
var remainingParameterNames = _service.GenerateParameterNames(
_document, remainingArguments,
delegatedConstructor.Parameters.Select(p => p.Name).ToList(),
_parameterNamingRule,
cancellationToken);
// Can't generate the constructor if the parameter names we're copying over forcibly
// conflict with any names we generated.
if (delegatedConstructor.Parameters.Select(p => p.Name).Intersect(remainingParameterNames.Select(n => n.BestNameForParameter)).Any())
return false;
var remainingParameterTypes = ParameterTypes.Skip(argumentCount).ToImmutableArray();
_delegatedConstructor = delegatedConstructor;
GetParameters(remainingArguments, remainingParameterTypes, remainingParameterNames, cancellationToken);
return true;
}
private IMethodSymbol? FindConstructorToDelegateTo(
ImmutableArray<IParameterSymbol> allParameters,
ImmutableArray<TExpressionSyntax?> allExpressions,
CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
Contract.ThrowIfNull(TypeToGenerateIn.BaseType);
for (var i = allParameters.Length; i > 0; i--)
{
var parameters = allParameters.TakeAsArray(i);
var expressions = allExpressions.TakeAsArray(i);
var result = FindConstructorToDelegateTo(parameters, expressions, TypeToGenerateIn.InstanceConstructors, cancellationToken) ??
FindConstructorToDelegateTo(parameters, expressions, TypeToGenerateIn.BaseType.InstanceConstructors, cancellationToken);
if (result != null)
return result;
}
return null;
}
private IMethodSymbol? FindConstructorToDelegateTo(
ImmutableArray<IParameterSymbol> parameters,
ImmutableArray<TExpressionSyntax?> expressions,
ImmutableArray<IMethodSymbol> constructors,
CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
foreach (var constructor in constructors)
{
// Don't bother delegating to an implicit constructor. We don't want to add `: base()` as that's just
// redundant for subclasses and `: this()` won't even work as we won't have an implicit constructor once
// we add this new constructor.
if (constructor.IsImplicitlyDeclared)
continue;
// Don't delegate to another constructor in this type if it's got the same parameter types as the
// one we're generating. This can happen if we're generating the new constructor because parameter
// names don't match (when a user explicitly provides named parameters).
if (TypeToGenerateIn.Equals(constructor.ContainingType) &&
constructor.Parameters.Select(p => p.Type).SequenceEqual(ParameterTypes))
{
continue;
}
if (GenerateConstructorHelpers.CanDelegateTo(_document, parameters, expressions, constructor) &&
!_service.WillCauseConstructorCycle(this, _document, constructor, cancellationToken))
{
return constructor;
}
}
return null;
}
private bool ClashesWithExistingConstructor()
{
Contract.ThrowIfNull(TypeToGenerateIn);
var destinationProvider = _document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var syntaxFacts = destinationProvider.GetRequiredService<ISyntaxFactsService>();
return TypeToGenerateIn.InstanceConstructors.Any(c => Matches(c, syntaxFacts));
}
private bool Matches(IMethodSymbol ctor, ISyntaxFactsService service)
{
if (ctor.Parameters.Length != ParameterTypes.Length)
return false;
for (var i = 0; i < ParameterTypes.Length; i++)
{
var ctorParameter = ctor.Parameters[i];
var result = SymbolEquivalenceComparer.Instance.Equals(ctorParameter.Type, ParameterTypes[i]) &&
ctorParameter.RefKind == _parameterRefKinds[i];
var parameterName = GetParameterName(i);
if (!string.IsNullOrEmpty(parameterName))
{
result &= service.IsCaseSensitive
? ctorParameter.Name == parameterName
: string.Equals(ctorParameter.Name, parameterName, StringComparison.OrdinalIgnoreCase);
}
if (result == false)
return false;
}
return true;
}
private string GetParameterName(int index)
=> _arguments.IsDefault || index >= _arguments.Length ? string.Empty : _arguments[index].Name;
internal ImmutableArray<ITypeSymbol> GetParameterTypes(CancellationToken cancellationToken)
{
var allTypeParameters = TypeToGenerateIn.GetAllTypeParameters();
var semanticModel = _document.SemanticModel;
var allTypes = _arguments.Select(a => _service.GetArgumentType(_document.SemanticModel, a, cancellationToken));
return allTypes.Select(t => FixType(t, semanticModel, allTypeParameters)).ToImmutableArray();
}
private static ITypeSymbol FixType(ITypeSymbol typeSymbol, SemanticModel semanticModel, IEnumerable<ITypeParameterSymbol> allTypeParameters)
{
var compilation = semanticModel.Compilation;
return typeSymbol.RemoveAnonymousTypes(compilation)
.RemoveUnavailableTypeParameters(compilation, allTypeParameters)
.RemoveUnnamedErrorTypes(compilation);
}
private async Task<bool> TryInitializeConstructorInitializerGenerationAsync(
SyntaxNode constructorInitializer, CancellationToken cancellationToken)
{
if (_service.TryInitializeConstructorInitializerGeneration(
_document, constructorInitializer, cancellationToken,
out var token, out var arguments, out var typeToGenerateIn))
{
Token = token;
_arguments = arguments;
IsConstructorInitializerGeneration = true;
var semanticInfo = _document.SemanticModel.GetSymbolInfo(constructorInitializer, cancellationToken);
if (semanticInfo.Symbol == null)
return await TryDetermineTypeToGenerateInAsync(typeToGenerateIn, cancellationToken).ConfigureAwait(false);
}
return false;
}
private async Task<bool> TryInitializeImplicitObjectCreationAsync(SyntaxNode implicitObjectCreation, CancellationToken cancellationToken)
{
if (_service.TryInitializeImplicitObjectCreation(
_document, implicitObjectCreation, cancellationToken,
out var token, out var arguments, out var typeToGenerateIn))
{
Token = token;
_arguments = arguments;
var semanticInfo = _document.SemanticModel.GetSymbolInfo(implicitObjectCreation, cancellationToken);
if (semanticInfo.Symbol == null)
return await TryDetermineTypeToGenerateInAsync(typeToGenerateIn, cancellationToken).ConfigureAwait(false);
}
return false;
}
private async Task<bool> TryInitializeSimpleNameGenerationAsync(
SyntaxNode simpleName,
CancellationToken cancellationToken)
{
if (_service.TryInitializeSimpleNameGenerationState(
_document, simpleName, cancellationToken,
out var token, out var arguments, out var typeToGenerateIn))
{
Token = token;
_arguments = arguments;
}
else if (_service.TryInitializeSimpleAttributeNameGenerationState(
_document, simpleName, cancellationToken, out token, out arguments, out typeToGenerateIn))
{
Token = token;
_arguments = arguments;
//// Attribute parameters are restricted to be constant values (simple types or string, etc).
if (GetParameterTypes(cancellationToken).Any(t => !IsValidAttributeParameterType(t)))
return false;
}
else
{
return false;
}
cancellationToken.ThrowIfCancellationRequested();
return await TryDetermineTypeToGenerateInAsync(typeToGenerateIn, cancellationToken).ConfigureAwait(false);
}
private static bool IsValidAttributeParameterType(ITypeSymbol type)
{
if (type.Kind == SymbolKind.ArrayType)
{
var arrayType = (IArrayTypeSymbol)type;
if (arrayType.Rank != 1)
{
return false;
}
type = arrayType.ElementType;
}
if (type.IsEnumType())
{
return true;
}
switch (type.SpecialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Byte:
case SpecialType.System_Char:
case SpecialType.System_Int16:
case SpecialType.System_Int32:
case SpecialType.System_Int64:
case SpecialType.System_Double:
case SpecialType.System_Single:
case SpecialType.System_String:
return true;
default:
return false;
}
}
private async Task<bool> TryDetermineTypeToGenerateInAsync(
INamedTypeSymbol original, CancellationToken cancellationToken)
{
var definition = await SymbolFinder.FindSourceDefinitionAsync(original, _document.Project.Solution, cancellationToken).ConfigureAwait(false);
TypeToGenerateIn = definition as INamedTypeSymbol;
return TypeToGenerateIn?.TypeKind is (TypeKind?)TypeKind.Class or (TypeKind?)TypeKind.Struct;
}
private void GetParameters(
ImmutableArray<Argument> arguments,
ImmutableArray<ITypeSymbol> parameterTypes,
ImmutableArray<ParameterName> parameterNames,
CancellationToken cancellationToken)
{
var parameterToExistingMemberMap = ImmutableDictionary.CreateBuilder<string, ISymbol>();
var parameterToNewFieldMap = ImmutableDictionary.CreateBuilder<string, string>();
var parameterToNewPropertyMap = ImmutableDictionary.CreateBuilder<string, string>();
using var _ = ArrayBuilder<IParameterSymbol>.GetInstance(out var parameters);
for (var i = 0; i < parameterNames.Length; i++)
{
var parameterName = parameterNames[i];
var parameterType = parameterTypes[i];
var argument = arguments[i];
// See if there's a matching field or property we can use, or create a new member otherwise.
FindExistingOrCreateNewMember(
ref parameterName, parameterType, argument,
parameterToExistingMemberMap, parameterToNewFieldMap, parameterToNewPropertyMap,
cancellationToken);
parameters.Add(CodeGenerationSymbolFactory.CreateParameterSymbol(
attributes: default,
refKind: argument.RefKind,
isParams: false,
type: parameterType,
name: parameterName.BestNameForParameter));
}
_parameters = parameters.ToImmutable();
_parameterToExistingMemberMap = parameterToExistingMemberMap.ToImmutable();
ParameterToNewFieldMap = parameterToNewFieldMap.ToImmutable();
ParameterToNewPropertyMap = parameterToNewPropertyMap.ToImmutable();
}
private void FindExistingOrCreateNewMember(
ref ParameterName parameterName,
ITypeSymbol parameterType,
Argument argument,
ImmutableDictionary<string, ISymbol>.Builder parameterToExistingMemberMap,
ImmutableDictionary<string, string>.Builder parameterToNewFieldMap,
ImmutableDictionary<string, string>.Builder parameterToNewPropertyMap,
CancellationToken cancellationToken)
{
var expectedFieldName = _fieldNamingRule.NamingStyle.MakeCompliant(parameterName.NameBasedOnArgument).First();
var expectedPropertyName = _propertyNamingRule.NamingStyle.MakeCompliant(parameterName.NameBasedOnArgument).First();
var isFixed = argument.IsNamed;
// For non-out parameters, see if there's already a field there with the same name.
// If so, and it has a compatible type, then we can just assign to that field.
// Otherwise, we'll need to choose a different name for this member so that it
// doesn't conflict with something already in the type. First check the current type
// for a matching field. If so, defer to it.
var unavailableMemberNames = GetUnavailableMemberNames().ToImmutableArray();
var members = from t in TypeToGenerateIn.GetBaseTypesAndThis()
let ignoreAccessibility = t.Equals(TypeToGenerateIn)
from m in t.GetMembers()
where m.Name.Equals(expectedFieldName, StringComparison.OrdinalIgnoreCase)
where ignoreAccessibility || IsSymbolAccessible(m, _document)
select m;
var membersArray = members.ToImmutableArray();
var symbol = membersArray.FirstOrDefault(m => m.Name.Equals(expectedFieldName, StringComparison.Ordinal)) ?? membersArray.FirstOrDefault();
if (symbol != null)
{
if (IsViableFieldOrProperty(parameterType, symbol))
{
// Ok! We can just the existing field.
parameterToExistingMemberMap[parameterName.BestNameForParameter] = symbol;
}
else
{
// Uh-oh. Now we have a problem. We can't assign this parameter to
// this field. So we need to create a new field. Find a name not in
// use so we can assign to that.
var baseName = _service.GenerateNameForArgument(_document.SemanticModel, argument, cancellationToken);
var baseFieldWithNamingStyle = _fieldNamingRule.NamingStyle.MakeCompliant(baseName).First();
var basePropertyWithNamingStyle = _propertyNamingRule.NamingStyle.MakeCompliant(baseName).First();
var newFieldName = NameGenerator.EnsureUniqueness(baseFieldWithNamingStyle, unavailableMemberNames.Concat(parameterToNewFieldMap.Values));
var newPropertyName = NameGenerator.EnsureUniqueness(basePropertyWithNamingStyle, unavailableMemberNames.Concat(parameterToNewPropertyMap.Values));
if (isFixed)
{
// Can't change the parameter name, so map the existing parameter
// name to the new field name.
parameterToNewFieldMap[parameterName.NameBasedOnArgument] = newFieldName;
parameterToNewPropertyMap[parameterName.NameBasedOnArgument] = newPropertyName;
}
else
{
// Can change the parameter name, so do so.
// But first remove any prefix added due to field naming styles
var fieldNameMinusPrefix = newFieldName[_fieldNamingRule.NamingStyle.Prefix.Length..];
var newParameterName = new ParameterName(fieldNameMinusPrefix, isFixed: false, _parameterNamingRule);
parameterName = newParameterName;
parameterToNewFieldMap[newParameterName.BestNameForParameter] = newFieldName;
parameterToNewPropertyMap[newParameterName.BestNameForParameter] = newPropertyName;
}
}
return;
}
// If no matching field was found, use the fieldNamingRule to create suitable name
var bestNameForParameter = parameterName.BestNameForParameter;
var nameBasedOnArgument = parameterName.NameBasedOnArgument;
parameterToNewFieldMap[bestNameForParameter] = _fieldNamingRule.NamingStyle.MakeCompliant(nameBasedOnArgument).First();
parameterToNewPropertyMap[bestNameForParameter] = _propertyNamingRule.NamingStyle.MakeCompliant(nameBasedOnArgument).First();
}
private IEnumerable<string> GetUnavailableMemberNames()
{
Contract.ThrowIfNull(TypeToGenerateIn);
return TypeToGenerateIn.MemberNames.Concat(
from type in TypeToGenerateIn.GetBaseTypes()
from member in type.GetMembers()
select member.Name);
}
private bool IsViableFieldOrProperty(
ITypeSymbol parameterType,
ISymbol symbol)
{
if (parameterType.Language != symbol.Language)
return false;
if (symbol != null && !symbol.IsStatic)
{
if (symbol is IFieldSymbol field)
{
return
!field.IsConst &&
_service.IsConversionImplicit(_document.SemanticModel.Compilation, parameterType, field.Type);
}
else if (symbol is IPropertySymbol property)
{
return
property.Parameters.Length == 0 &&
property.IsWritableInConstructor() &&
_service.IsConversionImplicit(_document.SemanticModel.Compilation, parameterType, property.Type);
}
}
return false;
}
public async Task<Document> GetChangedDocumentAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
// See if there's an accessible base constructor that would accept these
// types, then just call into that instead of generating fields.
//
// then, see if there are any constructors that would take the first 'n' arguments
// we've provided. If so, delegate to those, and then create a field for any
// remaining arguments. Try to match from largest to smallest.
//
// Otherwise, just generate a normal constructor that assigns any provided
// parameters into fields.
return await GenerateThisOrBaseDelegatingConstructorAsync(document, withFields, withProperties, cancellationToken).ConfigureAwait(false) ??
await GenerateMemberDelegatingConstructorAsync(document, withFields, withProperties, cancellationToken).ConfigureAwait(false);
}
private async Task<Document?> GenerateThisOrBaseDelegatingConstructorAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
if (_delegatedConstructor == null)
return null;
Contract.ThrowIfNull(TypeToGenerateIn);
var provider = document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var (members, assignments) = await GenerateMembersAndAssignmentsAsync(document, withFields, withProperties, cancellationToken).ConfigureAwait(false);
var isThis = _delegatedConstructor.ContainingType.OriginalDefinition.Equals(TypeToGenerateIn.OriginalDefinition);
var delegatingArguments = provider.GetService<SyntaxGenerator>().CreateArguments(_delegatedConstructor.Parameters);
var newParameters = _delegatedConstructor.Parameters.Concat(_parameters);
var generateUnsafe = !IsContainedInUnsafeType && newParameters.Any(p => p.RequiresUnsafeModifier());
var constructor = CodeGenerationSymbolFactory.CreateConstructorSymbol(
attributes: default,
accessibility: Accessibility.Public,
modifiers: new DeclarationModifiers(isUnsafe: generateUnsafe),
typeName: TypeToGenerateIn.Name,
parameters: newParameters,
statements: assignments,
baseConstructorArguments: isThis ? default : delegatingArguments,
thisConstructorArguments: isThis ? delegatingArguments : default);
return await provider.GetRequiredService<ICodeGenerationService>().AddMembersAsync(
document.Project.Solution,
TypeToGenerateIn,
members.Concat(constructor),
new CodeGenerationOptions(
Token.GetLocation(),
options: await document.GetOptionsAsync(cancellationToken).ConfigureAwait(false)),
cancellationToken).ConfigureAwait(false);
}
private async Task<(ImmutableArray<ISymbol>, ImmutableArray<SyntaxNode>)> GenerateMembersAndAssignmentsAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
var provider = document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var members = withFields ? SyntaxGeneratorExtensions.CreateFieldsForParameters(_parameters, ParameterToNewFieldMap, IsContainedInUnsafeType) :
withProperties ? SyntaxGeneratorExtensions.CreatePropertiesForParameters(_parameters, ParameterToNewPropertyMap, IsContainedInUnsafeType) :
ImmutableArray<ISymbol>.Empty;
var semanticModel = await document.GetRequiredSemanticModelAsync(cancellationToken).ConfigureAwait(false);
var assignments = !withFields && !withProperties
? ImmutableArray<SyntaxNode>.Empty
: provider.GetService<SyntaxGenerator>().CreateAssignmentStatements(
semanticModel, _parameters,
_parameterToExistingMemberMap,
withFields ? ParameterToNewFieldMap : ParameterToNewPropertyMap,
addNullChecks: false, preferThrowExpression: false);
return (members, assignments);
}
private async Task<Document> GenerateMemberDelegatingConstructorAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
var provider = document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var semanticModel = await document.GetSemanticModelAsync(cancellationToken).ConfigureAwait(false);
var newMemberMap =
withFields ? ParameterToNewFieldMap :
withProperties ? ParameterToNewPropertyMap :
ImmutableDictionary<string, string>.Empty;
return await provider.GetRequiredService<ICodeGenerationService>().AddMembersAsync(
document.Project.Solution,
TypeToGenerateIn,
provider.GetService<SyntaxGenerator>().CreateMemberDelegatingConstructor(
semanticModel,
TypeToGenerateIn.Name,
TypeToGenerateIn,
_parameters,
_parameterToExistingMemberMap,
newMemberMap,
addNullChecks: false,
preferThrowExpression: false,
generateProperties: withProperties,
IsContainedInUnsafeType),
new CodeGenerationOptions(
Token.GetLocation(),
options: await document.GetOptionsAsync(cancellationToken).ConfigureAwait(false)),
cancellationToken).ConfigureAwait(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.
using System;
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Diagnostics;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.CodeGeneration;
using Microsoft.CodeAnalysis.Diagnostics.Analyzers.NamingStyles;
using Microsoft.CodeAnalysis.Editing;
using Microsoft.CodeAnalysis.FindSymbols;
using Microsoft.CodeAnalysis.LanguageServices;
using Microsoft.CodeAnalysis.PooledObjects;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.Shared.Utilities;
using Microsoft.CodeAnalysis.Utilities;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.GenerateMember.GenerateConstructor
{
internal abstract partial class AbstractGenerateConstructorService<TService, TExpressionSyntax>
{
protected internal class State
{
private readonly TService _service;
private readonly SemanticDocument _document;
private readonly NamingRule _fieldNamingRule;
private readonly NamingRule _propertyNamingRule;
private readonly NamingRule _parameterNamingRule;
private ImmutableArray<Argument> _arguments;
// The type we're creating a constructor for. Will be a class or struct type.
public INamedTypeSymbol? TypeToGenerateIn { get; private set; }
private ImmutableArray<RefKind> _parameterRefKinds;
public ImmutableArray<ITypeSymbol> ParameterTypes;
public SyntaxToken Token { get; private set; }
public bool IsConstructorInitializerGeneration { get; private set; }
private IMethodSymbol? _delegatedConstructor;
private ImmutableArray<IParameterSymbol> _parameters;
private ImmutableDictionary<string, ISymbol>? _parameterToExistingMemberMap;
public ImmutableDictionary<string, string> ParameterToNewFieldMap { get; private set; }
public ImmutableDictionary<string, string> ParameterToNewPropertyMap { get; private set; }
public bool IsContainedInUnsafeType { get; private set; }
private State(TService service, SemanticDocument document, NamingRule fieldNamingRule, NamingRule propertyNamingRule, NamingRule parameterNamingRule)
{
_service = service;
_document = document;
_fieldNamingRule = fieldNamingRule;
_propertyNamingRule = propertyNamingRule;
_parameterNamingRule = parameterNamingRule;
ParameterToNewFieldMap = ImmutableDictionary<string, string>.Empty;
ParameterToNewPropertyMap = ImmutableDictionary<string, string>.Empty;
}
public static async Task<State?> GenerateAsync(
TService service,
SemanticDocument document,
SyntaxNode node,
CancellationToken cancellationToken)
{
var fieldNamingRule = await document.Document.GetApplicableNamingRuleAsync(SymbolKind.Field, Accessibility.Private, cancellationToken).ConfigureAwait(false);
var propertyNamingRule = await document.Document.GetApplicableNamingRuleAsync(SymbolKind.Property, Accessibility.Public, cancellationToken).ConfigureAwait(false);
var parameterNamingRule = await document.Document.GetApplicableNamingRuleAsync(SymbolKind.Parameter, Accessibility.NotApplicable, cancellationToken).ConfigureAwait(false);
var state = new State(service, document, fieldNamingRule, propertyNamingRule, parameterNamingRule);
if (!await state.TryInitializeAsync(node, cancellationToken).ConfigureAwait(false))
{
return null;
}
return state;
}
private async Task<bool> TryInitializeAsync(
SyntaxNode node, CancellationToken cancellationToken)
{
if (_service.IsConstructorInitializerGeneration(_document, node, cancellationToken))
{
if (!await TryInitializeConstructorInitializerGenerationAsync(node, cancellationToken).ConfigureAwait(false))
return false;
}
else if (_service.IsSimpleNameGeneration(_document, node, cancellationToken))
{
if (!await TryInitializeSimpleNameGenerationAsync(node, cancellationToken).ConfigureAwait(false))
return false;
}
else if (_service.IsImplicitObjectCreation(_document, node, cancellationToken))
{
if (!await TryInitializeImplicitObjectCreationAsync(node, cancellationToken).ConfigureAwait(false))
return false;
}
else
{
return false;
}
Contract.ThrowIfNull(TypeToGenerateIn);
if (!CodeGenerator.CanAdd(_document.Project.Solution, TypeToGenerateIn, cancellationToken))
return false;
ParameterTypes = ParameterTypes.IsDefault ? GetParameterTypes(cancellationToken) : ParameterTypes;
_parameterRefKinds = _arguments.SelectAsArray(a => a.RefKind);
if (ClashesWithExistingConstructor())
return false;
if (!TryInitializeDelegatedConstructor(cancellationToken))
InitializeNonDelegatedConstructor(cancellationToken);
IsContainedInUnsafeType = _service.ContainingTypesOrSelfHasUnsafeKeyword(TypeToGenerateIn);
return true;
}
private void InitializeNonDelegatedConstructor(CancellationToken cancellationToken)
{
var typeParametersNames = TypeToGenerateIn.GetAllTypeParameters().Select(t => t.Name).ToImmutableArray();
var parameterNames = GetParameterNames(_arguments, typeParametersNames, cancellationToken);
GetParameters(_arguments, ParameterTypes, parameterNames, cancellationToken);
}
private ImmutableArray<ParameterName> GetParameterNames(
ImmutableArray<Argument> arguments, ImmutableArray<string> typeParametersNames, CancellationToken cancellationToken)
{
return _service.GenerateParameterNames(_document, arguments, typeParametersNames, _parameterNamingRule, cancellationToken);
}
private bool TryInitializeDelegatedConstructor(CancellationToken cancellationToken)
{
var parameters = ParameterTypes.Zip(_parameterRefKinds,
(t, r) => CodeGenerationSymbolFactory.CreateParameterSymbol(r, t, name: "")).ToImmutableArray();
var expressions = _arguments.SelectAsArray(a => a.Expression);
var delegatedConstructor = FindConstructorToDelegateTo(parameters, expressions, cancellationToken);
if (delegatedConstructor == null)
return false;
// Map the first N parameters to the other constructor in this type. Then
// try to map any further parameters to existing fields. Finally, generate
// new fields if no such parameters exist.
// Find the names of the parameters that will follow the parameters we're
// delegating.
var argumentCount = delegatedConstructor.Parameters.Length;
var remainingArguments = _arguments.Skip(argumentCount).ToImmutableArray();
var remainingParameterNames = _service.GenerateParameterNames(
_document, remainingArguments,
delegatedConstructor.Parameters.Select(p => p.Name).ToList(),
_parameterNamingRule,
cancellationToken);
// Can't generate the constructor if the parameter names we're copying over forcibly
// conflict with any names we generated.
if (delegatedConstructor.Parameters.Select(p => p.Name).Intersect(remainingParameterNames.Select(n => n.BestNameForParameter)).Any())
return false;
var remainingParameterTypes = ParameterTypes.Skip(argumentCount).ToImmutableArray();
_delegatedConstructor = delegatedConstructor;
GetParameters(remainingArguments, remainingParameterTypes, remainingParameterNames, cancellationToken);
return true;
}
private IMethodSymbol? FindConstructorToDelegateTo(
ImmutableArray<IParameterSymbol> allParameters,
ImmutableArray<TExpressionSyntax?> allExpressions,
CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
Contract.ThrowIfNull(TypeToGenerateIn.BaseType);
for (var i = allParameters.Length; i > 0; i--)
{
var parameters = allParameters.TakeAsArray(i);
var expressions = allExpressions.TakeAsArray(i);
var result = FindConstructorToDelegateTo(parameters, expressions, TypeToGenerateIn.InstanceConstructors, cancellationToken) ??
FindConstructorToDelegateTo(parameters, expressions, TypeToGenerateIn.BaseType.InstanceConstructors, cancellationToken);
if (result != null)
return result;
}
return null;
}
private IMethodSymbol? FindConstructorToDelegateTo(
ImmutableArray<IParameterSymbol> parameters,
ImmutableArray<TExpressionSyntax?> expressions,
ImmutableArray<IMethodSymbol> constructors,
CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
foreach (var constructor in constructors)
{
// Don't bother delegating to an implicit constructor. We don't want to add `: base()` as that's just
// redundant for subclasses and `: this()` won't even work as we won't have an implicit constructor once
// we add this new constructor.
if (constructor.IsImplicitlyDeclared)
continue;
// Don't delegate to another constructor in this type if it's got the same parameter types as the
// one we're generating. This can happen if we're generating the new constructor because parameter
// names don't match (when a user explicitly provides named parameters).
if (TypeToGenerateIn.Equals(constructor.ContainingType) &&
constructor.Parameters.Select(p => p.Type).SequenceEqual(ParameterTypes))
{
continue;
}
if (GenerateConstructorHelpers.CanDelegateTo(_document, parameters, expressions, constructor) &&
!_service.WillCauseConstructorCycle(this, _document, constructor, cancellationToken))
{
return constructor;
}
}
return null;
}
private bool ClashesWithExistingConstructor()
{
Contract.ThrowIfNull(TypeToGenerateIn);
var destinationProvider = _document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var syntaxFacts = destinationProvider.GetRequiredService<ISyntaxFactsService>();
return TypeToGenerateIn.InstanceConstructors.Any(c => Matches(c, syntaxFacts));
}
private bool Matches(IMethodSymbol ctor, ISyntaxFactsService service)
{
if (ctor.Parameters.Length != ParameterTypes.Length)
return false;
for (var i = 0; i < ParameterTypes.Length; i++)
{
var ctorParameter = ctor.Parameters[i];
var result = SymbolEquivalenceComparer.Instance.Equals(ctorParameter.Type, ParameterTypes[i]) &&
ctorParameter.RefKind == _parameterRefKinds[i];
var parameterName = GetParameterName(i);
if (!string.IsNullOrEmpty(parameterName))
{
result &= service.IsCaseSensitive
? ctorParameter.Name == parameterName
: string.Equals(ctorParameter.Name, parameterName, StringComparison.OrdinalIgnoreCase);
}
if (result == false)
return false;
}
return true;
}
private string GetParameterName(int index)
=> _arguments.IsDefault || index >= _arguments.Length ? string.Empty : _arguments[index].Name;
internal ImmutableArray<ITypeSymbol> GetParameterTypes(CancellationToken cancellationToken)
{
var allTypeParameters = TypeToGenerateIn.GetAllTypeParameters();
var semanticModel = _document.SemanticModel;
var allTypes = _arguments.Select(a => _service.GetArgumentType(_document.SemanticModel, a, cancellationToken));
return allTypes.Select(t => FixType(t, semanticModel, allTypeParameters)).ToImmutableArray();
}
private static ITypeSymbol FixType(ITypeSymbol typeSymbol, SemanticModel semanticModel, IEnumerable<ITypeParameterSymbol> allTypeParameters)
{
var compilation = semanticModel.Compilation;
return typeSymbol.RemoveAnonymousTypes(compilation)
.RemoveUnavailableTypeParameters(compilation, allTypeParameters)
.RemoveUnnamedErrorTypes(compilation);
}
private async Task<bool> TryInitializeConstructorInitializerGenerationAsync(
SyntaxNode constructorInitializer, CancellationToken cancellationToken)
{
if (_service.TryInitializeConstructorInitializerGeneration(
_document, constructorInitializer, cancellationToken,
out var token, out var arguments, out var typeToGenerateIn))
{
Token = token;
_arguments = arguments;
IsConstructorInitializerGeneration = true;
var semanticInfo = _document.SemanticModel.GetSymbolInfo(constructorInitializer, cancellationToken);
if (semanticInfo.Symbol == null)
return await TryDetermineTypeToGenerateInAsync(typeToGenerateIn, cancellationToken).ConfigureAwait(false);
}
return false;
}
private async Task<bool> TryInitializeImplicitObjectCreationAsync(SyntaxNode implicitObjectCreation, CancellationToken cancellationToken)
{
if (_service.TryInitializeImplicitObjectCreation(
_document, implicitObjectCreation, cancellationToken,
out var token, out var arguments, out var typeToGenerateIn))
{
Token = token;
_arguments = arguments;
var semanticInfo = _document.SemanticModel.GetSymbolInfo(implicitObjectCreation, cancellationToken);
if (semanticInfo.Symbol == null)
return await TryDetermineTypeToGenerateInAsync(typeToGenerateIn, cancellationToken).ConfigureAwait(false);
}
return false;
}
private async Task<bool> TryInitializeSimpleNameGenerationAsync(
SyntaxNode simpleName,
CancellationToken cancellationToken)
{
if (_service.TryInitializeSimpleNameGenerationState(
_document, simpleName, cancellationToken,
out var token, out var arguments, out var typeToGenerateIn))
{
Token = token;
_arguments = arguments;
}
else if (_service.TryInitializeSimpleAttributeNameGenerationState(
_document, simpleName, cancellationToken, out token, out arguments, out typeToGenerateIn))
{
Token = token;
_arguments = arguments;
//// Attribute parameters are restricted to be constant values (simple types or string, etc).
if (GetParameterTypes(cancellationToken).Any(t => !IsValidAttributeParameterType(t)))
return false;
}
else
{
return false;
}
cancellationToken.ThrowIfCancellationRequested();
return await TryDetermineTypeToGenerateInAsync(typeToGenerateIn, cancellationToken).ConfigureAwait(false);
}
private static bool IsValidAttributeParameterType(ITypeSymbol type)
{
if (type.Kind == SymbolKind.ArrayType)
{
var arrayType = (IArrayTypeSymbol)type;
if (arrayType.Rank != 1)
{
return false;
}
type = arrayType.ElementType;
}
if (type.IsEnumType())
{
return true;
}
switch (type.SpecialType)
{
case SpecialType.System_Boolean:
case SpecialType.System_Byte:
case SpecialType.System_Char:
case SpecialType.System_Int16:
case SpecialType.System_Int32:
case SpecialType.System_Int64:
case SpecialType.System_Double:
case SpecialType.System_Single:
case SpecialType.System_String:
return true;
default:
return false;
}
}
private async Task<bool> TryDetermineTypeToGenerateInAsync(
INamedTypeSymbol original, CancellationToken cancellationToken)
{
var definition = await SymbolFinder.FindSourceDefinitionAsync(original, _document.Project.Solution, cancellationToken).ConfigureAwait(false);
TypeToGenerateIn = definition as INamedTypeSymbol;
return TypeToGenerateIn?.TypeKind is (TypeKind?)TypeKind.Class or (TypeKind?)TypeKind.Struct;
}
private void GetParameters(
ImmutableArray<Argument> arguments,
ImmutableArray<ITypeSymbol> parameterTypes,
ImmutableArray<ParameterName> parameterNames,
CancellationToken cancellationToken)
{
var parameterToExistingMemberMap = ImmutableDictionary.CreateBuilder<string, ISymbol>();
var parameterToNewFieldMap = ImmutableDictionary.CreateBuilder<string, string>();
var parameterToNewPropertyMap = ImmutableDictionary.CreateBuilder<string, string>();
using var _ = ArrayBuilder<IParameterSymbol>.GetInstance(out var parameters);
for (var i = 0; i < parameterNames.Length; i++)
{
var parameterName = parameterNames[i];
var parameterType = parameterTypes[i];
var argument = arguments[i];
// See if there's a matching field or property we can use, or create a new member otherwise.
FindExistingOrCreateNewMember(
ref parameterName, parameterType, argument,
parameterToExistingMemberMap, parameterToNewFieldMap, parameterToNewPropertyMap,
cancellationToken);
parameters.Add(CodeGenerationSymbolFactory.CreateParameterSymbol(
attributes: default,
refKind: argument.RefKind,
isParams: false,
type: parameterType,
name: parameterName.BestNameForParameter));
}
_parameters = parameters.ToImmutable();
_parameterToExistingMemberMap = parameterToExistingMemberMap.ToImmutable();
ParameterToNewFieldMap = parameterToNewFieldMap.ToImmutable();
ParameterToNewPropertyMap = parameterToNewPropertyMap.ToImmutable();
}
private void FindExistingOrCreateNewMember(
ref ParameterName parameterName,
ITypeSymbol parameterType,
Argument argument,
ImmutableDictionary<string, ISymbol>.Builder parameterToExistingMemberMap,
ImmutableDictionary<string, string>.Builder parameterToNewFieldMap,
ImmutableDictionary<string, string>.Builder parameterToNewPropertyMap,
CancellationToken cancellationToken)
{
var expectedFieldName = _fieldNamingRule.NamingStyle.MakeCompliant(parameterName.NameBasedOnArgument).First();
var expectedPropertyName = _propertyNamingRule.NamingStyle.MakeCompliant(parameterName.NameBasedOnArgument).First();
var isFixed = argument.IsNamed;
// For non-out parameters, see if there's already a field there with the same name.
// If so, and it has a compatible type, then we can just assign to that field.
// Otherwise, we'll need to choose a different name for this member so that it
// doesn't conflict with something already in the type. First check the current type
// for a matching field. If so, defer to it.
var unavailableMemberNames = GetUnavailableMemberNames().ToImmutableArray();
var members = from t in TypeToGenerateIn.GetBaseTypesAndThis()
let ignoreAccessibility = t.Equals(TypeToGenerateIn)
from m in t.GetMembers()
where m.Name.Equals(expectedFieldName, StringComparison.OrdinalIgnoreCase)
where ignoreAccessibility || IsSymbolAccessible(m, _document)
select m;
var membersArray = members.ToImmutableArray();
var symbol = membersArray.FirstOrDefault(m => m.Name.Equals(expectedFieldName, StringComparison.Ordinal)) ?? membersArray.FirstOrDefault();
if (symbol != null)
{
if (IsViableFieldOrProperty(parameterType, symbol))
{
// Ok! We can just the existing field.
parameterToExistingMemberMap[parameterName.BestNameForParameter] = symbol;
}
else
{
// Uh-oh. Now we have a problem. We can't assign this parameter to
// this field. So we need to create a new field. Find a name not in
// use so we can assign to that.
var baseName = _service.GenerateNameForArgument(_document.SemanticModel, argument, cancellationToken);
var baseFieldWithNamingStyle = _fieldNamingRule.NamingStyle.MakeCompliant(baseName).First();
var basePropertyWithNamingStyle = _propertyNamingRule.NamingStyle.MakeCompliant(baseName).First();
var newFieldName = NameGenerator.EnsureUniqueness(baseFieldWithNamingStyle, unavailableMemberNames.Concat(parameterToNewFieldMap.Values));
var newPropertyName = NameGenerator.EnsureUniqueness(basePropertyWithNamingStyle, unavailableMemberNames.Concat(parameterToNewPropertyMap.Values));
if (isFixed)
{
// Can't change the parameter name, so map the existing parameter
// name to the new field name.
parameterToNewFieldMap[parameterName.NameBasedOnArgument] = newFieldName;
parameterToNewPropertyMap[parameterName.NameBasedOnArgument] = newPropertyName;
}
else
{
// Can change the parameter name, so do so.
// But first remove any prefix added due to field naming styles
var fieldNameMinusPrefix = newFieldName[_fieldNamingRule.NamingStyle.Prefix.Length..];
var newParameterName = new ParameterName(fieldNameMinusPrefix, isFixed: false, _parameterNamingRule);
parameterName = newParameterName;
parameterToNewFieldMap[newParameterName.BestNameForParameter] = newFieldName;
parameterToNewPropertyMap[newParameterName.BestNameForParameter] = newPropertyName;
}
}
return;
}
// If no matching field was found, use the fieldNamingRule to create suitable name
var bestNameForParameter = parameterName.BestNameForParameter;
var nameBasedOnArgument = parameterName.NameBasedOnArgument;
parameterToNewFieldMap[bestNameForParameter] = _fieldNamingRule.NamingStyle.MakeCompliant(nameBasedOnArgument).First();
parameterToNewPropertyMap[bestNameForParameter] = _propertyNamingRule.NamingStyle.MakeCompliant(nameBasedOnArgument).First();
}
private IEnumerable<string> GetUnavailableMemberNames()
{
Contract.ThrowIfNull(TypeToGenerateIn);
return TypeToGenerateIn.MemberNames.Concat(
from type in TypeToGenerateIn.GetBaseTypes()
from member in type.GetMembers()
select member.Name);
}
private bool IsViableFieldOrProperty(
ITypeSymbol parameterType,
ISymbol symbol)
{
if (parameterType.Language != symbol.Language)
return false;
if (symbol != null && !symbol.IsStatic)
{
if (symbol is IFieldSymbol field)
{
return
!field.IsConst &&
_service.IsConversionImplicit(_document.SemanticModel.Compilation, parameterType, field.Type);
}
else if (symbol is IPropertySymbol property)
{
return
property.Parameters.Length == 0 &&
property.IsWritableInConstructor() &&
_service.IsConversionImplicit(_document.SemanticModel.Compilation, parameterType, property.Type);
}
}
return false;
}
public async Task<Document> GetChangedDocumentAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
// See if there's an accessible base constructor that would accept these
// types, then just call into that instead of generating fields.
//
// then, see if there are any constructors that would take the first 'n' arguments
// we've provided. If so, delegate to those, and then create a field for any
// remaining arguments. Try to match from largest to smallest.
//
// Otherwise, just generate a normal constructor that assigns any provided
// parameters into fields.
return await GenerateThisOrBaseDelegatingConstructorAsync(document, withFields, withProperties, cancellationToken).ConfigureAwait(false) ??
await GenerateMemberDelegatingConstructorAsync(document, withFields, withProperties, cancellationToken).ConfigureAwait(false);
}
private async Task<Document?> GenerateThisOrBaseDelegatingConstructorAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
if (_delegatedConstructor == null)
return null;
Contract.ThrowIfNull(TypeToGenerateIn);
var provider = document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var (members, assignments) = await GenerateMembersAndAssignmentsAsync(document, withFields, withProperties, cancellationToken).ConfigureAwait(false);
var isThis = _delegatedConstructor.ContainingType.OriginalDefinition.Equals(TypeToGenerateIn.OriginalDefinition);
var delegatingArguments = provider.GetService<SyntaxGenerator>().CreateArguments(_delegatedConstructor.Parameters);
var newParameters = _delegatedConstructor.Parameters.Concat(_parameters);
var generateUnsafe = !IsContainedInUnsafeType && newParameters.Any(p => p.RequiresUnsafeModifier());
var constructor = CodeGenerationSymbolFactory.CreateConstructorSymbol(
attributes: default,
accessibility: Accessibility.Public,
modifiers: new DeclarationModifiers(isUnsafe: generateUnsafe),
typeName: TypeToGenerateIn.Name,
parameters: newParameters,
statements: assignments,
baseConstructorArguments: isThis ? default : delegatingArguments,
thisConstructorArguments: isThis ? delegatingArguments : default);
return await provider.GetRequiredService<ICodeGenerationService>().AddMembersAsync(
document.Project.Solution,
TypeToGenerateIn,
members.Concat(constructor),
new CodeGenerationOptions(
Token.GetLocation(),
options: await document.GetOptionsAsync(cancellationToken).ConfigureAwait(false)),
cancellationToken).ConfigureAwait(false);
}
private async Task<(ImmutableArray<ISymbol>, ImmutableArray<SyntaxNode>)> GenerateMembersAndAssignmentsAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
var provider = document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var members = withFields ? SyntaxGeneratorExtensions.CreateFieldsForParameters(_parameters, ParameterToNewFieldMap, IsContainedInUnsafeType) :
withProperties ? SyntaxGeneratorExtensions.CreatePropertiesForParameters(_parameters, ParameterToNewPropertyMap, IsContainedInUnsafeType) :
ImmutableArray<ISymbol>.Empty;
var semanticModel = await document.GetRequiredSemanticModelAsync(cancellationToken).ConfigureAwait(false);
var assignments = !withFields && !withProperties
? ImmutableArray<SyntaxNode>.Empty
: provider.GetService<SyntaxGenerator>().CreateAssignmentStatements(
semanticModel, _parameters,
_parameterToExistingMemberMap,
withFields ? ParameterToNewFieldMap : ParameterToNewPropertyMap,
addNullChecks: false, preferThrowExpression: false);
return (members, assignments);
}
private async Task<Document> GenerateMemberDelegatingConstructorAsync(
Document document, bool withFields, bool withProperties, CancellationToken cancellationToken)
{
Contract.ThrowIfNull(TypeToGenerateIn);
var provider = document.Project.Solution.Workspace.Services.GetLanguageServices(TypeToGenerateIn.Language);
var semanticModel = await document.GetSemanticModelAsync(cancellationToken).ConfigureAwait(false);
var newMemberMap =
withFields ? ParameterToNewFieldMap :
withProperties ? ParameterToNewPropertyMap :
ImmutableDictionary<string, string>.Empty;
return await provider.GetRequiredService<ICodeGenerationService>().AddMembersAsync(
document.Project.Solution,
TypeToGenerateIn,
provider.GetService<SyntaxGenerator>().CreateMemberDelegatingConstructor(
semanticModel,
TypeToGenerateIn.Name,
TypeToGenerateIn,
_parameters,
_parameterToExistingMemberMap,
newMemberMap,
addNullChecks: false,
preferThrowExpression: false,
generateProperties: withProperties,
IsContainedInUnsafeType),
new CodeGenerationOptions(
Token.GetLocation(),
options: await document.GetOptionsAsync(cancellationToken).ConfigureAwait(false)),
cancellationToken).ConfigureAwait(false);
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/VisualBasicTest/ChangeSignature/ChangeSignature_Formatting.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.Editor.UnitTests.ChangeSignature
Imports Microsoft.CodeAnalysis.Editor.UnitTests.Extensions
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.UnitTests.ChangeSignature
Partial Public Class ChangeSignatureTests
Inherits AbstractChangeSignatureTests
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_KeepCountsPerLine() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$Method(a As Integer, b As Integer, c As Integer,
d As Integer, e As Integer,
f As Integer)
Method(1,
2, 3,
4, 5, 6)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {5, 4, 3, 2, 1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub Method(f As Integer, e As Integer, d As Integer,
c As Integer, b As Integer,
a As Integer)
Method(6,
5, 4,
3, 2, 1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_SubMethods() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$Method(x As Integer,
y As Integer)
Method(1,
2)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub Method(y As Integer,
x As Integer)
Method(2,
1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_FunctionMethods() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$Method(x As Integer,
y As Integer)
Method(1,
2)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub Method(y As Integer,
x As Integer)
Method(2,
1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Events() As Task
Dim markup = <Text><![CDATA[
Class C
Public Event $$MyEvent(a As Integer,
b As Integer)
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Public Event MyEvent(b As Integer,
a As Integer)
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_CustomEvents() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Sub $$MyDelegate(a As Integer,
b As Integer)
Custom Event MyEvent As MyDelegate
AddHandler(value As MyDelegate)
End AddHandler
RemoveHandler(value As MyDelegate)
End RemoveHandler
RaiseEvent(a As Integer,
b As Integer)
End RaiseEvent
End Event
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Sub MyDelegate(b As Integer,
a As Integer)
Custom Event MyEvent As MyDelegate
AddHandler(value As MyDelegate)
End AddHandler
RemoveHandler(value As MyDelegate)
End RemoveHandler
RaiseEvent(b As Integer,
a As Integer)
End RaiseEvent
End Event
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Constructors() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$New(a As Integer,
b As Integer)
End Sub
Sub M()
Dim x = New C(1,
2)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub New(b As Integer,
a As Integer)
End Sub
Sub M()
Dim x = New C(2,
1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Properties() As Task
Dim markup = <Text><![CDATA[
Class C
Public Property $$NewProperty(x As Integer,
y As Integer) As Integer
Get
Return 1
End Get
Set(value As Integer)
End Set
End Property
Sub M()
Dim x = NewProperty(1,
2)
NewProperty(1,
2) = x
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Public Property NewProperty(y As Integer,
x As Integer) As Integer
Get
Return 1
End Get
Set(value As Integer)
End Set
End Property
Sub M()
Dim x = NewProperty(2,
1)
NewProperty(2,
1) = x
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Attribute() As Task
Dim markup = <Text><![CDATA[
<Custom(1,
2)>
Class CustomAttribute
Inherits Attribute
Sub $$New(x As Integer, y As Integer)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
<Custom(2,
1)>
Class CustomAttribute
Inherits Attribute
Sub New(y As Integer, x As Integer)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_DelegateFunction() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Function $$MyDelegate(x As Integer,
y As Integer)
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Function MyDelegate(y As Integer,
x As Integer)
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_MultilineSubLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Sub $$MyDelegate(a As Integer, b As Integer)
Sub M(del As MyDelegate)
M(Sub(a As Integer,
b As Integer)
End Sub)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Sub MyDelegate(b As Integer, a As Integer)
Sub M(del As MyDelegate)
M(Sub(b As Integer,
a As Integer)
End Sub)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_MultilineFunctionLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Function $$MyDelegate(a As Integer, b As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(a As Integer,
b As Integer)
Return 1
End Function)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Function MyDelegate(b As Integer, a As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(b As Integer,
a As Integer)
Return 1
End Function)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_SingleLineSubLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Sub $$MyDelegate(a As Integer, b As Integer)
Sub M(del As MyDelegate)
M(Sub(a As Integer,
b As Integer) System.Console.WriteLine("Test"))
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Sub MyDelegate(b As Integer, a As Integer)
Sub M(del As MyDelegate)
M(Sub(b As Integer,
a As Integer) System.Console.WriteLine("Test"))
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_SingleLineFunctionLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Function $$MyDelegate(a As Integer, b As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(a As Integer,
b As Integer) 1)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Function MyDelegate(b As Integer, a As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(b As Integer,
a As Integer) 1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
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.Editor.UnitTests.ChangeSignature
Imports Microsoft.CodeAnalysis.Editor.UnitTests.Extensions
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.UnitTests.ChangeSignature
Partial Public Class ChangeSignatureTests
Inherits AbstractChangeSignatureTests
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_KeepCountsPerLine() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$Method(a As Integer, b As Integer, c As Integer,
d As Integer, e As Integer,
f As Integer)
Method(1,
2, 3,
4, 5, 6)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {5, 4, 3, 2, 1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub Method(f As Integer, e As Integer, d As Integer,
c As Integer, b As Integer,
a As Integer)
Method(6,
5, 4,
3, 2, 1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_SubMethods() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$Method(x As Integer,
y As Integer)
Method(1,
2)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub Method(y As Integer,
x As Integer)
Method(2,
1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_FunctionMethods() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$Method(x As Integer,
y As Integer)
Method(1,
2)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub Method(y As Integer,
x As Integer)
Method(2,
1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Events() As Task
Dim markup = <Text><![CDATA[
Class C
Public Event $$MyEvent(a As Integer,
b As Integer)
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Public Event MyEvent(b As Integer,
a As Integer)
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_CustomEvents() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Sub $$MyDelegate(a As Integer,
b As Integer)
Custom Event MyEvent As MyDelegate
AddHandler(value As MyDelegate)
End AddHandler
RemoveHandler(value As MyDelegate)
End RemoveHandler
RaiseEvent(a As Integer,
b As Integer)
End RaiseEvent
End Event
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Sub MyDelegate(b As Integer,
a As Integer)
Custom Event MyEvent As MyDelegate
AddHandler(value As MyDelegate)
End AddHandler
RemoveHandler(value As MyDelegate)
End RemoveHandler
RaiseEvent(b As Integer,
a As Integer)
End RaiseEvent
End Event
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Constructors() As Task
Dim markup = <Text><![CDATA[
Class C
Sub $$New(a As Integer,
b As Integer)
End Sub
Sub M()
Dim x = New C(1,
2)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Sub New(b As Integer,
a As Integer)
End Sub
Sub M()
Dim x = New C(2,
1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Properties() As Task
Dim markup = <Text><![CDATA[
Class C
Public Property $$NewProperty(x As Integer,
y As Integer) As Integer
Get
Return 1
End Get
Set(value As Integer)
End Set
End Property
Sub M()
Dim x = NewProperty(1,
2)
NewProperty(1,
2) = x
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Public Property NewProperty(y As Integer,
x As Integer) As Integer
Get
Return 1
End Get
Set(value As Integer)
End Set
End Property
Sub M()
Dim x = NewProperty(2,
1)
NewProperty(2,
1) = x
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_Attribute() As Task
Dim markup = <Text><![CDATA[
<Custom(1,
2)>
Class CustomAttribute
Inherits Attribute
Sub $$New(x As Integer, y As Integer)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
<Custom(2,
1)>
Class CustomAttribute
Inherits Attribute
Sub New(y As Integer, x As Integer)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_DelegateFunction() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Function $$MyDelegate(x As Integer,
y As Integer)
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Function MyDelegate(y As Integer,
x As Integer)
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_MultilineSubLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Sub $$MyDelegate(a As Integer, b As Integer)
Sub M(del As MyDelegate)
M(Sub(a As Integer,
b As Integer)
End Sub)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Sub MyDelegate(b As Integer, a As Integer)
Sub M(del As MyDelegate)
M(Sub(b As Integer,
a As Integer)
End Sub)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_MultilineFunctionLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Function $$MyDelegate(a As Integer, b As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(a As Integer,
b As Integer)
Return 1
End Function)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Function MyDelegate(b As Integer, a As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(b As Integer,
a As Integer)
Return 1
End Function)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_SingleLineSubLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Sub $$MyDelegate(a As Integer, b As Integer)
Sub M(del As MyDelegate)
M(Sub(a As Integer,
b As Integer) System.Console.WriteLine("Test"))
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Sub MyDelegate(b As Integer, a As Integer)
Sub M(del As MyDelegate)
M(Sub(b As Integer,
a As Integer) System.Console.WriteLine("Test"))
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.ChangeSignature)>
Public Async Function TestChangeSignature_Formatting_SingleLineFunctionLambda() As Task
Dim markup = <Text><![CDATA[
Class C
Delegate Function $$MyDelegate(a As Integer, b As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(a As Integer,
b As Integer) 1)
End Sub
End Class
]]></Text>.NormalizedValue()
Dim updatedSignature = {1, 0}
Dim expectedUpdatedCode = <Text><![CDATA[
Class C
Delegate Function MyDelegate(b As Integer, a As Integer) As Integer
Sub M(del As MyDelegate)
M(Function(b As Integer,
a As Integer) 1)
End Sub
End Class
]]></Text>.NormalizedValue()
Await TestChangeSignatureViaCommandAsync(LanguageNames.VisualBasic, markup, updatedSignature:=updatedSignature, expectedUpdatedInvocationDocumentCode:=expectedUpdatedCode)
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Lowering/LocalRewriter/LocalRewriter_StringInterpolation.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 Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.PooledObjects;
using System.Diagnostics;
using System.Linq;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp
{
internal sealed partial class LocalRewriter
{
private BoundExpression RewriteInterpolatedStringConversion(BoundConversion conversion)
{
Debug.Assert(conversion.ConversionKind == ConversionKind.InterpolatedString);
BoundExpression format;
ArrayBuilder<BoundExpression> expressions;
MakeInterpolatedStringFormat((BoundInterpolatedString)conversion.Operand, out format, out expressions);
expressions.Insert(0, format);
var stringFactory = _factory.WellKnownType(WellKnownType.System_Runtime_CompilerServices_FormattableStringFactory);
// The normal pattern for lowering is to lower subtrees before the enclosing tree. However we cannot lower
// the arguments first in this situation because we do not know what conversions will be
// produced for the arguments until after we've done overload resolution. So we produce the invocation
// and then lower it along with its arguments.
var result = _factory.StaticCall(stringFactory, "Create", expressions.ToImmutableAndFree(),
allowUnexpandedForm: false // if an interpolation expression is the null literal, it should not match a params parameter.
);
if (!result.HasAnyErrors)
{
result = VisitExpression(result); // lower the arguments AND handle expanded form, argument conversions, etc.
result = MakeImplicitConversion(result, conversion.Type);
}
return result;
}
/// <summary>
/// Rewrites the given interpolated string to the set of handler creation and Append calls, returning an array builder of the append calls and the result
/// local temp.
/// </summary>
/// <remarks>Caller is responsible for freeing the ArrayBuilder</remarks>
private (ArrayBuilder<BoundExpression> HandlerPatternExpressions, BoundLocal Result) RewriteToInterpolatedStringHandlerPattern(BoundInterpolatedString node)
{
Debug.Assert(node.InterpolationData is { Construction: not null });
Debug.Assert(node.Parts.All(static p => p is BoundCall or BoundDynamicInvocation or BoundDynamicMemberAccess or BoundDynamicIndexerAccess));
var data = node.InterpolationData.Value;
var builderTempSymbol = _factory.InterpolatedStringHandlerLocal(data.BuilderType, data.ScopeOfContainingExpression, node.Syntax);
BoundLocal builderTemp = _factory.Local(builderTempSymbol);
// var handler = new HandlerType(baseStringLength, numFormatHoles, ...InterpolatedStringHandlerArgumentAttribute parameters, <optional> out bool appendShouldProceed);
var construction = (BoundObjectCreationExpression)data.Construction;
BoundLocal? appendShouldProceedLocal = null;
if (data.HasTrailingHandlerValidityParameter)
{
Debug.Assert(construction.ArgumentRefKindsOpt[^1] == RefKind.Out);
BoundInterpolatedStringArgumentPlaceholder trailingParameter = data.ArgumentPlaceholders[^1];
TypeSymbol localType = trailingParameter.Type;
Debug.Assert(localType.SpecialType == SpecialType.System_Boolean);
var outLocal = _factory.SynthesizedLocal(localType);
appendShouldProceedLocal = _factory.Local(outLocal);
AddPlaceholderReplacement(trailingParameter, appendShouldProceedLocal);
}
var handlerConstructionAssignment = _factory.AssignmentExpression(builderTemp, (BoundExpression)VisitObjectCreationExpression(construction));
AddPlaceholderReplacement(data.ReceiverPlaceholder, builderTemp);
bool usesBoolReturns = data.UsesBoolReturns;
var resultExpressions = ArrayBuilder<BoundExpression>.GetInstance(node.Parts.Length + 1);
foreach (var part in node.Parts)
{
if (part is BoundCall call)
{
Debug.Assert(call.Type.SpecialType == SpecialType.System_Boolean == usesBoolReturns);
resultExpressions.Add((BoundExpression)VisitCall(call));
}
else if (part is BoundDynamicInvocation dynamicInvocation)
{
resultExpressions.Add(VisitDynamicInvocation(dynamicInvocation, resultDiscarded: !usesBoolReturns));
}
else
{
throw ExceptionUtilities.UnexpectedValue(part.Kind);
}
}
RemovePlaceholderReplacement(data.ReceiverPlaceholder);
if (appendShouldProceedLocal is not null)
{
RemovePlaceholderReplacement(data.ArgumentPlaceholders[^1]);
}
if (usesBoolReturns)
{
// We assume non-bool returns if there was no parts to the string, and code below is predicated on that.
Debug.Assert(!node.Parts.IsEmpty);
// Start the sequence with appendProceedLocal, if appropriate
BoundExpression? currentExpression = appendShouldProceedLocal;
var boolType = _compilation.GetSpecialType(SpecialType.System_Boolean);
foreach (var appendCall in resultExpressions)
{
var actualCall = appendCall;
if (actualCall.Type!.IsDynamic())
{
actualCall = _dynamicFactory.MakeDynamicConversion(actualCall, isExplicit: false, isArrayIndex: false, isChecked: false, boolType).ToExpression();
}
// previousAppendCalls && appendCall
currentExpression = currentExpression is null
? actualCall
: _factory.LogicalAnd(currentExpression, actualCall);
}
resultExpressions.Clear();
Debug.Assert(currentExpression != null);
var sequence = _factory.Sequence(
appendShouldProceedLocal is not null
? ImmutableArray.Create(appendShouldProceedLocal.LocalSymbol)
: ImmutableArray<LocalSymbol>.Empty,
ImmutableArray.Create<BoundExpression>(handlerConstructionAssignment),
currentExpression);
resultExpressions.Add(sequence);
}
else if (appendShouldProceedLocal is not null && resultExpressions.Count > 0)
{
// appendCalls Sequence ending in true
var appendCallsSequence = _factory.Sequence(ImmutableArray<LocalSymbol>.Empty, resultExpressions.ToImmutableAndClear(), _factory.Literal(value: true));
resultExpressions.Add(handlerConstructionAssignment);
// appendShouldProceedLocal && sequence
var appendAnd = _factory.LogicalAnd(appendShouldProceedLocal, appendCallsSequence);
var result = _factory.Sequence(ImmutableArray.Create(appendShouldProceedLocal.LocalSymbol), resultExpressions.ToImmutableAndClear(), appendAnd);
resultExpressions.Add(result);
}
else if (appendShouldProceedLocal is not null)
{
// Odd case of no append calls, but with an out param. We don't need to generate any jumps checking the local because there's
// nothing to short circuit and avoid, but we do need a sequence to hold the lifetime of the local
resultExpressions.Add(_factory.Sequence(ImmutableArray.Create(appendShouldProceedLocal.LocalSymbol), ImmutableArray<BoundExpression>.Empty, handlerConstructionAssignment));
}
else
{
resultExpressions.Insert(0, handlerConstructionAssignment);
}
return (resultExpressions, builderTemp);
}
private bool CanLowerToStringConcatenation(BoundInterpolatedString node)
{
foreach (var part in node.Parts)
{
if (part is BoundStringInsert fillin)
{
// this is one of the expression holes
if (_inExpressionLambda ||
fillin.HasErrors ||
fillin.Value.Type?.SpecialType != SpecialType.System_String ||
fillin.Alignment != null ||
fillin.Format != null)
{
return false;
}
}
}
return true;
}
private void MakeInterpolatedStringFormat(BoundInterpolatedString node, out BoundExpression format, out ArrayBuilder<BoundExpression> expressions)
{
_factory.Syntax = node.Syntax;
int n = node.Parts.Length - 1;
var formatString = PooledStringBuilder.GetInstance();
var stringBuilder = formatString.Builder;
expressions = ArrayBuilder<BoundExpression>.GetInstance(n + 1);
int nextFormatPosition = 0;
for (int i = 0; i <= n; i++)
{
var part = node.Parts[i];
var fillin = part as BoundStringInsert;
if (fillin == null)
{
Debug.Assert(part is BoundLiteral && part.ConstantValue != null);
// this is one of the literal parts
stringBuilder.Append(part.ConstantValue.StringValue);
}
else
{
// this is one of the expression holes
stringBuilder.Append('{').Append(nextFormatPosition++);
if (fillin.Alignment != null && !fillin.Alignment.HasErrors)
{
Debug.Assert(fillin.Alignment.ConstantValue is { });
stringBuilder.Append(',').Append(fillin.Alignment.ConstantValue.Int64Value);
}
if (fillin.Format != null && !fillin.Format.HasErrors)
{
Debug.Assert(fillin.Format.ConstantValue is { });
stringBuilder.Append(':').Append(fillin.Format.ConstantValue.StringValue);
}
stringBuilder.Append('}');
var value = fillin.Value;
if (value.Type?.TypeKind == TypeKind.Dynamic)
{
value = MakeConversionNode(value, _compilation.ObjectType, @checked: false);
}
expressions.Add(value); // NOTE: must still be lowered
}
}
format = _factory.StringLiteral(formatString.ToStringAndFree());
}
public override BoundNode VisitInterpolatedString(BoundInterpolatedString node)
{
Debug.Assert(node.Type is { SpecialType: SpecialType.System_String }); // if target-converted, we should not get here.
BoundExpression? result;
if (node.InterpolationData is not null)
{
// If we can lower to the builder pattern, do so.
(ArrayBuilder<BoundExpression> handlerPatternExpressions, BoundLocal handlerTemp) = RewriteToInterpolatedStringHandlerPattern(node);
// resultTemp = builderTemp.ToStringAndClear();
var toStringAndClear = (MethodSymbol)Binder.GetWellKnownTypeMember(_compilation, WellKnownMember.System_Runtime_CompilerServices_DefaultInterpolatedStringHandler__ToStringAndClear, _diagnostics, syntax: node.Syntax);
BoundExpression toStringAndClearCall = toStringAndClear is not null
? BoundCall.Synthesized(node.Syntax, handlerTemp, toStringAndClear)
: new BoundBadExpression(node.Syntax, LookupResultKind.Empty, symbols: ImmutableArray<Symbol?>.Empty, childBoundNodes: ImmutableArray<BoundExpression>.Empty, node.Type);
return _factory.Sequence(ImmutableArray.Create(handlerTemp.LocalSymbol), handlerPatternExpressions.ToImmutableAndFree(), toStringAndClearCall);
}
else if (CanLowerToStringConcatenation(node))
{
// All fill-ins, if any, are strings, and none of them have alignment or format specifiers.
// We can lower to a more efficient string concatenation
// The normal pattern for lowering is to lower subtrees before the enclosing tree. However in this case
// we want to lower the entire concatenation so we get the optimizations done by that lowering (e.g. constant folding).
int length = node.Parts.Length;
if (length == 0)
{
// $"" -> ""
return _factory.StringLiteral("");
}
result = null;
for (int i = 0; i < length; i++)
{
var part = node.Parts[i];
if (part is BoundStringInsert fillin)
{
// this is one of the filled-in expressions
part = fillin.Value;
}
else
{
// this is one of the literal parts
Debug.Assert(part is BoundLiteral && part.ConstantValue is { StringValue: { } });
part = _factory.StringLiteral(ConstantValueUtils.UnescapeInterpolatedStringLiteral(part.ConstantValue.StringValue));
}
result = result == null ?
part :
_factory.Binary(BinaryOperatorKind.StringConcatenation, node.Type, result, part);
}
// We need to ensure that the result of the interpolated string is not null. If the single part has a non-null constant value
// or is itself an interpolated string (which by proxy cannot be null), then there's nothing else that needs to be done. Otherwise,
// we need to test for null and ensure "" if it is.
if (length == 1 && result is not ({ Kind: BoundKind.InterpolatedString } or { ConstantValue: { IsString: true } }))
{
result = _factory.Coalesce(result!, _factory.StringLiteral(""));
}
}
else
{
//
// We lower an interpolated string into an invocation of String.Format. For example, we translate the expression
//
// $"Jenny don\'t change your number { 8675309 }"
//
// into
//
// String.Format("Jenny don\'t change your number {0}", new object[] { 8675309 })
//
MakeInterpolatedStringFormat(node, out BoundExpression format, out ArrayBuilder<BoundExpression> expressions);
// The normal pattern for lowering is to lower subtrees before the enclosing tree. However we cannot lower
// the arguments first in this situation because we do not know what conversions will be
// produced for the arguments until after we've done overload resolution. So we produce the invocation
// and then lower it along with its arguments.
expressions.Insert(0, format);
var stringType = node.Type;
result = _factory.StaticCall(stringType, "Format", expressions.ToImmutableAndFree(),
allowUnexpandedForm: false // if an interpolation expression is the null literal, it should not match a params parameter.
);
}
Debug.Assert(result is { });
if (!result.HasAnyErrors)
{
result = VisitExpression(result); // lower the arguments AND handle expanded form, argument conversions, etc.
result = MakeImplicitConversion(result, node.Type);
}
return result;
}
[Conditional("DEBUG")]
private static void AssertNoImplicitInterpolatedStringHandlerConversions(ImmutableArray<BoundExpression> arguments, bool allowConversionsWithNoContext = false)
{
if (allowConversionsWithNoContext)
{
foreach (var arg in arguments)
{
if (arg is BoundConversion { Conversion: { Kind: ConversionKind.InterpolatedStringHandler }, ExplicitCastInCode: false, Operand: BoundInterpolatedString @string })
{
Debug.Assert(((BoundObjectCreationExpression)@string.InterpolationData!.Value.Construction).Arguments.All(
a => a is BoundInterpolatedStringArgumentPlaceholder { ArgumentIndex: BoundInterpolatedStringArgumentPlaceholder.TrailingConstructorValidityParameter }
or not BoundInterpolatedStringArgumentPlaceholder));
}
}
}
else
{
Debug.Assert(arguments.All(arg => arg is not BoundConversion { Conversion: { IsInterpolatedStringHandler: true }, ExplicitCastInCode: 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.
using System.Collections.Immutable;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.PooledObjects;
using System.Diagnostics;
using System.Linq;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp
{
internal sealed partial class LocalRewriter
{
private BoundExpression RewriteInterpolatedStringConversion(BoundConversion conversion)
{
Debug.Assert(conversion.ConversionKind == ConversionKind.InterpolatedString);
BoundExpression format;
ArrayBuilder<BoundExpression> expressions;
MakeInterpolatedStringFormat((BoundInterpolatedString)conversion.Operand, out format, out expressions);
expressions.Insert(0, format);
var stringFactory = _factory.WellKnownType(WellKnownType.System_Runtime_CompilerServices_FormattableStringFactory);
// The normal pattern for lowering is to lower subtrees before the enclosing tree. However we cannot lower
// the arguments first in this situation because we do not know what conversions will be
// produced for the arguments until after we've done overload resolution. So we produce the invocation
// and then lower it along with its arguments.
var result = _factory.StaticCall(stringFactory, "Create", expressions.ToImmutableAndFree(),
allowUnexpandedForm: false // if an interpolation expression is the null literal, it should not match a params parameter.
);
if (!result.HasAnyErrors)
{
result = VisitExpression(result); // lower the arguments AND handle expanded form, argument conversions, etc.
result = MakeImplicitConversion(result, conversion.Type);
}
return result;
}
/// <summary>
/// Rewrites the given interpolated string to the set of handler creation and Append calls, returning an array builder of the append calls and the result
/// local temp.
/// </summary>
/// <remarks>Caller is responsible for freeing the ArrayBuilder</remarks>
private (ArrayBuilder<BoundExpression> HandlerPatternExpressions, BoundLocal Result) RewriteToInterpolatedStringHandlerPattern(BoundInterpolatedString node)
{
Debug.Assert(node.InterpolationData is { Construction: not null });
Debug.Assert(node.Parts.All(static p => p is BoundCall or BoundDynamicInvocation or BoundDynamicMemberAccess or BoundDynamicIndexerAccess));
var data = node.InterpolationData.Value;
var builderTempSymbol = _factory.InterpolatedStringHandlerLocal(data.BuilderType, data.ScopeOfContainingExpression, node.Syntax);
BoundLocal builderTemp = _factory.Local(builderTempSymbol);
// var handler = new HandlerType(baseStringLength, numFormatHoles, ...InterpolatedStringHandlerArgumentAttribute parameters, <optional> out bool appendShouldProceed);
var construction = (BoundObjectCreationExpression)data.Construction;
BoundLocal? appendShouldProceedLocal = null;
if (data.HasTrailingHandlerValidityParameter)
{
Debug.Assert(construction.ArgumentRefKindsOpt[^1] == RefKind.Out);
BoundInterpolatedStringArgumentPlaceholder trailingParameter = data.ArgumentPlaceholders[^1];
TypeSymbol localType = trailingParameter.Type;
Debug.Assert(localType.SpecialType == SpecialType.System_Boolean);
var outLocal = _factory.SynthesizedLocal(localType);
appendShouldProceedLocal = _factory.Local(outLocal);
AddPlaceholderReplacement(trailingParameter, appendShouldProceedLocal);
}
var handlerConstructionAssignment = _factory.AssignmentExpression(builderTemp, (BoundExpression)VisitObjectCreationExpression(construction));
AddPlaceholderReplacement(data.ReceiverPlaceholder, builderTemp);
bool usesBoolReturns = data.UsesBoolReturns;
var resultExpressions = ArrayBuilder<BoundExpression>.GetInstance(node.Parts.Length + 1);
foreach (var part in node.Parts)
{
if (part is BoundCall call)
{
Debug.Assert(call.Type.SpecialType == SpecialType.System_Boolean == usesBoolReturns);
resultExpressions.Add((BoundExpression)VisitCall(call));
}
else if (part is BoundDynamicInvocation dynamicInvocation)
{
resultExpressions.Add(VisitDynamicInvocation(dynamicInvocation, resultDiscarded: !usesBoolReturns));
}
else
{
throw ExceptionUtilities.UnexpectedValue(part.Kind);
}
}
RemovePlaceholderReplacement(data.ReceiverPlaceholder);
if (appendShouldProceedLocal is not null)
{
RemovePlaceholderReplacement(data.ArgumentPlaceholders[^1]);
}
if (usesBoolReturns)
{
// We assume non-bool returns if there was no parts to the string, and code below is predicated on that.
Debug.Assert(!node.Parts.IsEmpty);
// Start the sequence with appendProceedLocal, if appropriate
BoundExpression? currentExpression = appendShouldProceedLocal;
var boolType = _compilation.GetSpecialType(SpecialType.System_Boolean);
foreach (var appendCall in resultExpressions)
{
var actualCall = appendCall;
if (actualCall.Type!.IsDynamic())
{
actualCall = _dynamicFactory.MakeDynamicConversion(actualCall, isExplicit: false, isArrayIndex: false, isChecked: false, boolType).ToExpression();
}
// previousAppendCalls && appendCall
currentExpression = currentExpression is null
? actualCall
: _factory.LogicalAnd(currentExpression, actualCall);
}
resultExpressions.Clear();
Debug.Assert(currentExpression != null);
var sequence = _factory.Sequence(
appendShouldProceedLocal is not null
? ImmutableArray.Create(appendShouldProceedLocal.LocalSymbol)
: ImmutableArray<LocalSymbol>.Empty,
ImmutableArray.Create<BoundExpression>(handlerConstructionAssignment),
currentExpression);
resultExpressions.Add(sequence);
}
else if (appendShouldProceedLocal is not null && resultExpressions.Count > 0)
{
// appendCalls Sequence ending in true
var appendCallsSequence = _factory.Sequence(ImmutableArray<LocalSymbol>.Empty, resultExpressions.ToImmutableAndClear(), _factory.Literal(value: true));
resultExpressions.Add(handlerConstructionAssignment);
// appendShouldProceedLocal && sequence
var appendAnd = _factory.LogicalAnd(appendShouldProceedLocal, appendCallsSequence);
var result = _factory.Sequence(ImmutableArray.Create(appendShouldProceedLocal.LocalSymbol), resultExpressions.ToImmutableAndClear(), appendAnd);
resultExpressions.Add(result);
}
else if (appendShouldProceedLocal is not null)
{
// Odd case of no append calls, but with an out param. We don't need to generate any jumps checking the local because there's
// nothing to short circuit and avoid, but we do need a sequence to hold the lifetime of the local
resultExpressions.Add(_factory.Sequence(ImmutableArray.Create(appendShouldProceedLocal.LocalSymbol), ImmutableArray<BoundExpression>.Empty, handlerConstructionAssignment));
}
else
{
resultExpressions.Insert(0, handlerConstructionAssignment);
}
return (resultExpressions, builderTemp);
}
private bool CanLowerToStringConcatenation(BoundInterpolatedString node)
{
foreach (var part in node.Parts)
{
if (part is BoundStringInsert fillin)
{
// this is one of the expression holes
if (_inExpressionLambda ||
fillin.HasErrors ||
fillin.Value.Type?.SpecialType != SpecialType.System_String ||
fillin.Alignment != null ||
fillin.Format != null)
{
return false;
}
}
}
return true;
}
private void MakeInterpolatedStringFormat(BoundInterpolatedString node, out BoundExpression format, out ArrayBuilder<BoundExpression> expressions)
{
_factory.Syntax = node.Syntax;
int n = node.Parts.Length - 1;
var formatString = PooledStringBuilder.GetInstance();
var stringBuilder = formatString.Builder;
expressions = ArrayBuilder<BoundExpression>.GetInstance(n + 1);
int nextFormatPosition = 0;
for (int i = 0; i <= n; i++)
{
var part = node.Parts[i];
var fillin = part as BoundStringInsert;
if (fillin == null)
{
Debug.Assert(part is BoundLiteral && part.ConstantValue != null);
// this is one of the literal parts
stringBuilder.Append(part.ConstantValue.StringValue);
}
else
{
// this is one of the expression holes
stringBuilder.Append('{').Append(nextFormatPosition++);
if (fillin.Alignment != null && !fillin.Alignment.HasErrors)
{
Debug.Assert(fillin.Alignment.ConstantValue is { });
stringBuilder.Append(',').Append(fillin.Alignment.ConstantValue.Int64Value);
}
if (fillin.Format != null && !fillin.Format.HasErrors)
{
Debug.Assert(fillin.Format.ConstantValue is { });
stringBuilder.Append(':').Append(fillin.Format.ConstantValue.StringValue);
}
stringBuilder.Append('}');
var value = fillin.Value;
if (value.Type?.TypeKind == TypeKind.Dynamic)
{
value = MakeConversionNode(value, _compilation.ObjectType, @checked: false);
}
expressions.Add(value); // NOTE: must still be lowered
}
}
format = _factory.StringLiteral(formatString.ToStringAndFree());
}
public override BoundNode VisitInterpolatedString(BoundInterpolatedString node)
{
Debug.Assert(node.Type is { SpecialType: SpecialType.System_String }); // if target-converted, we should not get here.
BoundExpression? result;
if (node.InterpolationData is not null)
{
// If we can lower to the builder pattern, do so.
(ArrayBuilder<BoundExpression> handlerPatternExpressions, BoundLocal handlerTemp) = RewriteToInterpolatedStringHandlerPattern(node);
// resultTemp = builderTemp.ToStringAndClear();
var toStringAndClear = (MethodSymbol)Binder.GetWellKnownTypeMember(_compilation, WellKnownMember.System_Runtime_CompilerServices_DefaultInterpolatedStringHandler__ToStringAndClear, _diagnostics, syntax: node.Syntax);
BoundExpression toStringAndClearCall = toStringAndClear is not null
? BoundCall.Synthesized(node.Syntax, handlerTemp, toStringAndClear)
: new BoundBadExpression(node.Syntax, LookupResultKind.Empty, symbols: ImmutableArray<Symbol?>.Empty, childBoundNodes: ImmutableArray<BoundExpression>.Empty, node.Type);
return _factory.Sequence(ImmutableArray.Create(handlerTemp.LocalSymbol), handlerPatternExpressions.ToImmutableAndFree(), toStringAndClearCall);
}
else if (CanLowerToStringConcatenation(node))
{
// All fill-ins, if any, are strings, and none of them have alignment or format specifiers.
// We can lower to a more efficient string concatenation
// The normal pattern for lowering is to lower subtrees before the enclosing tree. However in this case
// we want to lower the entire concatenation so we get the optimizations done by that lowering (e.g. constant folding).
int length = node.Parts.Length;
if (length == 0)
{
// $"" -> ""
return _factory.StringLiteral("");
}
result = null;
for (int i = 0; i < length; i++)
{
var part = node.Parts[i];
if (part is BoundStringInsert fillin)
{
// this is one of the filled-in expressions
part = fillin.Value;
}
else
{
// this is one of the literal parts
Debug.Assert(part is BoundLiteral && part.ConstantValue is { StringValue: { } });
part = _factory.StringLiteral(ConstantValueUtils.UnescapeInterpolatedStringLiteral(part.ConstantValue.StringValue));
}
result = result == null ?
part :
_factory.Binary(BinaryOperatorKind.StringConcatenation, node.Type, result, part);
}
// We need to ensure that the result of the interpolated string is not null. If the single part has a non-null constant value
// or is itself an interpolated string (which by proxy cannot be null), then there's nothing else that needs to be done. Otherwise,
// we need to test for null and ensure "" if it is.
if (length == 1 && result is not ({ Kind: BoundKind.InterpolatedString } or { ConstantValue: { IsString: true } }))
{
result = _factory.Coalesce(result!, _factory.StringLiteral(""));
}
}
else
{
//
// We lower an interpolated string into an invocation of String.Format. For example, we translate the expression
//
// $"Jenny don\'t change your number { 8675309 }"
//
// into
//
// String.Format("Jenny don\'t change your number {0}", new object[] { 8675309 })
//
MakeInterpolatedStringFormat(node, out BoundExpression format, out ArrayBuilder<BoundExpression> expressions);
// The normal pattern for lowering is to lower subtrees before the enclosing tree. However we cannot lower
// the arguments first in this situation because we do not know what conversions will be
// produced for the arguments until after we've done overload resolution. So we produce the invocation
// and then lower it along with its arguments.
expressions.Insert(0, format);
var stringType = node.Type;
result = _factory.StaticCall(stringType, "Format", expressions.ToImmutableAndFree(),
allowUnexpandedForm: false // if an interpolation expression is the null literal, it should not match a params parameter.
);
}
Debug.Assert(result is { });
if (!result.HasAnyErrors)
{
result = VisitExpression(result); // lower the arguments AND handle expanded form, argument conversions, etc.
result = MakeImplicitConversion(result, node.Type);
}
return result;
}
[Conditional("DEBUG")]
private static void AssertNoImplicitInterpolatedStringHandlerConversions(ImmutableArray<BoundExpression> arguments, bool allowConversionsWithNoContext = false)
{
if (allowConversionsWithNoContext)
{
foreach (var arg in arguments)
{
if (arg is BoundConversion { Conversion: { Kind: ConversionKind.InterpolatedStringHandler }, ExplicitCastInCode: false, Operand: BoundInterpolatedString @string })
{
Debug.Assert(((BoundObjectCreationExpression)@string.InterpolationData!.Value.Construction).Arguments.All(
a => a is BoundInterpolatedStringArgumentPlaceholder { ArgumentIndex: BoundInterpolatedStringArgumentPlaceholder.TrailingConstructorValidityParameter }
or not BoundInterpolatedStringArgumentPlaceholder));
}
}
}
else
{
Debug.Assert(arguments.All(arg => arg is not BoundConversion { Conversion: { IsInterpolatedStringHandler: true }, ExplicitCastInCode: false }));
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Portable/Compilation/LexicalOrderSymbolComparer.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.VisualBasic.Symbols
Namespace Microsoft.CodeAnalysis.VisualBasic
''' <summary>
''' This is an implementation of a special symbol comparer, which is supposed to be used for
''' sorting original definition symbols (explicitly or explicitly declared in source within the same
''' container) in lexical order of their declarations. It will not work on anything that uses non-source locations.
''' </summary>
Friend Class LexicalOrderSymbolComparer
Implements IComparer(Of Symbol)
Public Shared ReadOnly Instance As New LexicalOrderSymbolComparer()
Private Sub New()
End Sub
Public Function Compare(x As Symbol, y As Symbol) As Integer Implements IComparer(Of Symbol).Compare
Dim comparison As Integer
If x Is y Then
Return 0
End If
Dim xSortKey = x.GetLexicalSortKey()
Dim ySortKey = y.GetLexicalSortKey()
comparison = LexicalSortKey.Compare(xSortKey, ySortKey)
If comparison <> 0 Then
Return comparison
End If
comparison = DirectCast(x, ISymbol).Kind.ToSortOrder() - DirectCast(y, ISymbol).Kind.ToSortOrder()
If comparison <> 0 Then
Return comparison
End If
comparison = IdentifierComparison.Compare(x.Name, y.Name)
Debug.Assert(comparison <> 0)
Return comparison
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.VisualBasic.Symbols
Namespace Microsoft.CodeAnalysis.VisualBasic
''' <summary>
''' This is an implementation of a special symbol comparer, which is supposed to be used for
''' sorting original definition symbols (explicitly or explicitly declared in source within the same
''' container) in lexical order of their declarations. It will not work on anything that uses non-source locations.
''' </summary>
Friend Class LexicalOrderSymbolComparer
Implements IComparer(Of Symbol)
Public Shared ReadOnly Instance As New LexicalOrderSymbolComparer()
Private Sub New()
End Sub
Public Function Compare(x As Symbol, y As Symbol) As Integer Implements IComparer(Of Symbol).Compare
Dim comparison As Integer
If x Is y Then
Return 0
End If
Dim xSortKey = x.GetLexicalSortKey()
Dim ySortKey = y.GetLexicalSortKey()
comparison = LexicalSortKey.Compare(xSortKey, ySortKey)
If comparison <> 0 Then
Return comparison
End If
comparison = DirectCast(x, ISymbol).Kind.ToSortOrder() - DirectCast(y, ISymbol).Kind.ToSortOrder()
If comparison <> 0 Then
Return comparison
End If
comparison = IdentifierComparison.Compare(x.Name, y.Name)
Debug.Assert(comparison <> 0)
Return comparison
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Symbols/Source/SourceOrdinaryMethodOrUserDefinedOperatorSymbol.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.Diagnostics;
using System.Globalization;
using System.Linq;
using System.Threading;
using Microsoft.CodeAnalysis.CSharp.Emit;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp.Symbols
{
internal abstract class SourceOrdinaryMethodOrUserDefinedOperatorSymbol : SourceMemberMethodSymbol
{
private ImmutableArray<MethodSymbol> _lazyExplicitInterfaceImplementations;
private ImmutableArray<CustomModifier> _lazyRefCustomModifiers;
private ImmutableArray<ParameterSymbol> _lazyParameters;
private TypeWithAnnotations _lazyReturnType;
protected SourceOrdinaryMethodOrUserDefinedOperatorSymbol(NamedTypeSymbol containingType, SyntaxReference syntaxReferenceOpt, Location location, bool isIterator)
: base(containingType, syntaxReferenceOpt, location, isIterator)
{
}
protected abstract Location ReturnTypeLocation { get; }
public sealed override bool ReturnsVoid
{
get
{
LazyMethodChecks();
return base.ReturnsVoid;
}
}
protected MethodSymbol? MethodChecks(TypeWithAnnotations returnType, ImmutableArray<ParameterSymbol> parameters, BindingDiagnosticBag diagnostics)
{
_lazyReturnType = returnType;
_lazyParameters = parameters;
// set ReturnsVoid flag
this.SetReturnsVoid(_lazyReturnType.IsVoidType());
this.CheckEffectiveAccessibility(_lazyReturnType, _lazyParameters, diagnostics);
var location = locations[0];
// Checks taken from MemberDefiner::defineMethod
if (this.Name == WellKnownMemberNames.DestructorName && this.ParameterCount == 0 && this.Arity == 0 && this.ReturnsVoid)
{
diagnostics.Add(ErrorCode.WRN_FinalizeMethod, location);
}
ExtensionMethodChecks(diagnostics);
if (IsPartial)
{
if (MethodKind == MethodKind.ExplicitInterfaceImplementation)
{
diagnostics.Add(ErrorCode.ERR_PartialMethodNotExplicit, location);
}
if (!ContainingType.IsPartial())
{
diagnostics.Add(ErrorCode.ERR_PartialMethodOnlyInPartialClass, location);
}
}
if (!IsPartial)
{
LazyAsyncMethodChecks(CancellationToken.None);
Debug.Assert(state.HasComplete(CompletionPart.FinishAsyncMethodChecks));
}
// The runtime will not treat this method as an override or implementation of another
// method unless both the signatures and the custom modifiers match. Hence, in the
// case of overrides and *explicit* implementations, we need to copy the custom modifiers
// that are in the signature of the overridden/implemented method. (From source, we know
// that there can only be one such method, so there are no conflicts.) This is
// unnecessary for implicit implementations because, if the custom modifiers don't match,
// we'll insert a bridge method (an explicit implementation that delegates to the implicit
// implementation) with the correct custom modifiers
// (see SourceMemberContainerTypeSymbol.SynthesizeInterfaceMemberImplementation).
// This value may not be correct, but we need something while we compute this.OverriddenMethod.
// May be re-assigned below.
Debug.Assert(_lazyReturnType.CustomModifiers.IsEmpty);
_lazyRefCustomModifiers = ImmutableArray<CustomModifier>.Empty;
MethodSymbol? overriddenOrExplicitlyImplementedMethod = null;
// Note: we're checking if the syntax indicates explicit implementation rather,
// than if explicitInterfaceType is null because we don't want to look for an
// overridden property if this is supposed to be an explicit implementation.
if (MethodKind != MethodKind.ExplicitInterfaceImplementation)
{
Debug.Assert(_lazyExplicitInterfaceImplementations.IsDefault);
_lazyExplicitInterfaceImplementations = ImmutableArray<MethodSymbol>.Empty;
// If this method is an override, we may need to copy custom modifiers from
// the overridden method (so that the runtime will recognize it as an override).
// We check for this case here, while we can still modify the parameters and
// return type without losing the appearance of immutability.
if (this.IsOverride)
{
// This computation will necessarily be performed with partially incomplete
// information. There is no way we can determine the complete signature
// (i.e. including custom modifiers) until we have found the method that
// this method overrides. To accommodate this, MethodSymbol.OverriddenOrHiddenMembers
// is written to allow relaxed matching of custom modifiers for source methods,
// on the assumption that they will be updated appropriately.
overriddenOrExplicitlyImplementedMethod = this.OverriddenMethod;
if ((object)overriddenOrExplicitlyImplementedMethod != null)
{
CustomModifierUtils.CopyMethodCustomModifiers(overriddenOrExplicitlyImplementedMethod, this, out _lazyReturnType,
out _lazyRefCustomModifiers,
out _lazyParameters, alsoCopyParamsModifier: true);
}
}
else if (RefKind == RefKind.RefReadOnly)
{
var modifierType = Binder.GetWellKnownType(DeclaringCompilation, WellKnownType.System_Runtime_InteropServices_InAttribute, diagnostics, ReturnTypeLocation);
_lazyRefCustomModifiers = ImmutableArray.Create(CSharpCustomModifier.CreateRequired(modifierType));
}
}
else if (ExplicitInterfaceType is not null)
{
//do this last so that it can assume the method symbol is constructed (except for ExplicitInterfaceImplementation)
overriddenOrExplicitlyImplementedMethod = FindExplicitlyImplementedMethod(diagnostics);
if (overriddenOrExplicitlyImplementedMethod is not null)
{
Debug.Assert(_lazyExplicitInterfaceImplementations.IsDefault);
_lazyExplicitInterfaceImplementations = ImmutableArray.Create<MethodSymbol>(overriddenOrExplicitlyImplementedMethod);
CustomModifierUtils.CopyMethodCustomModifiers(overriddenOrExplicitlyImplementedMethod, this, out _lazyReturnType,
out _lazyRefCustomModifiers,
out _lazyParameters, alsoCopyParamsModifier: false);
this.FindExplicitlyImplementedMemberVerification(overriddenOrExplicitlyImplementedMethod, diagnostics);
TypeSymbol.CheckNullableReferenceTypeMismatchOnImplementingMember(this.ContainingType, this, overriddenOrExplicitlyImplementedMethod, isExplicit: true, diagnostics);
}
else
{
Debug.Assert(_lazyExplicitInterfaceImplementations.IsDefault);
_lazyExplicitInterfaceImplementations = ImmutableArray<MethodSymbol>.Empty;
Debug.Assert(_lazyReturnType.CustomModifiers.IsEmpty);
}
}
return overriddenOrExplicitlyImplementedMethod;
}
protected abstract void ExtensionMethodChecks(BindingDiagnosticBag diagnostics);
protected abstract MethodSymbol? FindExplicitlyImplementedMethod(BindingDiagnosticBag diagnostics);
protected abstract TypeSymbol? ExplicitInterfaceType { get; }
internal sealed override int ParameterCount
{
get
{
if (!_lazyParameters.IsDefault)
{
int result = _lazyParameters.Length;
Debug.Assert(result == GetParameterCountFromSyntax());
return result;
}
return GetParameterCountFromSyntax();
}
}
protected abstract int GetParameterCountFromSyntax();
public sealed override ImmutableArray<ParameterSymbol> Parameters
{
get
{
LazyMethodChecks();
return _lazyParameters;
}
}
public sealed override TypeWithAnnotations ReturnTypeWithAnnotations
{
get
{
LazyMethodChecks();
return _lazyReturnType;
}
}
internal sealed override bool IsExplicitInterfaceImplementation
{
get
{
return MethodKind == MethodKind.ExplicitInterfaceImplementation;
}
}
public sealed override ImmutableArray<MethodSymbol> ExplicitInterfaceImplementations
{
get
{
LazyMethodChecks();
return _lazyExplicitInterfaceImplementations;
}
}
public sealed override ImmutableArray<CustomModifier> RefCustomModifiers
{
get
{
LazyMethodChecks();
return _lazyRefCustomModifiers;
}
}
internal override void AfterAddingTypeMembersChecks(ConversionsBase conversions, BindingDiagnosticBag diagnostics)
{
base.AfterAddingTypeMembersChecks(conversions, diagnostics);
var location = ReturnTypeLocation;
var compilation = DeclaringCompilation;
Debug.Assert(location != null);
// Check constraints on return type and parameters. Note: Dev10 uses the
// method name location for any such errors. We'll do the same for return
// type errors but for parameter errors, we'll use the parameter location.
CheckConstraintsForExplicitInterfaceType(conversions, diagnostics);
this.ReturnType.CheckAllConstraints(compilation, conversions, this.Locations[0], diagnostics);
foreach (var parameter in this.Parameters)
{
parameter.Type.CheckAllConstraints(compilation, conversions, parameter.Locations[0], diagnostics);
}
PartialMethodChecks(diagnostics);
if (RefKind == RefKind.RefReadOnly)
{
compilation.EnsureIsReadOnlyAttributeExists(diagnostics, location, modifyCompilation: true);
}
ParameterHelpers.EnsureIsReadOnlyAttributeExists(compilation, Parameters, diagnostics, modifyCompilation: true);
if (ReturnType.ContainsNativeInteger())
{
compilation.EnsureNativeIntegerAttributeExists(diagnostics, location, modifyCompilation: true);
}
ParameterHelpers.EnsureNativeIntegerAttributeExists(compilation, Parameters, diagnostics, modifyCompilation: true);
if (compilation.ShouldEmitNullableAttributes(this) && ReturnTypeWithAnnotations.NeedsNullableAttribute())
{
compilation.EnsureNullableAttributeExists(diagnostics, location, modifyCompilation: true);
}
ParameterHelpers.EnsureNullableAttributeExists(compilation, this, Parameters, diagnostics, modifyCompilation: true);
}
protected abstract void CheckConstraintsForExplicitInterfaceType(ConversionsBase conversions, BindingDiagnosticBag diagnostics);
protected abstract void PartialMethodChecks(BindingDiagnosticBag 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.
using System.Collections.Immutable;
using System.Diagnostics;
using System.Globalization;
using System.Linq;
using System.Threading;
using Microsoft.CodeAnalysis.CSharp.Emit;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.CSharp.Symbols
{
internal abstract class SourceOrdinaryMethodOrUserDefinedOperatorSymbol : SourceMemberMethodSymbol
{
private ImmutableArray<MethodSymbol> _lazyExplicitInterfaceImplementations;
private ImmutableArray<CustomModifier> _lazyRefCustomModifiers;
private ImmutableArray<ParameterSymbol> _lazyParameters;
private TypeWithAnnotations _lazyReturnType;
protected SourceOrdinaryMethodOrUserDefinedOperatorSymbol(NamedTypeSymbol containingType, SyntaxReference syntaxReferenceOpt, Location location, bool isIterator)
: base(containingType, syntaxReferenceOpt, location, isIterator)
{
}
protected abstract Location ReturnTypeLocation { get; }
public sealed override bool ReturnsVoid
{
get
{
LazyMethodChecks();
return base.ReturnsVoid;
}
}
protected MethodSymbol? MethodChecks(TypeWithAnnotations returnType, ImmutableArray<ParameterSymbol> parameters, BindingDiagnosticBag diagnostics)
{
_lazyReturnType = returnType;
_lazyParameters = parameters;
// set ReturnsVoid flag
this.SetReturnsVoid(_lazyReturnType.IsVoidType());
this.CheckEffectiveAccessibility(_lazyReturnType, _lazyParameters, diagnostics);
var location = locations[0];
// Checks taken from MemberDefiner::defineMethod
if (this.Name == WellKnownMemberNames.DestructorName && this.ParameterCount == 0 && this.Arity == 0 && this.ReturnsVoid)
{
diagnostics.Add(ErrorCode.WRN_FinalizeMethod, location);
}
ExtensionMethodChecks(diagnostics);
if (IsPartial)
{
if (MethodKind == MethodKind.ExplicitInterfaceImplementation)
{
diagnostics.Add(ErrorCode.ERR_PartialMethodNotExplicit, location);
}
if (!ContainingType.IsPartial())
{
diagnostics.Add(ErrorCode.ERR_PartialMethodOnlyInPartialClass, location);
}
}
if (!IsPartial)
{
LazyAsyncMethodChecks(CancellationToken.None);
Debug.Assert(state.HasComplete(CompletionPart.FinishAsyncMethodChecks));
}
// The runtime will not treat this method as an override or implementation of another
// method unless both the signatures and the custom modifiers match. Hence, in the
// case of overrides and *explicit* implementations, we need to copy the custom modifiers
// that are in the signature of the overridden/implemented method. (From source, we know
// that there can only be one such method, so there are no conflicts.) This is
// unnecessary for implicit implementations because, if the custom modifiers don't match,
// we'll insert a bridge method (an explicit implementation that delegates to the implicit
// implementation) with the correct custom modifiers
// (see SourceMemberContainerTypeSymbol.SynthesizeInterfaceMemberImplementation).
// This value may not be correct, but we need something while we compute this.OverriddenMethod.
// May be re-assigned below.
Debug.Assert(_lazyReturnType.CustomModifiers.IsEmpty);
_lazyRefCustomModifiers = ImmutableArray<CustomModifier>.Empty;
MethodSymbol? overriddenOrExplicitlyImplementedMethod = null;
// Note: we're checking if the syntax indicates explicit implementation rather,
// than if explicitInterfaceType is null because we don't want to look for an
// overridden property if this is supposed to be an explicit implementation.
if (MethodKind != MethodKind.ExplicitInterfaceImplementation)
{
Debug.Assert(_lazyExplicitInterfaceImplementations.IsDefault);
_lazyExplicitInterfaceImplementations = ImmutableArray<MethodSymbol>.Empty;
// If this method is an override, we may need to copy custom modifiers from
// the overridden method (so that the runtime will recognize it as an override).
// We check for this case here, while we can still modify the parameters and
// return type without losing the appearance of immutability.
if (this.IsOverride)
{
// This computation will necessarily be performed with partially incomplete
// information. There is no way we can determine the complete signature
// (i.e. including custom modifiers) until we have found the method that
// this method overrides. To accommodate this, MethodSymbol.OverriddenOrHiddenMembers
// is written to allow relaxed matching of custom modifiers for source methods,
// on the assumption that they will be updated appropriately.
overriddenOrExplicitlyImplementedMethod = this.OverriddenMethod;
if ((object)overriddenOrExplicitlyImplementedMethod != null)
{
CustomModifierUtils.CopyMethodCustomModifiers(overriddenOrExplicitlyImplementedMethod, this, out _lazyReturnType,
out _lazyRefCustomModifiers,
out _lazyParameters, alsoCopyParamsModifier: true);
}
}
else if (RefKind == RefKind.RefReadOnly)
{
var modifierType = Binder.GetWellKnownType(DeclaringCompilation, WellKnownType.System_Runtime_InteropServices_InAttribute, diagnostics, ReturnTypeLocation);
_lazyRefCustomModifiers = ImmutableArray.Create(CSharpCustomModifier.CreateRequired(modifierType));
}
}
else if (ExplicitInterfaceType is not null)
{
//do this last so that it can assume the method symbol is constructed (except for ExplicitInterfaceImplementation)
overriddenOrExplicitlyImplementedMethod = FindExplicitlyImplementedMethod(diagnostics);
if (overriddenOrExplicitlyImplementedMethod is not null)
{
Debug.Assert(_lazyExplicitInterfaceImplementations.IsDefault);
_lazyExplicitInterfaceImplementations = ImmutableArray.Create<MethodSymbol>(overriddenOrExplicitlyImplementedMethod);
CustomModifierUtils.CopyMethodCustomModifiers(overriddenOrExplicitlyImplementedMethod, this, out _lazyReturnType,
out _lazyRefCustomModifiers,
out _lazyParameters, alsoCopyParamsModifier: false);
this.FindExplicitlyImplementedMemberVerification(overriddenOrExplicitlyImplementedMethod, diagnostics);
TypeSymbol.CheckNullableReferenceTypeMismatchOnImplementingMember(this.ContainingType, this, overriddenOrExplicitlyImplementedMethod, isExplicit: true, diagnostics);
}
else
{
Debug.Assert(_lazyExplicitInterfaceImplementations.IsDefault);
_lazyExplicitInterfaceImplementations = ImmutableArray<MethodSymbol>.Empty;
Debug.Assert(_lazyReturnType.CustomModifiers.IsEmpty);
}
}
return overriddenOrExplicitlyImplementedMethod;
}
protected abstract void ExtensionMethodChecks(BindingDiagnosticBag diagnostics);
protected abstract MethodSymbol? FindExplicitlyImplementedMethod(BindingDiagnosticBag diagnostics);
protected abstract TypeSymbol? ExplicitInterfaceType { get; }
internal sealed override int ParameterCount
{
get
{
if (!_lazyParameters.IsDefault)
{
int result = _lazyParameters.Length;
Debug.Assert(result == GetParameterCountFromSyntax());
return result;
}
return GetParameterCountFromSyntax();
}
}
protected abstract int GetParameterCountFromSyntax();
public sealed override ImmutableArray<ParameterSymbol> Parameters
{
get
{
LazyMethodChecks();
return _lazyParameters;
}
}
public sealed override TypeWithAnnotations ReturnTypeWithAnnotations
{
get
{
LazyMethodChecks();
return _lazyReturnType;
}
}
internal sealed override bool IsExplicitInterfaceImplementation
{
get
{
return MethodKind == MethodKind.ExplicitInterfaceImplementation;
}
}
public sealed override ImmutableArray<MethodSymbol> ExplicitInterfaceImplementations
{
get
{
LazyMethodChecks();
return _lazyExplicitInterfaceImplementations;
}
}
public sealed override ImmutableArray<CustomModifier> RefCustomModifiers
{
get
{
LazyMethodChecks();
return _lazyRefCustomModifiers;
}
}
internal override void AfterAddingTypeMembersChecks(ConversionsBase conversions, BindingDiagnosticBag diagnostics)
{
base.AfterAddingTypeMembersChecks(conversions, diagnostics);
var location = ReturnTypeLocation;
var compilation = DeclaringCompilation;
Debug.Assert(location != null);
// Check constraints on return type and parameters. Note: Dev10 uses the
// method name location for any such errors. We'll do the same for return
// type errors but for parameter errors, we'll use the parameter location.
CheckConstraintsForExplicitInterfaceType(conversions, diagnostics);
this.ReturnType.CheckAllConstraints(compilation, conversions, this.Locations[0], diagnostics);
foreach (var parameter in this.Parameters)
{
parameter.Type.CheckAllConstraints(compilation, conversions, parameter.Locations[0], diagnostics);
}
PartialMethodChecks(diagnostics);
if (RefKind == RefKind.RefReadOnly)
{
compilation.EnsureIsReadOnlyAttributeExists(diagnostics, location, modifyCompilation: true);
}
ParameterHelpers.EnsureIsReadOnlyAttributeExists(compilation, Parameters, diagnostics, modifyCompilation: true);
if (ReturnType.ContainsNativeInteger())
{
compilation.EnsureNativeIntegerAttributeExists(diagnostics, location, modifyCompilation: true);
}
ParameterHelpers.EnsureNativeIntegerAttributeExists(compilation, Parameters, diagnostics, modifyCompilation: true);
if (compilation.ShouldEmitNullableAttributes(this) && ReturnTypeWithAnnotations.NeedsNullableAttribute())
{
compilation.EnsureNullableAttributeExists(diagnostics, location, modifyCompilation: true);
}
ParameterHelpers.EnsureNullableAttributeExists(compilation, this, Parameters, diagnostics, modifyCompilation: true);
}
protected abstract void CheckConstraintsForExplicitInterfaceType(ConversionsBase conversions, BindingDiagnosticBag diagnostics);
protected abstract void PartialMethodChecks(BindingDiagnosticBag diagnostics);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/VisualStudioDiagnosticsToolWindow/VenusMargin/ProjectionSpanTag.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.VisualStudio.Text.Tagging;
namespace Roslyn.Hosting.Diagnostics.VenusMargin
{
internal class ProjectionSpanTag : TextMarkerTag
{
public const string TagId = "ProjectionTag";
public static readonly ProjectionSpanTag Instance = new ProjectionSpanTag();
public ProjectionSpanTag()
: base(TagId)
{
}
}
}
| // 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.VisualStudio.Text.Tagging;
namespace Roslyn.Hosting.Diagnostics.VenusMargin
{
internal class ProjectionSpanTag : TextMarkerTag
{
public const string TagId = "ProjectionTag";
public static readonly ProjectionSpanTag Instance = new ProjectionSpanTag();
public ProjectionSpanTag()
: base(TagId)
{
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/VersionHelper.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.Diagnostics;
using System.Globalization;
namespace Microsoft.CodeAnalysis
{
internal static class VersionHelper
{
/// <summary>
/// Parses a version string of the form "major [ '.' minor [ '.' build [ '.' revision ] ] ]".
/// </summary>
/// <param name="s">The version string to parse.</param>
/// <param name="version">If parsing succeeds, the parsed version. Otherwise a version that represents as much of the input as could be parsed successfully.</param>
/// <returns>True when parsing succeeds completely (i.e. every character in the string was consumed), false otherwise.</returns>
internal static bool TryParse(string s, out Version version)
{
return TryParse(s, allowWildcard: false, maxValue: ushort.MaxValue, allowPartialParse: true, version: out version);
}
/// <summary>
/// Parses a version string of the form "major [ '.' minor [ '.' ( '*' | ( build [ '.' ( '*' | revision ) ] ) ) ] ]"
/// as accepted by System.Reflection.AssemblyVersionAttribute.
/// </summary>
/// <param name="s">The version string to parse.</param>
/// <param name="allowWildcard">Indicates whether or not a wildcard is accepted as the terminal component.</param>
/// <param name="version">
/// If parsing succeeded, the parsed version. Otherwise a version instance with all parts set to zero.
/// If <paramref name="s"/> contains * the version build and/or revision numbers are set to <see cref="ushort.MaxValue"/>.
/// </param>
/// <returns>True when parsing succeeds completely (i.e. every character in the string was consumed), false otherwise.</returns>
internal static bool TryParseAssemblyVersion(string s, bool allowWildcard, out Version version)
{
return TryParse(s, allowWildcard: allowWildcard, maxValue: ushort.MaxValue - 1, allowPartialParse: false, version: out version);
}
/// <summary>
/// Parses a version string of the form "major [ '.' minor [ '.' ( '*' | ( build [ '.' ( '*' | revision ) ] ) ) ] ]"
/// as accepted by System.Reflection.AssemblyVersionAttribute.
/// </summary>
/// <param name="s">The version string to parse.</param>
/// <param name="allowWildcard">Indicates whether or not we're parsing an assembly version string. If so, wildcards are accepted and each component must be less than 65535.</param>
/// <param name="maxValue">The maximum value that a version component may have.</param>
/// <param name="allowPartialParse">Allow the parsing of version elements where invalid characters exist. e.g. 1.2.2a.1</param>
/// <param name="version">
/// If parsing succeeded, the parsed version. When <paramref name="allowPartialParse"/> is true a version with values up to the first invalid character set. Otherwise a version with all parts set to zero.
/// If <paramref name="s"/> contains * and wildcard is allowed the version build and/or revision numbers are set to <see cref="ushort.MaxValue"/>.
/// </param>
/// <returns>True when parsing succeeds completely (i.e. every character in the string was consumed), false otherwise.</returns>
private static bool TryParse(string s, bool allowWildcard, ushort maxValue, bool allowPartialParse, out Version version)
{
Debug.Assert(!allowWildcard || maxValue < ushort.MaxValue);
if (string.IsNullOrWhiteSpace(s))
{
version = AssemblyIdentity.NullVersion;
return false;
}
string[] elements = s.Split('.');
// If the wildcard is being used, the first two elements must be specified explicitly, and
// the last must be a exactly single asterisk without whitespace.
bool hasWildcard = allowWildcard && elements[elements.Length - 1] == "*";
if ((hasWildcard && elements.Length < 3) || elements.Length > 4)
{
version = AssemblyIdentity.NullVersion;
return false;
}
ushort[] values = new ushort[4];
int lastExplicitValue = hasWildcard ? elements.Length - 1 : elements.Length;
bool parseError = false;
for (int i = 0; i < lastExplicitValue; i++)
{
if (!ushort.TryParse(elements[i], NumberStyles.None, CultureInfo.InvariantCulture, out values[i]) || values[i] > maxValue)
{
if (!allowPartialParse)
{
version = AssemblyIdentity.NullVersion;
return false;
}
parseError = true;
if (string.IsNullOrWhiteSpace(elements[i]))
{
values[i] = 0;
break;
}
if (values[i] > maxValue)
{
//The only way this can happen is if the value was 65536
//The old compiler would continue parsing from here
values[i] = 0;
continue;
}
bool invalidFormat = false;
System.Numerics.BigInteger number = 0;
//There could be an invalid character in the input so check for the presence of one and
//parse up to that point. examples of invalid characters are alphas and punctuation
for (var idx = 0; idx < elements[i].Length; idx++)
{
if (!char.IsDigit(elements[i][idx]))
{
invalidFormat = true;
TryGetValue(elements[i].Substring(0, idx), out values[i]);
break;
}
}
if (!invalidFormat)
{
//if we made it here then there weren't any alpha or punctuation chars in the input so the
//element is either greater than ushort.MaxValue or possibly a fullwidth unicode digit.
if (TryGetValue(elements[i], out values[i]))
{
//For this scenario the old compiler would continue processing the remaining version elements
//so continue processing
continue;
}
}
//Don't process any more of the version elements
break;
}
}
if (hasWildcard)
{
for (int i = lastExplicitValue; i < values.Length; i++)
{
values[i] = ushort.MaxValue;
}
}
version = new Version(values[0], values[1], values[2], values[3]);
return !parseError;
}
private static bool TryGetValue(string s, out ushort value)
{
System.Numerics.BigInteger number;
if (System.Numerics.BigInteger.TryParse(s, NumberStyles.None, CultureInfo.InvariantCulture, out number))
{
//The old compiler would take the 16 least significant bits and use their value as the output
//so we'll do that too.
value = (ushort)(number % 65536);
return true;
}
//One case that will cause us to end up here is when the input is a Fullwidth unicode digit
//so we'll always return zero
value = 0;
return false;
}
/// <summary>
/// If build and/or revision numbers are 65535 they are replaced with time-based values.
/// </summary>
public static Version? GenerateVersionFromPatternAndCurrentTime(DateTime time, Version pattern)
{
if (pattern == null || pattern.Revision != ushort.MaxValue)
{
return pattern;
}
// MSDN doc on the attribute:
// "The default build number increments daily. The default revision number is the number of seconds since midnight local time
// (without taking into account time zone adjustments for daylight saving time), divided by 2."
if (time == default(DateTime))
{
time = DateTime.Now;
}
int revision = (int)time.TimeOfDay.TotalSeconds / 2;
// 24 * 60 * 60 / 2 = 43200 < 65535
Debug.Assert(revision < ushort.MaxValue);
if (pattern.Build == ushort.MaxValue)
{
TimeSpan days = time.Date - new DateTime(2000, 1, 1);
int build = Math.Min(ushort.MaxValue, (int)days.TotalDays);
return new Version(pattern.Major, pattern.Minor, (ushort)build, (ushort)revision);
}
else
{
return new Version(pattern.Major, pattern.Minor, pattern.Build, (ushort)revision);
}
}
}
}
| // 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.Diagnostics;
using System.Globalization;
namespace Microsoft.CodeAnalysis
{
internal static class VersionHelper
{
/// <summary>
/// Parses a version string of the form "major [ '.' minor [ '.' build [ '.' revision ] ] ]".
/// </summary>
/// <param name="s">The version string to parse.</param>
/// <param name="version">If parsing succeeds, the parsed version. Otherwise a version that represents as much of the input as could be parsed successfully.</param>
/// <returns>True when parsing succeeds completely (i.e. every character in the string was consumed), false otherwise.</returns>
internal static bool TryParse(string s, out Version version)
{
return TryParse(s, allowWildcard: false, maxValue: ushort.MaxValue, allowPartialParse: true, version: out version);
}
/// <summary>
/// Parses a version string of the form "major [ '.' minor [ '.' ( '*' | ( build [ '.' ( '*' | revision ) ] ) ) ] ]"
/// as accepted by System.Reflection.AssemblyVersionAttribute.
/// </summary>
/// <param name="s">The version string to parse.</param>
/// <param name="allowWildcard">Indicates whether or not a wildcard is accepted as the terminal component.</param>
/// <param name="version">
/// If parsing succeeded, the parsed version. Otherwise a version instance with all parts set to zero.
/// If <paramref name="s"/> contains * the version build and/or revision numbers are set to <see cref="ushort.MaxValue"/>.
/// </param>
/// <returns>True when parsing succeeds completely (i.e. every character in the string was consumed), false otherwise.</returns>
internal static bool TryParseAssemblyVersion(string s, bool allowWildcard, out Version version)
{
return TryParse(s, allowWildcard: allowWildcard, maxValue: ushort.MaxValue - 1, allowPartialParse: false, version: out version);
}
/// <summary>
/// Parses a version string of the form "major [ '.' minor [ '.' ( '*' | ( build [ '.' ( '*' | revision ) ] ) ) ] ]"
/// as accepted by System.Reflection.AssemblyVersionAttribute.
/// </summary>
/// <param name="s">The version string to parse.</param>
/// <param name="allowWildcard">Indicates whether or not we're parsing an assembly version string. If so, wildcards are accepted and each component must be less than 65535.</param>
/// <param name="maxValue">The maximum value that a version component may have.</param>
/// <param name="allowPartialParse">Allow the parsing of version elements where invalid characters exist. e.g. 1.2.2a.1</param>
/// <param name="version">
/// If parsing succeeded, the parsed version. When <paramref name="allowPartialParse"/> is true a version with values up to the first invalid character set. Otherwise a version with all parts set to zero.
/// If <paramref name="s"/> contains * and wildcard is allowed the version build and/or revision numbers are set to <see cref="ushort.MaxValue"/>.
/// </param>
/// <returns>True when parsing succeeds completely (i.e. every character in the string was consumed), false otherwise.</returns>
private static bool TryParse(string s, bool allowWildcard, ushort maxValue, bool allowPartialParse, out Version version)
{
Debug.Assert(!allowWildcard || maxValue < ushort.MaxValue);
if (string.IsNullOrWhiteSpace(s))
{
version = AssemblyIdentity.NullVersion;
return false;
}
string[] elements = s.Split('.');
// If the wildcard is being used, the first two elements must be specified explicitly, and
// the last must be a exactly single asterisk without whitespace.
bool hasWildcard = allowWildcard && elements[elements.Length - 1] == "*";
if ((hasWildcard && elements.Length < 3) || elements.Length > 4)
{
version = AssemblyIdentity.NullVersion;
return false;
}
ushort[] values = new ushort[4];
int lastExplicitValue = hasWildcard ? elements.Length - 1 : elements.Length;
bool parseError = false;
for (int i = 0; i < lastExplicitValue; i++)
{
if (!ushort.TryParse(elements[i], NumberStyles.None, CultureInfo.InvariantCulture, out values[i]) || values[i] > maxValue)
{
if (!allowPartialParse)
{
version = AssemblyIdentity.NullVersion;
return false;
}
parseError = true;
if (string.IsNullOrWhiteSpace(elements[i]))
{
values[i] = 0;
break;
}
if (values[i] > maxValue)
{
//The only way this can happen is if the value was 65536
//The old compiler would continue parsing from here
values[i] = 0;
continue;
}
bool invalidFormat = false;
System.Numerics.BigInteger number = 0;
//There could be an invalid character in the input so check for the presence of one and
//parse up to that point. examples of invalid characters are alphas and punctuation
for (var idx = 0; idx < elements[i].Length; idx++)
{
if (!char.IsDigit(elements[i][idx]))
{
invalidFormat = true;
TryGetValue(elements[i].Substring(0, idx), out values[i]);
break;
}
}
if (!invalidFormat)
{
//if we made it here then there weren't any alpha or punctuation chars in the input so the
//element is either greater than ushort.MaxValue or possibly a fullwidth unicode digit.
if (TryGetValue(elements[i], out values[i]))
{
//For this scenario the old compiler would continue processing the remaining version elements
//so continue processing
continue;
}
}
//Don't process any more of the version elements
break;
}
}
if (hasWildcard)
{
for (int i = lastExplicitValue; i < values.Length; i++)
{
values[i] = ushort.MaxValue;
}
}
version = new Version(values[0], values[1], values[2], values[3]);
return !parseError;
}
private static bool TryGetValue(string s, out ushort value)
{
System.Numerics.BigInteger number;
if (System.Numerics.BigInteger.TryParse(s, NumberStyles.None, CultureInfo.InvariantCulture, out number))
{
//The old compiler would take the 16 least significant bits and use their value as the output
//so we'll do that too.
value = (ushort)(number % 65536);
return true;
}
//One case that will cause us to end up here is when the input is a Fullwidth unicode digit
//so we'll always return zero
value = 0;
return false;
}
/// <summary>
/// If build and/or revision numbers are 65535 they are replaced with time-based values.
/// </summary>
public static Version? GenerateVersionFromPatternAndCurrentTime(DateTime time, Version pattern)
{
if (pattern == null || pattern.Revision != ushort.MaxValue)
{
return pattern;
}
// MSDN doc on the attribute:
// "The default build number increments daily. The default revision number is the number of seconds since midnight local time
// (without taking into account time zone adjustments for daylight saving time), divided by 2."
if (time == default(DateTime))
{
time = DateTime.Now;
}
int revision = (int)time.TimeOfDay.TotalSeconds / 2;
// 24 * 60 * 60 / 2 = 43200 < 65535
Debug.Assert(revision < ushort.MaxValue);
if (pattern.Build == ushort.MaxValue)
{
TimeSpan days = time.Date - new DateTime(2000, 1, 1);
int build = Math.Min(ushort.MaxValue, (int)days.TotalDays);
return new Version(pattern.Major, pattern.Minor, (ushort)build, (ushort)revision);
}
else
{
return new Version(pattern.Major, pattern.Minor, pattern.Build, (ushort)revision);
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Lowering/DiagnosticsPass_ExpressionTrees.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 System.Diagnostics;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
namespace Microsoft.CodeAnalysis.CSharp
{
/// <summary>
/// This pass detects and reports diagnostics that do not affect lambda convertibility.
/// This part of the partial class focuses on features that cannot be used in expression trees.
/// CAVEAT: Errors may be produced for ObsoleteAttribute, but such errors don't affect lambda convertibility.
/// </summary>
internal sealed partial class DiagnosticsPass
{
private readonly BindingDiagnosticBag _diagnostics;
private readonly CSharpCompilation _compilation;
private bool _inExpressionLambda;
private bool _reportedUnsafe;
private readonly MethodSymbol _containingSymbol;
// Containing static local function, static anonymous function, or static lambda.
private SourceMethodSymbol _staticLocalOrAnonymousFunction;
public static void IssueDiagnostics(CSharpCompilation compilation, BoundNode node, BindingDiagnosticBag diagnostics, MethodSymbol containingSymbol)
{
Debug.Assert(node != null);
Debug.Assert((object)containingSymbol != null);
ExecutableCodeBinder.ValidateIteratorMethod(compilation, containingSymbol, diagnostics);
try
{
var diagnosticPass = new DiagnosticsPass(compilation, diagnostics, containingSymbol);
diagnosticPass.Visit(node);
}
catch (CancelledByStackGuardException ex)
{
ex.AddAnError(diagnostics);
}
}
private DiagnosticsPass(CSharpCompilation compilation, BindingDiagnosticBag diagnostics, MethodSymbol containingSymbol)
{
Debug.Assert(diagnostics != null);
Debug.Assert((object)containingSymbol != null);
_compilation = compilation;
_diagnostics = diagnostics;
_containingSymbol = containingSymbol;
}
private void Error(ErrorCode code, BoundNode node, params object[] args)
{
_diagnostics.Add(code, node.Syntax.Location, args);
}
private void CheckUnsafeType(BoundExpression e)
{
if (e != null && (object)e.Type != null && e.Type.IsPointerOrFunctionPointer()) NoteUnsafe(e);
}
private void NoteUnsafe(BoundNode node)
{
if (_inExpressionLambda && !_reportedUnsafe)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPointerOp, node);
_reportedUnsafe = true;
}
}
public override BoundNode VisitArrayCreation(BoundArrayCreation node)
{
var arrayType = (ArrayTypeSymbol)node.Type;
if (_inExpressionLambda && node.InitializerOpt != null && !arrayType.IsSZArray)
{
Error(ErrorCode.ERR_ExpressionTreeContainsMultiDimensionalArrayInitializer, node);
}
return base.VisitArrayCreation(node);
}
public override BoundNode VisitArrayAccess(BoundArrayAccess node)
{
if (_inExpressionLambda &&
node.Indices.Length == 1 &&
node.Indices[0].Type!.SpecialType == SpecialType.None)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPatternIndexOrRangeIndexer, node);
}
return base.VisitArrayAccess(node);
}
public override BoundNode VisitIndexOrRangePatternIndexerAccess(BoundIndexOrRangePatternIndexerAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPatternIndexOrRangeIndexer, node);
}
return base.VisitIndexOrRangePatternIndexerAccess(node);
}
public override BoundNode VisitFromEndIndexExpression(BoundFromEndIndexExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsFromEndIndexExpression, node);
}
return base.VisitFromEndIndexExpression(node);
}
public override BoundNode VisitRangeExpression(BoundRangeExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsRangeExpression, node);
}
return base.VisitRangeExpression(node);
}
public override BoundNode VisitSizeOfOperator(BoundSizeOfOperator node)
{
if (_inExpressionLambda && node.ConstantValue == null)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPointerOp, node);
}
return base.VisitSizeOfOperator(node);
}
public override BoundNode VisitLocalFunctionStatement(BoundLocalFunctionStatement node)
{
ExecutableCodeBinder.ValidateIteratorMethod(_compilation, node.Symbol, _diagnostics);
var outerLocalFunction = _staticLocalOrAnonymousFunction;
if (node.Symbol.IsStatic)
{
_staticLocalOrAnonymousFunction = node.Symbol;
}
var result = base.VisitLocalFunctionStatement(node);
_staticLocalOrAnonymousFunction = outerLocalFunction;
return result;
}
public override BoundNode VisitThisReference(BoundThisReference node)
{
CheckReferenceToThisOrBase(node);
return base.VisitThisReference(node);
}
public override BoundNode VisitBaseReference(BoundBaseReference node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsBaseAccess, node);
}
CheckReferenceToThisOrBase(node);
return base.VisitBaseReference(node);
}
public override BoundNode VisitLocal(BoundLocal node)
{
CheckReferenceToVariable(node, node.LocalSymbol);
return base.VisitLocal(node);
}
public override BoundNode VisitParameter(BoundParameter node)
{
CheckReferenceToVariable(node, node.ParameterSymbol);
return base.VisitParameter(node);
}
private void CheckReferenceToThisOrBase(BoundExpression node)
{
if (_staticLocalOrAnonymousFunction is object)
{
var diagnostic = _staticLocalOrAnonymousFunction.MethodKind == MethodKind.LocalFunction
? ErrorCode.ERR_StaticLocalFunctionCannotCaptureThis
: ErrorCode.ERR_StaticAnonymousFunctionCannotCaptureThis;
Error(diagnostic, node);
}
}
private void CheckReferenceToVariable(BoundExpression node, Symbol symbol)
{
Debug.Assert(symbol.Kind == SymbolKind.Local || symbol.Kind == SymbolKind.Parameter || symbol is LocalFunctionSymbol);
if (_staticLocalOrAnonymousFunction is object && Symbol.IsCaptured(symbol, _staticLocalOrAnonymousFunction))
{
var diagnostic = _staticLocalOrAnonymousFunction.MethodKind == MethodKind.LocalFunction
? ErrorCode.ERR_StaticLocalFunctionCannotCaptureVariable
: ErrorCode.ERR_StaticAnonymousFunctionCannotCaptureVariable;
Error(diagnostic, node, new FormattedSymbol(symbol, SymbolDisplayFormat.ShortFormat));
}
}
private void CheckReferenceToMethodIfLocalFunction(BoundExpression node, MethodSymbol method)
{
if (method?.OriginalDefinition is LocalFunctionSymbol localFunction)
{
CheckReferenceToVariable(node, localFunction);
}
}
public override BoundNode VisitConvertedSwitchExpression(BoundConvertedSwitchExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsSwitchExpression, node);
}
return base.VisitConvertedSwitchExpression(node);
}
public override BoundNode VisitDeconstructionAssignmentOperator(BoundDeconstructionAssignmentOperator node)
{
if (!node.HasAnyErrors)
{
CheckForDeconstructionAssignmentToSelf((BoundTupleExpression)node.Left, node.Right);
}
return base.VisitDeconstructionAssignmentOperator(node);
}
public override BoundNode VisitAssignmentOperator(BoundAssignmentOperator node)
{
CheckForAssignmentToSelf(node);
if (_inExpressionLambda && node.Left.Kind != BoundKind.ObjectInitializerMember && node.Left.Kind != BoundKind.DynamicObjectInitializerMember)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAssignment, node);
}
return base.VisitAssignmentOperator(node);
}
public override BoundNode VisitDynamicObjectInitializerMember(BoundDynamicObjectInitializerMember node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicObjectInitializerMember(node);
}
public override BoundNode VisitEventAccess(BoundEventAccess node)
{
// Don't bother reporting an obsolete diagnostic if the access is already wrong for other reasons
// (specifically, we can't use it as a field here).
if (node.IsUsableAsField)
{
bool hasBaseReceiver = node.ReceiverOpt != null && node.ReceiverOpt.Kind == BoundKind.BaseReference;
Binder.ReportDiagnosticsIfObsolete(_diagnostics, node.EventSymbol.AssociatedField, node.Syntax, hasBaseReceiver, _containingSymbol, _containingSymbol.ContainingType, BinderFlags.None);
}
CheckReceiverIfField(node.ReceiverOpt);
return base.VisitEventAccess(node);
}
public override BoundNode VisitEventAssignmentOperator(BoundEventAssignmentOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAssignment, node);
}
bool hasBaseReceiver = node.ReceiverOpt != null && node.ReceiverOpt.Kind == BoundKind.BaseReference;
Binder.ReportDiagnosticsIfObsolete(_diagnostics, node.Event, ((AssignmentExpressionSyntax)node.Syntax).Left, hasBaseReceiver, _containingSymbol, _containingSymbol.ContainingType, BinderFlags.None);
CheckReceiverIfField(node.ReceiverOpt);
return base.VisitEventAssignmentOperator(node);
}
public override BoundNode VisitCompoundAssignmentOperator(BoundCompoundAssignmentOperator node)
{
CheckCompoundAssignmentOperator(node);
return base.VisitCompoundAssignmentOperator(node);
}
private void VisitCall(
MethodSymbol method,
PropertySymbol propertyAccess,
ImmutableArray<BoundExpression> arguments,
ImmutableArray<RefKind> argumentRefKindsOpt,
ImmutableArray<string> argumentNamesOpt,
BitVector defaultArguments,
BoundNode node)
{
Debug.Assert((object)method != null);
Debug.Assert(((object)propertyAccess == null) ||
(method == propertyAccess.GetOwnOrInheritedGetMethod()) ||
(method == propertyAccess.GetOwnOrInheritedSetMethod()) ||
propertyAccess.MustCallMethodsDirectly);
CheckArguments(argumentRefKindsOpt, arguments, method);
if (_inExpressionLambda)
{
if (method.CallsAreOmitted(node.SyntaxTree))
{
Error(ErrorCode.ERR_PartialMethodInExpressionTree, node);
}
else if ((object)propertyAccess != null && propertyAccess.IsIndexedProperty() && !propertyAccess.IsIndexer)
{
Error(ErrorCode.ERR_ExpressionTreeContainsIndexedProperty, node);
}
else if (hasDefaultArgument(arguments, defaultArguments))
{
Error(ErrorCode.ERR_ExpressionTreeContainsOptionalArgument, node);
}
else if (!argumentNamesOpt.IsDefaultOrEmpty)
{
Error(ErrorCode.ERR_ExpressionTreeContainsNamedArgument, node);
}
else if (IsComCallWithRefOmitted(method, arguments, argumentRefKindsOpt))
{
Error(ErrorCode.ERR_ComRefCallInExpressionTree, node);
}
else if (method.MethodKind == MethodKind.LocalFunction)
{
Error(ErrorCode.ERR_ExpressionTreeContainsLocalFunction, node);
}
else if (method.RefKind != RefKind.None)
{
Error(ErrorCode.ERR_RefReturningCallInExpressionTree, node);
}
else if (method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
}
static bool hasDefaultArgument(ImmutableArray<BoundExpression> arguments, BitVector defaultArguments)
{
for (int i = 0; i < arguments.Length; i++)
{
if (defaultArguments[i])
{
return true;
}
}
return false;
}
}
public override BoundNode Visit(BoundNode node)
{
if (_inExpressionLambda &&
// Ignoring BoundConversion nodes prevents redundant diagnostics
!(node is BoundConversion) &&
node is BoundExpression expr &&
expr.Type is TypeSymbol type &&
type.IsRestrictedType())
{
Error(ErrorCode.ERR_ExpressionTreeCantContainRefStruct, node, type.Name);
}
return base.Visit(node);
}
public override BoundNode VisitRefTypeOperator(BoundRefTypeOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_FeatureNotValidInExpressionTree, node, "__reftype");
}
return base.VisitRefTypeOperator(node);
}
public override BoundNode VisitRefValueOperator(BoundRefValueOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_FeatureNotValidInExpressionTree, node, "__refvalue");
}
return base.VisitRefValueOperator(node);
}
public override BoundNode VisitMakeRefOperator(BoundMakeRefOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_FeatureNotValidInExpressionTree, node, "__makeref");
}
return base.VisitMakeRefOperator(node);
}
public override BoundNode VisitArgListOperator(BoundArgListOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_VarArgsInExpressionTree, node);
}
return base.VisitArgListOperator(node);
}
public override BoundNode VisitConditionalAccess(BoundConditionalAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_NullPropagatingOpInExpressionTree, node);
}
return base.VisitConditionalAccess(node);
}
public override BoundNode VisitObjectInitializerMember(BoundObjectInitializerMember node)
{
if (_inExpressionLambda && !node.Arguments.IsDefaultOrEmpty)
{
Error(ErrorCode.ERR_DictionaryInitializerInExpressionTree, node);
}
if (node.MemberSymbol is PropertySymbol property)
{
CheckRefReturningPropertyAccess(node, property);
}
return base.VisitObjectInitializerMember(node);
}
public override BoundNode VisitCall(BoundCall node)
{
VisitCall(node.Method, null, node.Arguments, node.ArgumentRefKindsOpt, node.ArgumentNamesOpt, node.DefaultArguments, node);
CheckReceiverIfField(node.ReceiverOpt);
CheckReferenceToMethodIfLocalFunction(node, node.Method);
return base.VisitCall(node);
}
/// <summary>
/// Called when a local represents an out variable declaration. Its syntax is of type DeclarationExpressionSyntax.
/// </summary>
private void CheckOutDeclaration(BoundLocal local)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsOutVariable, local);
}
}
private void CheckDiscard(BoundDiscardExpression argument)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDiscard, argument);
}
}
public override BoundNode VisitCollectionElementInitializer(BoundCollectionElementInitializer node)
{
if (_inExpressionLambda && node.AddMethod.IsStatic)
{
Error(ErrorCode.ERR_ExtensionCollectionElementInitializerInExpressionTree, node);
}
VisitCall(node.AddMethod, null, node.Arguments, default(ImmutableArray<RefKind>), default(ImmutableArray<string>), node.DefaultArguments, node);
return base.VisitCollectionElementInitializer(node);
}
public override BoundNode VisitObjectCreationExpression(BoundObjectCreationExpression node)
{
VisitCall(node.Constructor, null, node.Arguments, node.ArgumentRefKindsOpt, node.ArgumentNamesOpt, node.DefaultArguments, node);
return base.VisitObjectCreationExpression(node);
}
public override BoundNode VisitIndexerAccess(BoundIndexerAccess node)
{
var indexer = node.Indexer;
var method = indexer.GetOwnOrInheritedGetMethod() ?? indexer.GetOwnOrInheritedSetMethod();
if ((object)method != null)
{
VisitCall(method, indexer, node.Arguments, node.ArgumentRefKindsOpt, node.ArgumentNamesOpt, node.DefaultArguments, node);
}
CheckReceiverIfField(node.ReceiverOpt);
return base.VisitIndexerAccess(node);
}
private void CheckRefReturningPropertyAccess(BoundNode node, PropertySymbol property)
{
if (_inExpressionLambda && property.RefKind != RefKind.None)
{
Error(ErrorCode.ERR_RefReturningCallInExpressionTree, node);
}
}
public override BoundNode VisitPropertyAccess(BoundPropertyAccess node)
{
var property = node.PropertySymbol;
CheckRefReturningPropertyAccess(node, property);
CheckReceiverIfField(node.ReceiverOpt);
if (_inExpressionLambda && property.IsAbstract && property.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
return base.VisitPropertyAccess(node);
}
public override BoundNode VisitLambda(BoundLambda node)
{
if (_inExpressionLambda)
{
var lambda = node.Symbol;
foreach (var p in lambda.Parameters)
{
if (p.RefKind != RefKind.None && p.Locations.Length != 0)
{
_diagnostics.Add(ErrorCode.ERR_ByRefParameterInExpressionTree, p.Locations[0]);
}
if (p.TypeWithAnnotations.IsRestrictedType())
{
_diagnostics.Add(ErrorCode.ERR_ExpressionTreeCantContainRefStruct, p.Locations[0], p.Type.Name);
}
}
switch (node.Syntax.Kind())
{
case SyntaxKind.ParenthesizedLambdaExpression:
{
var lambdaSyntax = (ParenthesizedLambdaExpressionSyntax)node.Syntax;
if (lambdaSyntax.AsyncKeyword.Kind() == SyntaxKind.AsyncKeyword)
{
Error(ErrorCode.ERR_BadAsyncExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.Block)
{
Error(ErrorCode.ERR_StatementLambdaToExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.RefExpression)
{
Error(ErrorCode.ERR_BadRefReturnExpressionTree, node);
}
}
break;
case SyntaxKind.SimpleLambdaExpression:
{
var lambdaSyntax = (SimpleLambdaExpressionSyntax)node.Syntax;
if (lambdaSyntax.AsyncKeyword.Kind() == SyntaxKind.AsyncKeyword)
{
Error(ErrorCode.ERR_BadAsyncExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.Block)
{
Error(ErrorCode.ERR_StatementLambdaToExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.RefExpression)
{
Error(ErrorCode.ERR_BadRefReturnExpressionTree, node);
}
}
break;
case SyntaxKind.AnonymousMethodExpression:
Error(ErrorCode.ERR_ExpressionTreeContainsAnonymousMethod, node);
break;
default:
// other syntax forms arise from query expressions, and always result from implied expression-lambda-like forms
break;
}
}
var outerLocalFunction = _staticLocalOrAnonymousFunction;
if (node.Symbol.IsStatic)
{
_staticLocalOrAnonymousFunction = node.Symbol;
}
var result = base.VisitLambda(node);
_staticLocalOrAnonymousFunction = outerLocalFunction;
return result;
}
public override BoundNode VisitBinaryOperator(BoundBinaryOperator node)
{
// It is very common for bound trees to be left-heavy binary operators, eg,
// a + b + c + d + ...
// To avoid blowing the stack, do not recurse down the left hand side.
// In order to avoid blowing the stack, we end up visiting right children
// before left children; this should not be a problem in the diagnostics
// pass.
BoundBinaryOperator current = node;
while (true)
{
CheckBinaryOperator(current);
Visit(current.Right);
if (current.Left.Kind == BoundKind.BinaryOperator)
{
current = (BoundBinaryOperator)current.Left;
}
else
{
Visit(current.Left);
break;
}
}
return null;
}
public override BoundNode VisitUserDefinedConditionalLogicalOperator(BoundUserDefinedConditionalLogicalOperator node)
{
CheckLiftedUserDefinedConditionalLogicalOperator(node);
if (_inExpressionLambda)
{
var binary = node.LogicalOperator;
var unary = node.OperatorKind.Operator() == BinaryOperatorKind.And ? node.FalseOperator : node.TrueOperator;
if ((binary.IsAbstract && binary.IsStatic) || (unary.IsAbstract && unary.IsStatic))
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
}
return base.VisitUserDefinedConditionalLogicalOperator(node);
}
private void CheckDynamic(BoundUnaryOperator node)
{
if (_inExpressionLambda && node.OperatorKind.IsDynamic())
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
}
private void CheckDynamic(BoundBinaryOperator node)
{
if (_inExpressionLambda && node.OperatorKind.IsDynamic())
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
}
public override BoundNode VisitUnaryOperator(BoundUnaryOperator node)
{
CheckUnsafeType(node);
CheckLiftedUnaryOp(node);
CheckDynamic(node);
if (_inExpressionLambda && node.MethodOpt is MethodSymbol method && method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
return base.VisitUnaryOperator(node);
}
public override BoundNode VisitAddressOfOperator(BoundAddressOfOperator node)
{
CheckUnsafeType(node);
BoundExpression operand = node.Operand;
if (operand.Kind == BoundKind.FieldAccess)
{
CheckFieldAddress((BoundFieldAccess)operand, consumerOpt: null);
}
return base.VisitAddressOfOperator(node);
}
public override BoundNode VisitIncrementOperator(BoundIncrementOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAssignment, node);
}
return base.VisitIncrementOperator(node);
}
public override BoundNode VisitPointerElementAccess(BoundPointerElementAccess node)
{
NoteUnsafe(node);
return base.VisitPointerElementAccess(node);
}
public override BoundNode VisitPointerIndirectionOperator(BoundPointerIndirectionOperator node)
{
NoteUnsafe(node);
return base.VisitPointerIndirectionOperator(node);
}
public override BoundNode VisitConversion(BoundConversion node)
{
CheckUnsafeType(node.Operand);
CheckUnsafeType(node);
bool wasInExpressionLambda = _inExpressionLambda;
bool oldReportedUnsafe = _reportedUnsafe;
switch (node.ConversionKind)
{
case ConversionKind.MethodGroup:
CheckMethodGroup((BoundMethodGroup)node.Operand, node.Conversion.Method, parentIsConversion: true, node.Type);
return node;
case ConversionKind.AnonymousFunction:
if (!wasInExpressionLambda && node.Type.IsExpressionTree())
{
_inExpressionLambda = true;
// we report "unsafe in expression tree" at most once for each expression tree
_reportedUnsafe = false;
}
break;
case ConversionKind.ImplicitDynamic:
case ConversionKind.ExplicitDynamic:
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
break;
case ConversionKind.ExplicitTuple:
case ConversionKind.ExplicitTupleLiteral:
case ConversionKind.ImplicitTuple:
case ConversionKind.ImplicitTupleLiteral:
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleConversion, node);
}
break;
case ConversionKind.InterpolatedStringHandler:
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsInterpolatedStringHandlerConversion, node);
}
break;
default:
if (_inExpressionLambda && node.Conversion.Method is MethodSymbol method && method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
break;
}
var result = base.VisitConversion(node);
_inExpressionLambda = wasInExpressionLambda;
_reportedUnsafe = oldReportedUnsafe;
return result;
}
public override BoundNode VisitDelegateCreationExpression(BoundDelegateCreationExpression node)
{
if (node.Argument.Kind != BoundKind.MethodGroup)
{
this.Visit(node.Argument);
}
else
{
CheckMethodGroup((BoundMethodGroup)node.Argument, node.MethodOpt, parentIsConversion: true, convertedToType: node.Type);
}
return null;
}
public override BoundNode VisitMethodGroup(BoundMethodGroup node)
{
CheckMethodGroup(node, method: null, parentIsConversion: false, convertedToType: null);
return null;
}
private void CheckMethodGroup(BoundMethodGroup node, MethodSymbol method, bool parentIsConversion, TypeSymbol convertedToType)
{
// Formerly reported ERR_MemGroupInExpressionTree when this occurred, but the expanded
// ERR_LambdaInIsAs makes this impossible (since the node will always be wrapped in
// a failed conversion).
Debug.Assert(!(!parentIsConversion && _inExpressionLambda));
if (_inExpressionLambda)
{
if ((node.LookupSymbolOpt as MethodSymbol)?.MethodKind == MethodKind.LocalFunction)
{
Error(ErrorCode.ERR_ExpressionTreeContainsLocalFunction, node);
}
else if (parentIsConversion && convertedToType.IsFunctionPointer())
{
Error(ErrorCode.ERR_AddressOfMethodGroupInExpressionTree, node);
}
else if (method is not null && method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
}
CheckReceiverIfField(node.ReceiverOpt);
CheckReferenceToMethodIfLocalFunction(node, method);
if (method is null || method.RequiresInstanceReceiver)
{
Visit(node.ReceiverOpt);
}
}
public override BoundNode VisitNameOfOperator(BoundNameOfOperator node)
{
// The nameof(...) operator collapses to a constant in an expression tree,
// so it does not matter what is recursively within it.
return node;
}
public override BoundNode VisitNullCoalescingOperator(BoundNullCoalescingOperator node)
{
if (_inExpressionLambda && (node.LeftOperand.IsLiteralNull() || node.LeftOperand.IsLiteralDefault()))
{
Error(ErrorCode.ERR_ExpressionTreeContainsBadCoalesce, node.LeftOperand);
}
return base.VisitNullCoalescingOperator(node);
}
public override BoundNode VisitNullCoalescingAssignmentOperator(BoundNullCoalescingAssignmentOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeCantContainNullCoalescingAssignment, node);
}
return base.VisitNullCoalescingAssignmentOperator(node);
}
public override BoundNode VisitDynamicInvocation(BoundDynamicInvocation node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
// avoid reporting errors for the method group:
if (node.Expression.Kind == BoundKind.MethodGroup)
{
return base.VisitMethodGroup((BoundMethodGroup)node.Expression);
}
}
return base.VisitDynamicInvocation(node);
}
public override BoundNode VisitDynamicIndexerAccess(BoundDynamicIndexerAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
CheckReceiverIfField(node.Receiver);
return base.VisitDynamicIndexerAccess(node);
}
public override BoundNode VisitDynamicMemberAccess(BoundDynamicMemberAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicMemberAccess(node);
}
public override BoundNode VisitDynamicCollectionElementInitializer(BoundDynamicCollectionElementInitializer node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicCollectionElementInitializer(node);
}
public override BoundNode VisitDynamicObjectCreationExpression(BoundDynamicObjectCreationExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicObjectCreationExpression(node);
}
public override BoundNode VisitIsPatternExpression(BoundIsPatternExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsIsMatch, node);
}
return base.VisitIsPatternExpression(node);
}
public override BoundNode VisitConvertedTupleLiteral(BoundConvertedTupleLiteral node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleLiteral, node);
}
return base.VisitConvertedTupleLiteral(node);
}
public override BoundNode VisitTupleLiteral(BoundTupleLiteral node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleLiteral, node);
}
return base.VisitTupleLiteral(node);
}
public override BoundNode VisitTupleBinaryOperator(BoundTupleBinaryOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleBinOp, node);
}
return base.VisitTupleBinaryOperator(node);
}
public override BoundNode VisitThrowExpression(BoundThrowExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsThrowExpression, node);
}
return base.VisitThrowExpression(node);
}
public override BoundNode VisitWithExpression(BoundWithExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsWithExpression, node);
}
return base.VisitWithExpression(node);
}
}
}
| // 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 System.Diagnostics;
using Microsoft.CodeAnalysis.CSharp.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
namespace Microsoft.CodeAnalysis.CSharp
{
/// <summary>
/// This pass detects and reports diagnostics that do not affect lambda convertibility.
/// This part of the partial class focuses on features that cannot be used in expression trees.
/// CAVEAT: Errors may be produced for ObsoleteAttribute, but such errors don't affect lambda convertibility.
/// </summary>
internal sealed partial class DiagnosticsPass
{
private readonly BindingDiagnosticBag _diagnostics;
private readonly CSharpCompilation _compilation;
private bool _inExpressionLambda;
private bool _reportedUnsafe;
private readonly MethodSymbol _containingSymbol;
// Containing static local function, static anonymous function, or static lambda.
private SourceMethodSymbol _staticLocalOrAnonymousFunction;
public static void IssueDiagnostics(CSharpCompilation compilation, BoundNode node, BindingDiagnosticBag diagnostics, MethodSymbol containingSymbol)
{
Debug.Assert(node != null);
Debug.Assert((object)containingSymbol != null);
ExecutableCodeBinder.ValidateIteratorMethod(compilation, containingSymbol, diagnostics);
try
{
var diagnosticPass = new DiagnosticsPass(compilation, diagnostics, containingSymbol);
diagnosticPass.Visit(node);
}
catch (CancelledByStackGuardException ex)
{
ex.AddAnError(diagnostics);
}
}
private DiagnosticsPass(CSharpCompilation compilation, BindingDiagnosticBag diagnostics, MethodSymbol containingSymbol)
{
Debug.Assert(diagnostics != null);
Debug.Assert((object)containingSymbol != null);
_compilation = compilation;
_diagnostics = diagnostics;
_containingSymbol = containingSymbol;
}
private void Error(ErrorCode code, BoundNode node, params object[] args)
{
_diagnostics.Add(code, node.Syntax.Location, args);
}
private void CheckUnsafeType(BoundExpression e)
{
if (e != null && (object)e.Type != null && e.Type.IsPointerOrFunctionPointer()) NoteUnsafe(e);
}
private void NoteUnsafe(BoundNode node)
{
if (_inExpressionLambda && !_reportedUnsafe)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPointerOp, node);
_reportedUnsafe = true;
}
}
public override BoundNode VisitArrayCreation(BoundArrayCreation node)
{
var arrayType = (ArrayTypeSymbol)node.Type;
if (_inExpressionLambda && node.InitializerOpt != null && !arrayType.IsSZArray)
{
Error(ErrorCode.ERR_ExpressionTreeContainsMultiDimensionalArrayInitializer, node);
}
return base.VisitArrayCreation(node);
}
public override BoundNode VisitArrayAccess(BoundArrayAccess node)
{
if (_inExpressionLambda &&
node.Indices.Length == 1 &&
node.Indices[0].Type!.SpecialType == SpecialType.None)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPatternIndexOrRangeIndexer, node);
}
return base.VisitArrayAccess(node);
}
public override BoundNode VisitIndexOrRangePatternIndexerAccess(BoundIndexOrRangePatternIndexerAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPatternIndexOrRangeIndexer, node);
}
return base.VisitIndexOrRangePatternIndexerAccess(node);
}
public override BoundNode VisitFromEndIndexExpression(BoundFromEndIndexExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsFromEndIndexExpression, node);
}
return base.VisitFromEndIndexExpression(node);
}
public override BoundNode VisitRangeExpression(BoundRangeExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsRangeExpression, node);
}
return base.VisitRangeExpression(node);
}
public override BoundNode VisitSizeOfOperator(BoundSizeOfOperator node)
{
if (_inExpressionLambda && node.ConstantValue == null)
{
Error(ErrorCode.ERR_ExpressionTreeContainsPointerOp, node);
}
return base.VisitSizeOfOperator(node);
}
public override BoundNode VisitLocalFunctionStatement(BoundLocalFunctionStatement node)
{
ExecutableCodeBinder.ValidateIteratorMethod(_compilation, node.Symbol, _diagnostics);
var outerLocalFunction = _staticLocalOrAnonymousFunction;
if (node.Symbol.IsStatic)
{
_staticLocalOrAnonymousFunction = node.Symbol;
}
var result = base.VisitLocalFunctionStatement(node);
_staticLocalOrAnonymousFunction = outerLocalFunction;
return result;
}
public override BoundNode VisitThisReference(BoundThisReference node)
{
CheckReferenceToThisOrBase(node);
return base.VisitThisReference(node);
}
public override BoundNode VisitBaseReference(BoundBaseReference node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsBaseAccess, node);
}
CheckReferenceToThisOrBase(node);
return base.VisitBaseReference(node);
}
public override BoundNode VisitLocal(BoundLocal node)
{
CheckReferenceToVariable(node, node.LocalSymbol);
return base.VisitLocal(node);
}
public override BoundNode VisitParameter(BoundParameter node)
{
CheckReferenceToVariable(node, node.ParameterSymbol);
return base.VisitParameter(node);
}
private void CheckReferenceToThisOrBase(BoundExpression node)
{
if (_staticLocalOrAnonymousFunction is object)
{
var diagnostic = _staticLocalOrAnonymousFunction.MethodKind == MethodKind.LocalFunction
? ErrorCode.ERR_StaticLocalFunctionCannotCaptureThis
: ErrorCode.ERR_StaticAnonymousFunctionCannotCaptureThis;
Error(diagnostic, node);
}
}
private void CheckReferenceToVariable(BoundExpression node, Symbol symbol)
{
Debug.Assert(symbol.Kind == SymbolKind.Local || symbol.Kind == SymbolKind.Parameter || symbol is LocalFunctionSymbol);
if (_staticLocalOrAnonymousFunction is object && Symbol.IsCaptured(symbol, _staticLocalOrAnonymousFunction))
{
var diagnostic = _staticLocalOrAnonymousFunction.MethodKind == MethodKind.LocalFunction
? ErrorCode.ERR_StaticLocalFunctionCannotCaptureVariable
: ErrorCode.ERR_StaticAnonymousFunctionCannotCaptureVariable;
Error(diagnostic, node, new FormattedSymbol(symbol, SymbolDisplayFormat.ShortFormat));
}
}
private void CheckReferenceToMethodIfLocalFunction(BoundExpression node, MethodSymbol method)
{
if (method?.OriginalDefinition is LocalFunctionSymbol localFunction)
{
CheckReferenceToVariable(node, localFunction);
}
}
public override BoundNode VisitConvertedSwitchExpression(BoundConvertedSwitchExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsSwitchExpression, node);
}
return base.VisitConvertedSwitchExpression(node);
}
public override BoundNode VisitDeconstructionAssignmentOperator(BoundDeconstructionAssignmentOperator node)
{
if (!node.HasAnyErrors)
{
CheckForDeconstructionAssignmentToSelf((BoundTupleExpression)node.Left, node.Right);
}
return base.VisitDeconstructionAssignmentOperator(node);
}
public override BoundNode VisitAssignmentOperator(BoundAssignmentOperator node)
{
CheckForAssignmentToSelf(node);
if (_inExpressionLambda && node.Left.Kind != BoundKind.ObjectInitializerMember && node.Left.Kind != BoundKind.DynamicObjectInitializerMember)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAssignment, node);
}
return base.VisitAssignmentOperator(node);
}
public override BoundNode VisitDynamicObjectInitializerMember(BoundDynamicObjectInitializerMember node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicObjectInitializerMember(node);
}
public override BoundNode VisitEventAccess(BoundEventAccess node)
{
// Don't bother reporting an obsolete diagnostic if the access is already wrong for other reasons
// (specifically, we can't use it as a field here).
if (node.IsUsableAsField)
{
bool hasBaseReceiver = node.ReceiverOpt != null && node.ReceiverOpt.Kind == BoundKind.BaseReference;
Binder.ReportDiagnosticsIfObsolete(_diagnostics, node.EventSymbol.AssociatedField, node.Syntax, hasBaseReceiver, _containingSymbol, _containingSymbol.ContainingType, BinderFlags.None);
}
CheckReceiverIfField(node.ReceiverOpt);
return base.VisitEventAccess(node);
}
public override BoundNode VisitEventAssignmentOperator(BoundEventAssignmentOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAssignment, node);
}
bool hasBaseReceiver = node.ReceiverOpt != null && node.ReceiverOpt.Kind == BoundKind.BaseReference;
Binder.ReportDiagnosticsIfObsolete(_diagnostics, node.Event, ((AssignmentExpressionSyntax)node.Syntax).Left, hasBaseReceiver, _containingSymbol, _containingSymbol.ContainingType, BinderFlags.None);
CheckReceiverIfField(node.ReceiverOpt);
return base.VisitEventAssignmentOperator(node);
}
public override BoundNode VisitCompoundAssignmentOperator(BoundCompoundAssignmentOperator node)
{
CheckCompoundAssignmentOperator(node);
return base.VisitCompoundAssignmentOperator(node);
}
private void VisitCall(
MethodSymbol method,
PropertySymbol propertyAccess,
ImmutableArray<BoundExpression> arguments,
ImmutableArray<RefKind> argumentRefKindsOpt,
ImmutableArray<string> argumentNamesOpt,
BitVector defaultArguments,
BoundNode node)
{
Debug.Assert((object)method != null);
Debug.Assert(((object)propertyAccess == null) ||
(method == propertyAccess.GetOwnOrInheritedGetMethod()) ||
(method == propertyAccess.GetOwnOrInheritedSetMethod()) ||
propertyAccess.MustCallMethodsDirectly);
CheckArguments(argumentRefKindsOpt, arguments, method);
if (_inExpressionLambda)
{
if (method.CallsAreOmitted(node.SyntaxTree))
{
Error(ErrorCode.ERR_PartialMethodInExpressionTree, node);
}
else if ((object)propertyAccess != null && propertyAccess.IsIndexedProperty() && !propertyAccess.IsIndexer)
{
Error(ErrorCode.ERR_ExpressionTreeContainsIndexedProperty, node);
}
else if (hasDefaultArgument(arguments, defaultArguments))
{
Error(ErrorCode.ERR_ExpressionTreeContainsOptionalArgument, node);
}
else if (!argumentNamesOpt.IsDefaultOrEmpty)
{
Error(ErrorCode.ERR_ExpressionTreeContainsNamedArgument, node);
}
else if (IsComCallWithRefOmitted(method, arguments, argumentRefKindsOpt))
{
Error(ErrorCode.ERR_ComRefCallInExpressionTree, node);
}
else if (method.MethodKind == MethodKind.LocalFunction)
{
Error(ErrorCode.ERR_ExpressionTreeContainsLocalFunction, node);
}
else if (method.RefKind != RefKind.None)
{
Error(ErrorCode.ERR_RefReturningCallInExpressionTree, node);
}
else if (method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
}
static bool hasDefaultArgument(ImmutableArray<BoundExpression> arguments, BitVector defaultArguments)
{
for (int i = 0; i < arguments.Length; i++)
{
if (defaultArguments[i])
{
return true;
}
}
return false;
}
}
public override BoundNode Visit(BoundNode node)
{
if (_inExpressionLambda &&
// Ignoring BoundConversion nodes prevents redundant diagnostics
!(node is BoundConversion) &&
node is BoundExpression expr &&
expr.Type is TypeSymbol type &&
type.IsRestrictedType())
{
Error(ErrorCode.ERR_ExpressionTreeCantContainRefStruct, node, type.Name);
}
return base.Visit(node);
}
public override BoundNode VisitRefTypeOperator(BoundRefTypeOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_FeatureNotValidInExpressionTree, node, "__reftype");
}
return base.VisitRefTypeOperator(node);
}
public override BoundNode VisitRefValueOperator(BoundRefValueOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_FeatureNotValidInExpressionTree, node, "__refvalue");
}
return base.VisitRefValueOperator(node);
}
public override BoundNode VisitMakeRefOperator(BoundMakeRefOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_FeatureNotValidInExpressionTree, node, "__makeref");
}
return base.VisitMakeRefOperator(node);
}
public override BoundNode VisitArgListOperator(BoundArgListOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_VarArgsInExpressionTree, node);
}
return base.VisitArgListOperator(node);
}
public override BoundNode VisitConditionalAccess(BoundConditionalAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_NullPropagatingOpInExpressionTree, node);
}
return base.VisitConditionalAccess(node);
}
public override BoundNode VisitObjectInitializerMember(BoundObjectInitializerMember node)
{
if (_inExpressionLambda && !node.Arguments.IsDefaultOrEmpty)
{
Error(ErrorCode.ERR_DictionaryInitializerInExpressionTree, node);
}
if (node.MemberSymbol is PropertySymbol property)
{
CheckRefReturningPropertyAccess(node, property);
}
return base.VisitObjectInitializerMember(node);
}
public override BoundNode VisitCall(BoundCall node)
{
VisitCall(node.Method, null, node.Arguments, node.ArgumentRefKindsOpt, node.ArgumentNamesOpt, node.DefaultArguments, node);
CheckReceiverIfField(node.ReceiverOpt);
CheckReferenceToMethodIfLocalFunction(node, node.Method);
return base.VisitCall(node);
}
/// <summary>
/// Called when a local represents an out variable declaration. Its syntax is of type DeclarationExpressionSyntax.
/// </summary>
private void CheckOutDeclaration(BoundLocal local)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsOutVariable, local);
}
}
private void CheckDiscard(BoundDiscardExpression argument)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDiscard, argument);
}
}
public override BoundNode VisitCollectionElementInitializer(BoundCollectionElementInitializer node)
{
if (_inExpressionLambda && node.AddMethod.IsStatic)
{
Error(ErrorCode.ERR_ExtensionCollectionElementInitializerInExpressionTree, node);
}
VisitCall(node.AddMethod, null, node.Arguments, default(ImmutableArray<RefKind>), default(ImmutableArray<string>), node.DefaultArguments, node);
return base.VisitCollectionElementInitializer(node);
}
public override BoundNode VisitObjectCreationExpression(BoundObjectCreationExpression node)
{
VisitCall(node.Constructor, null, node.Arguments, node.ArgumentRefKindsOpt, node.ArgumentNamesOpt, node.DefaultArguments, node);
return base.VisitObjectCreationExpression(node);
}
public override BoundNode VisitIndexerAccess(BoundIndexerAccess node)
{
var indexer = node.Indexer;
var method = indexer.GetOwnOrInheritedGetMethod() ?? indexer.GetOwnOrInheritedSetMethod();
if ((object)method != null)
{
VisitCall(method, indexer, node.Arguments, node.ArgumentRefKindsOpt, node.ArgumentNamesOpt, node.DefaultArguments, node);
}
CheckReceiverIfField(node.ReceiverOpt);
return base.VisitIndexerAccess(node);
}
private void CheckRefReturningPropertyAccess(BoundNode node, PropertySymbol property)
{
if (_inExpressionLambda && property.RefKind != RefKind.None)
{
Error(ErrorCode.ERR_RefReturningCallInExpressionTree, node);
}
}
public override BoundNode VisitPropertyAccess(BoundPropertyAccess node)
{
var property = node.PropertySymbol;
CheckRefReturningPropertyAccess(node, property);
CheckReceiverIfField(node.ReceiverOpt);
if (_inExpressionLambda && property.IsAbstract && property.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
return base.VisitPropertyAccess(node);
}
public override BoundNode VisitLambda(BoundLambda node)
{
if (_inExpressionLambda)
{
var lambda = node.Symbol;
foreach (var p in lambda.Parameters)
{
if (p.RefKind != RefKind.None && p.Locations.Length != 0)
{
_diagnostics.Add(ErrorCode.ERR_ByRefParameterInExpressionTree, p.Locations[0]);
}
if (p.TypeWithAnnotations.IsRestrictedType())
{
_diagnostics.Add(ErrorCode.ERR_ExpressionTreeCantContainRefStruct, p.Locations[0], p.Type.Name);
}
}
switch (node.Syntax.Kind())
{
case SyntaxKind.ParenthesizedLambdaExpression:
{
var lambdaSyntax = (ParenthesizedLambdaExpressionSyntax)node.Syntax;
if (lambdaSyntax.AsyncKeyword.Kind() == SyntaxKind.AsyncKeyword)
{
Error(ErrorCode.ERR_BadAsyncExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.Block)
{
Error(ErrorCode.ERR_StatementLambdaToExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.RefExpression)
{
Error(ErrorCode.ERR_BadRefReturnExpressionTree, node);
}
}
break;
case SyntaxKind.SimpleLambdaExpression:
{
var lambdaSyntax = (SimpleLambdaExpressionSyntax)node.Syntax;
if (lambdaSyntax.AsyncKeyword.Kind() == SyntaxKind.AsyncKeyword)
{
Error(ErrorCode.ERR_BadAsyncExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.Block)
{
Error(ErrorCode.ERR_StatementLambdaToExpressionTree, node);
}
else if (lambdaSyntax.Body.Kind() == SyntaxKind.RefExpression)
{
Error(ErrorCode.ERR_BadRefReturnExpressionTree, node);
}
}
break;
case SyntaxKind.AnonymousMethodExpression:
Error(ErrorCode.ERR_ExpressionTreeContainsAnonymousMethod, node);
break;
default:
// other syntax forms arise from query expressions, and always result from implied expression-lambda-like forms
break;
}
}
var outerLocalFunction = _staticLocalOrAnonymousFunction;
if (node.Symbol.IsStatic)
{
_staticLocalOrAnonymousFunction = node.Symbol;
}
var result = base.VisitLambda(node);
_staticLocalOrAnonymousFunction = outerLocalFunction;
return result;
}
public override BoundNode VisitBinaryOperator(BoundBinaryOperator node)
{
// It is very common for bound trees to be left-heavy binary operators, eg,
// a + b + c + d + ...
// To avoid blowing the stack, do not recurse down the left hand side.
// In order to avoid blowing the stack, we end up visiting right children
// before left children; this should not be a problem in the diagnostics
// pass.
BoundBinaryOperator current = node;
while (true)
{
CheckBinaryOperator(current);
Visit(current.Right);
if (current.Left.Kind == BoundKind.BinaryOperator)
{
current = (BoundBinaryOperator)current.Left;
}
else
{
Visit(current.Left);
break;
}
}
return null;
}
public override BoundNode VisitUserDefinedConditionalLogicalOperator(BoundUserDefinedConditionalLogicalOperator node)
{
CheckLiftedUserDefinedConditionalLogicalOperator(node);
if (_inExpressionLambda)
{
var binary = node.LogicalOperator;
var unary = node.OperatorKind.Operator() == BinaryOperatorKind.And ? node.FalseOperator : node.TrueOperator;
if ((binary.IsAbstract && binary.IsStatic) || (unary.IsAbstract && unary.IsStatic))
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
}
return base.VisitUserDefinedConditionalLogicalOperator(node);
}
private void CheckDynamic(BoundUnaryOperator node)
{
if (_inExpressionLambda && node.OperatorKind.IsDynamic())
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
}
private void CheckDynamic(BoundBinaryOperator node)
{
if (_inExpressionLambda && node.OperatorKind.IsDynamic())
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
}
public override BoundNode VisitUnaryOperator(BoundUnaryOperator node)
{
CheckUnsafeType(node);
CheckLiftedUnaryOp(node);
CheckDynamic(node);
if (_inExpressionLambda && node.MethodOpt is MethodSymbol method && method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
return base.VisitUnaryOperator(node);
}
public override BoundNode VisitAddressOfOperator(BoundAddressOfOperator node)
{
CheckUnsafeType(node);
BoundExpression operand = node.Operand;
if (operand.Kind == BoundKind.FieldAccess)
{
CheckFieldAddress((BoundFieldAccess)operand, consumerOpt: null);
}
return base.VisitAddressOfOperator(node);
}
public override BoundNode VisitIncrementOperator(BoundIncrementOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAssignment, node);
}
return base.VisitIncrementOperator(node);
}
public override BoundNode VisitPointerElementAccess(BoundPointerElementAccess node)
{
NoteUnsafe(node);
return base.VisitPointerElementAccess(node);
}
public override BoundNode VisitPointerIndirectionOperator(BoundPointerIndirectionOperator node)
{
NoteUnsafe(node);
return base.VisitPointerIndirectionOperator(node);
}
public override BoundNode VisitConversion(BoundConversion node)
{
CheckUnsafeType(node.Operand);
CheckUnsafeType(node);
bool wasInExpressionLambda = _inExpressionLambda;
bool oldReportedUnsafe = _reportedUnsafe;
switch (node.ConversionKind)
{
case ConversionKind.MethodGroup:
CheckMethodGroup((BoundMethodGroup)node.Operand, node.Conversion.Method, parentIsConversion: true, node.Type);
return node;
case ConversionKind.AnonymousFunction:
if (!wasInExpressionLambda && node.Type.IsExpressionTree())
{
_inExpressionLambda = true;
// we report "unsafe in expression tree" at most once for each expression tree
_reportedUnsafe = false;
}
break;
case ConversionKind.ImplicitDynamic:
case ConversionKind.ExplicitDynamic:
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
break;
case ConversionKind.ExplicitTuple:
case ConversionKind.ExplicitTupleLiteral:
case ConversionKind.ImplicitTuple:
case ConversionKind.ImplicitTupleLiteral:
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleConversion, node);
}
break;
case ConversionKind.InterpolatedStringHandler:
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsInterpolatedStringHandlerConversion, node);
}
break;
default:
if (_inExpressionLambda && node.Conversion.Method is MethodSymbol method && method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
break;
}
var result = base.VisitConversion(node);
_inExpressionLambda = wasInExpressionLambda;
_reportedUnsafe = oldReportedUnsafe;
return result;
}
public override BoundNode VisitDelegateCreationExpression(BoundDelegateCreationExpression node)
{
if (node.Argument.Kind != BoundKind.MethodGroup)
{
this.Visit(node.Argument);
}
else
{
CheckMethodGroup((BoundMethodGroup)node.Argument, node.MethodOpt, parentIsConversion: true, convertedToType: node.Type);
}
return null;
}
public override BoundNode VisitMethodGroup(BoundMethodGroup node)
{
CheckMethodGroup(node, method: null, parentIsConversion: false, convertedToType: null);
return null;
}
private void CheckMethodGroup(BoundMethodGroup node, MethodSymbol method, bool parentIsConversion, TypeSymbol convertedToType)
{
// Formerly reported ERR_MemGroupInExpressionTree when this occurred, but the expanded
// ERR_LambdaInIsAs makes this impossible (since the node will always be wrapped in
// a failed conversion).
Debug.Assert(!(!parentIsConversion && _inExpressionLambda));
if (_inExpressionLambda)
{
if ((node.LookupSymbolOpt as MethodSymbol)?.MethodKind == MethodKind.LocalFunction)
{
Error(ErrorCode.ERR_ExpressionTreeContainsLocalFunction, node);
}
else if (parentIsConversion && convertedToType.IsFunctionPointer())
{
Error(ErrorCode.ERR_AddressOfMethodGroupInExpressionTree, node);
}
else if (method is not null && method.IsAbstract && method.IsStatic)
{
Error(ErrorCode.ERR_ExpressionTreeContainsAbstractStaticMemberAccess, node);
}
}
CheckReceiverIfField(node.ReceiverOpt);
CheckReferenceToMethodIfLocalFunction(node, method);
if (method is null || method.RequiresInstanceReceiver)
{
Visit(node.ReceiverOpt);
}
}
public override BoundNode VisitNameOfOperator(BoundNameOfOperator node)
{
// The nameof(...) operator collapses to a constant in an expression tree,
// so it does not matter what is recursively within it.
return node;
}
public override BoundNode VisitNullCoalescingOperator(BoundNullCoalescingOperator node)
{
if (_inExpressionLambda && (node.LeftOperand.IsLiteralNull() || node.LeftOperand.IsLiteralDefault()))
{
Error(ErrorCode.ERR_ExpressionTreeContainsBadCoalesce, node.LeftOperand);
}
return base.VisitNullCoalescingOperator(node);
}
public override BoundNode VisitNullCoalescingAssignmentOperator(BoundNullCoalescingAssignmentOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeCantContainNullCoalescingAssignment, node);
}
return base.VisitNullCoalescingAssignmentOperator(node);
}
public override BoundNode VisitDynamicInvocation(BoundDynamicInvocation node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
// avoid reporting errors for the method group:
if (node.Expression.Kind == BoundKind.MethodGroup)
{
return base.VisitMethodGroup((BoundMethodGroup)node.Expression);
}
}
return base.VisitDynamicInvocation(node);
}
public override BoundNode VisitDynamicIndexerAccess(BoundDynamicIndexerAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
CheckReceiverIfField(node.Receiver);
return base.VisitDynamicIndexerAccess(node);
}
public override BoundNode VisitDynamicMemberAccess(BoundDynamicMemberAccess node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicMemberAccess(node);
}
public override BoundNode VisitDynamicCollectionElementInitializer(BoundDynamicCollectionElementInitializer node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicCollectionElementInitializer(node);
}
public override BoundNode VisitDynamicObjectCreationExpression(BoundDynamicObjectCreationExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsDynamicOperation, node);
}
return base.VisitDynamicObjectCreationExpression(node);
}
public override BoundNode VisitIsPatternExpression(BoundIsPatternExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsIsMatch, node);
}
return base.VisitIsPatternExpression(node);
}
public override BoundNode VisitConvertedTupleLiteral(BoundConvertedTupleLiteral node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleLiteral, node);
}
return base.VisitConvertedTupleLiteral(node);
}
public override BoundNode VisitTupleLiteral(BoundTupleLiteral node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleLiteral, node);
}
return base.VisitTupleLiteral(node);
}
public override BoundNode VisitTupleBinaryOperator(BoundTupleBinaryOperator node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsTupleBinOp, node);
}
return base.VisitTupleBinaryOperator(node);
}
public override BoundNode VisitThrowExpression(BoundThrowExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsThrowExpression, node);
}
return base.VisitThrowExpression(node);
}
public override BoundNode VisitWithExpression(BoundWithExpression node)
{
if (_inExpressionLambda)
{
Error(ErrorCode.ERR_ExpressionTreeContainsWithExpression, node);
}
return base.VisitWithExpression(node);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/VisualBasic/Portable/Completion/KeywordRecommenders/AbstractKeywordRecommender.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.Collections.Immutable
Imports System.Threading
Imports Microsoft.CodeAnalysis.Completion.Providers
Imports Microsoft.CodeAnalysis.VisualBasic.Extensions.ContextQuery
Namespace Microsoft.CodeAnalysis.VisualBasic.Completion.KeywordRecommenders
Friend MustInherit Class AbstractKeywordRecommender
Implements IKeywordRecommender(Of VisualBasicSyntaxContext)
Public Function RecommendKeywords(
position As Integer,
context As VisualBasicSyntaxContext,
cancellationToken As CancellationToken) As ImmutableArray(Of RecommendedKeyword) Implements IKeywordRecommender(Of VisualBasicSyntaxContext).RecommendKeywords
Return RecommendKeywords(context, cancellationToken)
End Function
Friend Function RecommendKeywords_Test(context As VisualBasicSyntaxContext) As ImmutableArray(Of RecommendedKeyword)
Return RecommendKeywords(context, CancellationToken.None)
End Function
Protected MustOverride Function RecommendKeywords(context As VisualBasicSyntaxContext, cancellationToken As CancellationToken) As ImmutableArray(Of RecommendedKeyword)
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.Collections.Immutable
Imports System.Threading
Imports Microsoft.CodeAnalysis.Completion.Providers
Imports Microsoft.CodeAnalysis.VisualBasic.Extensions.ContextQuery
Namespace Microsoft.CodeAnalysis.VisualBasic.Completion.KeywordRecommenders
Friend MustInherit Class AbstractKeywordRecommender
Implements IKeywordRecommender(Of VisualBasicSyntaxContext)
Public Function RecommendKeywords(
position As Integer,
context As VisualBasicSyntaxContext,
cancellationToken As CancellationToken) As ImmutableArray(Of RecommendedKeyword) Implements IKeywordRecommender(Of VisualBasicSyntaxContext).RecommendKeywords
Return RecommendKeywords(context, cancellationToken)
End Function
Friend Function RecommendKeywords_Test(context As VisualBasicSyntaxContext) As ImmutableArray(Of RecommendedKeyword)
Return RecommendKeywords(context, CancellationToken.None)
End Function
Protected MustOverride Function RecommendKeywords(context As VisualBasicSyntaxContext, cancellationToken As CancellationToken) As ImmutableArray(Of RecommendedKeyword)
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Core/Portable/Shared/Extensions/ITypeSymbolExtensions.UnavailableTypeParameterRemover.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 System.Linq;
namespace Microsoft.CodeAnalysis.Shared.Extensions
{
internal static partial class ITypeSymbolExtensions
{
private class UnavailableTypeParameterRemover : SymbolVisitor<ITypeSymbol>
{
private readonly Compilation _compilation;
private readonly ISet<string> _availableTypeParameterNames;
public UnavailableTypeParameterRemover(Compilation compilation, ISet<string> availableTypeParameterNames)
{
_compilation = compilation;
_availableTypeParameterNames = availableTypeParameterNames;
}
public override ITypeSymbol DefaultVisit(ISymbol node)
=> throw new NotImplementedException();
public override ITypeSymbol VisitDynamicType(IDynamicTypeSymbol symbol)
=> symbol;
public override ITypeSymbol VisitArrayType(IArrayTypeSymbol symbol)
{
var elementType = symbol.ElementType.Accept(this);
if (elementType != null && elementType.Equals(symbol.ElementType))
{
return symbol;
}
return _compilation.CreateArrayTypeSymbol(elementType, symbol.Rank);
}
public override ITypeSymbol VisitFunctionPointerType(IFunctionPointerTypeSymbol symbol)
{
// TODO(https://github.com/dotnet/roslyn/issues/43890): implement this
return symbol;
}
public override ITypeSymbol VisitNamedType(INamedTypeSymbol symbol)
{
var arguments = symbol.TypeArguments.Select(t => t.Accept(this)).ToArray();
if (arguments.SequenceEqual(symbol.TypeArguments))
{
return symbol;
}
return symbol.ConstructedFrom.Construct(arguments.ToArray());
}
public override ITypeSymbol VisitPointerType(IPointerTypeSymbol symbol)
{
var elementType = symbol.PointedAtType.Accept(this);
if (elementType != null && elementType.Equals(symbol.PointedAtType))
{
return symbol;
}
return _compilation.CreatePointerTypeSymbol(elementType);
}
public override ITypeSymbol VisitTypeParameter(ITypeParameterSymbol symbol)
{
if (_availableTypeParameterNames.Contains(symbol.Name))
{
return symbol;
}
return _compilation.ObjectType;
}
}
}
}
| // 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 System.Linq;
namespace Microsoft.CodeAnalysis.Shared.Extensions
{
internal static partial class ITypeSymbolExtensions
{
private class UnavailableTypeParameterRemover : SymbolVisitor<ITypeSymbol>
{
private readonly Compilation _compilation;
private readonly ISet<string> _availableTypeParameterNames;
public UnavailableTypeParameterRemover(Compilation compilation, ISet<string> availableTypeParameterNames)
{
_compilation = compilation;
_availableTypeParameterNames = availableTypeParameterNames;
}
public override ITypeSymbol DefaultVisit(ISymbol node)
=> throw new NotImplementedException();
public override ITypeSymbol VisitDynamicType(IDynamicTypeSymbol symbol)
=> symbol;
public override ITypeSymbol VisitArrayType(IArrayTypeSymbol symbol)
{
var elementType = symbol.ElementType.Accept(this);
if (elementType != null && elementType.Equals(symbol.ElementType))
{
return symbol;
}
return _compilation.CreateArrayTypeSymbol(elementType, symbol.Rank);
}
public override ITypeSymbol VisitFunctionPointerType(IFunctionPointerTypeSymbol symbol)
{
// TODO(https://github.com/dotnet/roslyn/issues/43890): implement this
return symbol;
}
public override ITypeSymbol VisitNamedType(INamedTypeSymbol symbol)
{
var arguments = symbol.TypeArguments.Select(t => t.Accept(this)).ToArray();
if (arguments.SequenceEqual(symbol.TypeArguments))
{
return symbol;
}
return symbol.ConstructedFrom.Construct(arguments.ToArray());
}
public override ITypeSymbol VisitPointerType(IPointerTypeSymbol symbol)
{
var elementType = symbol.PointedAtType.Accept(this);
if (elementType != null && elementType.Equals(symbol.PointedAtType))
{
return symbol;
}
return _compilation.CreatePointerTypeSymbol(elementType);
}
public override ITypeSymbol VisitTypeParameter(ITypeParameterSymbol symbol)
{
if (_availableTypeParameterNames.Contains(symbol.Name))
{
return symbol;
}
return _compilation.ObjectType;
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/SymbolDisplay/SymbolDisplayPartKind.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.
namespace Microsoft.CodeAnalysis
{
/// <summary>
/// Specifies the kinds of a piece of classified text (SymbolDisplayPart).
/// </summary>
public enum SymbolDisplayPartKind
{
/// <summary>The name of an alias.</summary>
AliasName = 0,
/// <summary>The name of an assembly.</summary>
AssemblyName = 1,
/// <summary>The name of a class.</summary>
ClassName = 2,
/// <summary>The name of a delegate.</summary>
DelegateName = 3,
/// <summary>The name of an enum.</summary>
EnumName = 4,
/// <summary>The name of an error type.</summary>
/// <seealso cref="IErrorTypeSymbol"/>
ErrorTypeName = 5,
/// <summary>The name of an event.</summary>
EventName = 6,
/// <summary>The name of a field.</summary>
FieldName = 7,
/// <summary>The name of an interface.</summary>
InterfaceName = 8,
/// <summary>A language keyword.</summary>
Keyword = 9,
/// <summary>The name of a label.</summary>
LabelName = 10,
/// <summary>A line-break (i.e. whitespace).</summary>
LineBreak = 11,
/// <summary>A numeric literal.</summary>
/// <remarks>Typically for the default values of parameters and the constant values of fields.</remarks>
NumericLiteral = 12,
/// <summary>A string literal.</summary>
/// <remarks>Typically for the default values of parameters and the constant values of fields.</remarks>
StringLiteral = 13,
/// <summary>The name of a local.</summary>
LocalName = 14,
/// <summary>The name of a method.</summary>
MethodName = 15,
/// <summary>The name of a module.</summary>
ModuleName = 16,
/// <summary>The name of a namespace.</summary>
NamespaceName = 17,
/// <summary>The symbol of an operator (e.g. "+").</summary>
Operator = 18,
/// <summary>The name of a parameter.</summary>
ParameterName = 19,
/// <summary>The name of a property.</summary>
PropertyName = 20,
/// <summary>A punctuation character (e.g. "(", ".", ",") other than an <see cref="Operator"/>.</summary>
Punctuation = 21,
/// <summary>A single space character.</summary>
Space = 22,
/// <summary>The name of a struct (structure in Visual Basic).</summary>
StructName = 23,
/// <summary>A keyword-like part for anonymous types (not actually a keyword).</summary>
AnonymousTypeIndicator = 24,
/// <summary>An unclassified part.</summary>
/// <remarks>Never returned - only set in user-constructed parts.</remarks>
Text = 25,
/// <summary>The name of a type parameter.</summary>
TypeParameterName = 26,
/// <summary>The name of a query range variable.</summary>
RangeVariableName = 27,
/// <summary>The name of an enum member.</summary>
EnumMemberName = 28,
/// <summary>The name of a reduced extension method.</summary>
/// <remarks>
/// When an extension method is in it's non-reduced form it will be will be marked as MethodName.
/// </remarks>
ExtensionMethodName = 29,
/// <summary>The name of a field or local constant.</summary>
ConstantName = 30,
/// <summary>The name of a record class.</summary>
RecordClassName = 31,
/// <summary>The name of a record struct.</summary>
RecordStructName = 32,
}
internal static class InternalSymbolDisplayPartKind
{
private const SymbolDisplayPartKind @base = SymbolDisplayPartKind.RecordStructName + 1;
public const SymbolDisplayPartKind Arity = @base + 0;
public const SymbolDisplayPartKind Other = @base + 1;
}
internal static partial class EnumBounds
{
internal static bool IsValid(this SymbolDisplayPartKind value)
{
return (value >= SymbolDisplayPartKind.AliasName && value <= SymbolDisplayPartKind.RecordStructName) ||
(value >= InternalSymbolDisplayPartKind.Arity && value <= InternalSymbolDisplayPartKind.Other);
}
}
}
| // 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
{
/// <summary>
/// Specifies the kinds of a piece of classified text (SymbolDisplayPart).
/// </summary>
public enum SymbolDisplayPartKind
{
/// <summary>The name of an alias.</summary>
AliasName = 0,
/// <summary>The name of an assembly.</summary>
AssemblyName = 1,
/// <summary>The name of a class.</summary>
ClassName = 2,
/// <summary>The name of a delegate.</summary>
DelegateName = 3,
/// <summary>The name of an enum.</summary>
EnumName = 4,
/// <summary>The name of an error type.</summary>
/// <seealso cref="IErrorTypeSymbol"/>
ErrorTypeName = 5,
/// <summary>The name of an event.</summary>
EventName = 6,
/// <summary>The name of a field.</summary>
FieldName = 7,
/// <summary>The name of an interface.</summary>
InterfaceName = 8,
/// <summary>A language keyword.</summary>
Keyword = 9,
/// <summary>The name of a label.</summary>
LabelName = 10,
/// <summary>A line-break (i.e. whitespace).</summary>
LineBreak = 11,
/// <summary>A numeric literal.</summary>
/// <remarks>Typically for the default values of parameters and the constant values of fields.</remarks>
NumericLiteral = 12,
/// <summary>A string literal.</summary>
/// <remarks>Typically for the default values of parameters and the constant values of fields.</remarks>
StringLiteral = 13,
/// <summary>The name of a local.</summary>
LocalName = 14,
/// <summary>The name of a method.</summary>
MethodName = 15,
/// <summary>The name of a module.</summary>
ModuleName = 16,
/// <summary>The name of a namespace.</summary>
NamespaceName = 17,
/// <summary>The symbol of an operator (e.g. "+").</summary>
Operator = 18,
/// <summary>The name of a parameter.</summary>
ParameterName = 19,
/// <summary>The name of a property.</summary>
PropertyName = 20,
/// <summary>A punctuation character (e.g. "(", ".", ",") other than an <see cref="Operator"/>.</summary>
Punctuation = 21,
/// <summary>A single space character.</summary>
Space = 22,
/// <summary>The name of a struct (structure in Visual Basic).</summary>
StructName = 23,
/// <summary>A keyword-like part for anonymous types (not actually a keyword).</summary>
AnonymousTypeIndicator = 24,
/// <summary>An unclassified part.</summary>
/// <remarks>Never returned - only set in user-constructed parts.</remarks>
Text = 25,
/// <summary>The name of a type parameter.</summary>
TypeParameterName = 26,
/// <summary>The name of a query range variable.</summary>
RangeVariableName = 27,
/// <summary>The name of an enum member.</summary>
EnumMemberName = 28,
/// <summary>The name of a reduced extension method.</summary>
/// <remarks>
/// When an extension method is in it's non-reduced form it will be will be marked as MethodName.
/// </remarks>
ExtensionMethodName = 29,
/// <summary>The name of a field or local constant.</summary>
ConstantName = 30,
/// <summary>The name of a record class.</summary>
RecordClassName = 31,
/// <summary>The name of a record struct.</summary>
RecordStructName = 32,
}
internal static class InternalSymbolDisplayPartKind
{
private const SymbolDisplayPartKind @base = SymbolDisplayPartKind.RecordStructName + 1;
public const SymbolDisplayPartKind Arity = @base + 0;
public const SymbolDisplayPartKind Other = @base + 1;
}
internal static partial class EnumBounds
{
internal static bool IsValid(this SymbolDisplayPartKind value)
{
return (value >= SymbolDisplayPartKind.AliasName && value <= SymbolDisplayPartKind.RecordStructName) ||
(value >= InternalSymbolDisplayPartKind.Arity && value <= InternalSymbolDisplayPartKind.Other);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Interactive/HostTest/StressTests.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.
extern alias InteractiveHost;
using System;
using System.Diagnostics;
using System.Globalization;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.Scripting.Hosting;
using Xunit;
namespace Microsoft.CodeAnalysis.UnitTests.Interactive
{
using InteractiveHost::Microsoft.CodeAnalysis.Interactive;
public sealed class StressTests
{
[Fact]
public async Task TestKill()
{
for (int sleep = 0; sleep < 20; sleep++)
{
await TestKillAfterAsync(sleep).ConfigureAwait(false);
}
}
private async Task TestKillAfterAsync(int milliseconds)
{
using var host = new InteractiveHost(typeof(CSharpReplServiceProvider), ".", millisecondsTimeout: 1, joinOutputWritingThreadsOnDisposal: true);
var options = InteractiveHostOptions.CreateFromDirectory(TestUtils.HostRootPath, initializationFileName: null, CultureInfo.InvariantCulture, InteractiveHostPlatform.Desktop64);
host.InteractiveHostProcessCreated += new Action<Process>(proc =>
{
_ = Task.Run(async () =>
{
await Task.Delay(milliseconds).ConfigureAwait(false);
try
{
proc.Kill();
}
catch
{
}
});
});
await host.ResetAsync(options).ConfigureAwait(false);
for (int j = 0; j < 10; j++)
{
await host.ExecuteAsync("1+1").ConfigureAwait(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.
extern alias InteractiveHost;
using System;
using System.Diagnostics;
using System.Globalization;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.Scripting.Hosting;
using Xunit;
namespace Microsoft.CodeAnalysis.UnitTests.Interactive
{
using InteractiveHost::Microsoft.CodeAnalysis.Interactive;
public sealed class StressTests
{
[Fact]
public async Task TestKill()
{
for (int sleep = 0; sleep < 20; sleep++)
{
await TestKillAfterAsync(sleep).ConfigureAwait(false);
}
}
private async Task TestKillAfterAsync(int milliseconds)
{
using var host = new InteractiveHost(typeof(CSharpReplServiceProvider), ".", millisecondsTimeout: 1, joinOutputWritingThreadsOnDisposal: true);
var options = InteractiveHostOptions.CreateFromDirectory(TestUtils.HostRootPath, initializationFileName: null, CultureInfo.InvariantCulture, InteractiveHostPlatform.Desktop64);
host.InteractiveHostProcessCreated += new Action<Process>(proc =>
{
_ = Task.Run(async () =>
{
await Task.Delay(milliseconds).ConfigureAwait(false);
try
{
proc.Kill();
}
catch
{
}
});
});
await host.ResetAsync(options).ConfigureAwait(false);
for (int j = 0; j < 10; j++)
{
await host.ExecuteAsync("1+1").ConfigureAwait(false);
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Portable/Symbols/Source/ImplementsHelper.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.Collections.Immutable
Imports System.Diagnostics
Imports Microsoft.CodeAnalysis.PooledObjects
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Roslyn.Utilities
Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols
''' <summary>
''' Methods, Properties, and Events all have implements clauses and need to handle interface
''' implementation. This module has helper methods and extensions for sharing by multiple
''' symbol types.
''' </summary>
''' <remarks></remarks>
Friend Module ImplementsHelper
' Given a property, method, or event symbol, get the explicitly implemented symbols
Public Function GetExplicitInterfaceImplementations(member As Symbol) As ImmutableArray(Of Symbol)
Select Case member.Kind
Case SymbolKind.Method
Return StaticCast(Of Symbol).From(DirectCast(member, MethodSymbol).ExplicitInterfaceImplementations)
Case SymbolKind.Property
Return StaticCast(Of Symbol).From(DirectCast(member, PropertySymbol).ExplicitInterfaceImplementations)
Case SymbolKind.Event
Return StaticCast(Of Symbol).From(DirectCast(member, EventSymbol).ExplicitInterfaceImplementations)
Case Else
Return ImmutableArray(Of Symbol).Empty
End Select
End Function
' Given an implementing symbol, and an implemented symbol, get the location of the
' syntax in the implements clause that matches that implemented symbol. Should only use for
' symbols from source.
'
' Used for error reporting.
Public Function GetImplementingLocation(sourceSym As Symbol, implementedSym As Symbol) As Location
Debug.Assert(GetExplicitInterfaceImplementations(sourceSym).Contains(implementedSym))
Dim sourceMethod = TryCast(sourceSym, SourceMethodSymbol)
If sourceMethod IsNot Nothing Then
Return sourceMethod.GetImplementingLocation(DirectCast(implementedSym, MethodSymbol))
End If
Dim sourceProperty = TryCast(sourceSym, SourcePropertySymbol)
If sourceProperty IsNot Nothing Then
Return sourceProperty.GetImplementingLocation(DirectCast(implementedSym, PropertySymbol))
End If
Dim sourceEvent = TryCast(sourceSym, SourceEventSymbol)
If sourceEvent IsNot Nothing Then
Return sourceEvent.GetImplementingLocation(DirectCast(implementedSym, EventSymbol))
End If
' Should always pass source symbol into this function
Throw ExceptionUtilities.Unreachable
End Function
' Given an implements clause syntax on an implementing symbol, and an implemented symbol, find and return the particular name
' syntax in the implements clause that matches that implemented symbol, or Nothing if none match.
'
' Used for error reporting.
Public Function FindImplementingSyntax(Of TSymbol As Symbol)(implementsClause As ImplementsClauseSyntax,
implementingSym As TSymbol,
implementedSym As TSymbol,
container As SourceMemberContainerTypeSymbol,
binder As Binder) As QualifiedNameSyntax
Debug.Assert(implementedSym IsNot Nothing)
Dim dummyResultKind As LookupResultKind
' Bind each syntax again and compare them.
For Each implementedMethodSyntax As QualifiedNameSyntax In implementsClause.InterfaceMembers
' don't care about diagnostics
Dim implementedMethod As TSymbol = FindExplicitlyImplementedMember(implementingSym, container, implementedMethodSyntax, binder, BindingDiagnosticBag.Discarded, Nothing, dummyResultKind)
If implementedMethod = implementedSym Then
Return implementedMethodSyntax
End If
Next
Return Nothing
End Function
' Given a symbol in the process of being constructed, bind the Implements clause
' on it and diagnose any errors. Returns the list of implemented members.
Public Function ProcessImplementsClause(Of TSymbol As Symbol)(implementsClause As ImplementsClauseSyntax,
implementingSym As TSymbol,
container As SourceMemberContainerTypeSymbol,
binder As Binder,
diagBag As BindingDiagnosticBag) As ImmutableArray(Of TSymbol)
Debug.Assert(implementsClause IsNot Nothing)
If container.IsInterface Then
' Members in interfaces cannot have an implements clause (each member has its own error code)
Dim errorid As ERRID
If implementingSym.Kind = SymbolKind.Method Then
errorid = ERRID.ERR_BadInterfaceMethodFlags1
ElseIf implementingSym.Kind = SymbolKind.Property Then
errorid = ERRID.ERR_BadInterfacePropertyFlags1
Else
errorid = ERRID.ERR_InterfaceCantUseEventSpecifier1
End If
Binder.ReportDiagnostic(diagBag, implementsClause, errorid, implementsClause.ImplementsKeyword.ToString())
Return ImmutableArray(Of TSymbol).Empty
ElseIf container.IsModuleType Then
' Methods in Std Modules can't implement interfaces
Binder.ReportDiagnostic(diagBag,
implementsClause.ImplementsKeyword,
ERRID.ERR_ModuleMemberCantImplement)
Return ImmutableArray(Of TSymbol).Empty
Else
' Process the IMPLEMENTS lists
Dim implementedMembers As ArrayBuilder(Of TSymbol) = ArrayBuilder(Of TSymbol).GetInstance()
Dim dummyResultKind As LookupResultKind
Dim firstImplementedMemberIsWindowsRuntimeEvent As ThreeState = ThreeState.Unknown
Dim implementingSymIsEvent = (implementingSym.Kind = SymbolKind.Event)
For Each implementedMemberSyntax As QualifiedNameSyntax In implementsClause.InterfaceMembers
Dim implementedMember As TSymbol = FindExplicitlyImplementedMember(implementingSym, container, implementedMemberSyntax, binder, diagBag, Nothing, dummyResultKind)
If implementedMember IsNot Nothing Then
implementedMembers.Add(implementedMember)
' Process Obsolete attribute on implements clause
Binder.ReportDiagnosticsIfObsolete(diagBag, implementingSym, implementedMember, implementsClause)
If implementingSymIsEvent Then
Debug.Assert(implementedMember.Kind = SymbolKind.Event)
If Not firstImplementedMemberIsWindowsRuntimeEvent.HasValue() Then
firstImplementedMemberIsWindowsRuntimeEvent = TryCast(implementedMember, EventSymbol).IsWindowsRuntimeEvent.ToThreeState()
Else
Dim currIsWinRT As Boolean = TryCast(implementedMember, EventSymbol).IsWindowsRuntimeEvent
Dim firstIsWinRT As Boolean = firstImplementedMemberIsWindowsRuntimeEvent.Value()
If currIsWinRT <> firstIsWinRT Then
Binder.ReportDiagnostic(diagBag,
implementedMemberSyntax,
ERRID.ERR_MixingWinRTAndNETEvents,
CustomSymbolDisplayFormatter.ShortErrorName(implementingSym),
CustomSymbolDisplayFormatter.QualifiedName(If(firstIsWinRT, implementedMembers(0), implementedMember)),
CustomSymbolDisplayFormatter.QualifiedName(If(firstIsWinRT, implementedMember, implementedMembers(0))))
End If
End If
End If
End If
Next
Return implementedMembers.ToImmutableAndFree()
End If
End Function
''' <summary>
''' Find the implemented method denoted by "implementedMemberSyntax" that matches implementingSym.
''' Returns the implemented method, or Nothing if none.
'''
''' Also stores into "candidateSymbols" (if not Nothing) and resultKind the symbols and result kind that
''' should be used for semantic model purposes.
''' </summary>
Public Function FindExplicitlyImplementedMember(Of TSymbol As Symbol)(implementingSym As TSymbol,
containingType As NamedTypeSymbol,
implementedMemberSyntax As QualifiedNameSyntax,
binder As Binder,
diagBag As BindingDiagnosticBag,
candidateSymbols As ArrayBuilder(Of Symbol),
ByRef resultKind As LookupResultKind) As TSymbol
resultKind = LookupResultKind.Good
Dim interfaceName As NameSyntax = implementedMemberSyntax.Left
Dim implementedMethodName As String = implementedMemberSyntax.Right.Identifier.ValueText
Dim interfaceType As TypeSymbol = binder.BindTypeSyntax(interfaceName, diagBag)
If interfaceType.IsInterfaceType() Then
Dim errorReported As Boolean = False ' was an error already reported?
Dim interfaceNamedType As NamedTypeSymbol = DirectCast(interfaceType, NamedTypeSymbol)
If Not containingType.InterfacesAndTheirBaseInterfacesNoUseSiteDiagnostics(interfaceNamedType).Contains(interfaceNamedType) Then
' Class doesn't implement the interface that was named
Binder.ReportDiagnostic(diagBag, interfaceName, ERRID.ERR_InterfaceNotImplemented1,
interfaceType)
resultKind = LookupResultKind.NotReferencable
errorReported = True
' continue on...
End If
' Do lookup of the specified name in the interface (note it could be in a base interface thereof)
Dim lookup As LookupResult = LookupResult.GetInstance()
Dim foundMember As TSymbol = Nothing ' the correctly matching method we found
' NOTE(cyrusn): We pass 'IgnoreAccessibility' here to provide a better experience
' for the IDE. For correct code it won't matter (as interface members are always
' public in correct code). However, in incorrect code it makes sure we can hook up
' the implements clause to a private member.
Dim options As LookupOptions = LookupOptions.AllMethodsOfAnyArity Or LookupOptions.IgnoreAccessibility Or LookupOptions.IgnoreExtensionMethods
If implementingSym.Kind = SymbolKind.Event Then
options = CType(options Or LookupOptions.EventsOnly, LookupOptions)
End If
Dim useSiteInfo = binder.GetNewCompoundUseSiteInfo(diagBag)
binder.LookupMember(lookup, interfaceType, implementedMethodName, -1, options, useSiteInfo)
If lookup.IsAmbiguous Then
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_AmbiguousImplementsMember3,
implementedMethodName,
implementedMethodName)
If candidateSymbols IsNot Nothing Then
candidateSymbols.AddRange(DirectCast(lookup.Diagnostic, AmbiguousSymbolDiagnostic).AmbiguousSymbols)
End If
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.Ambiguous)
errorReported = True
ElseIf lookup.IsGood Then
' Check each method found to see if it matches signature of methodSym
Dim candidates As ArrayBuilder(Of TSymbol) = Nothing
For Each possibleMatch In lookup.Symbols
Dim possibleMatchMember = TryCast(possibleMatch, TSymbol)
If possibleMatchMember IsNot Nothing AndAlso
possibleMatchMember.ContainingType.IsInterface AndAlso
MembersAreMatchingForPurposesOfInterfaceImplementation(implementingSym, possibleMatchMember) Then
If candidates Is Nothing Then
candidates = ArrayBuilder(Of TSymbol).GetInstance()
End If
candidates.Add(possibleMatchMember)
End If
Next
Dim candidatesCount As Integer = If(candidates IsNot Nothing, candidates.Count, 0)
' If we have more than one candidate, eliminate candidates from least derived interfaces
If candidatesCount > 1 Then
For i As Integer = 0 To candidates.Count - 2
Dim first As TSymbol = candidates(i)
If first Is Nothing Then
Continue For ' has been eliminated already
End If
For j As Integer = i + 1 To candidates.Count - 1
Dim second As TSymbol = candidates(j)
If second Is Nothing Then
Continue For ' has been eliminated already
End If
If second.ContainingType.ImplementsInterface(first.ContainingType, comparer:=Nothing, useSiteInfo:=CompoundUseSiteInfo(Of AssemblySymbol).Discarded) Then
candidates(i) = Nothing
candidatesCount -= 1
GoTo Next_i
ElseIf first.ContainingType.ImplementsInterface(second.ContainingType, comparer:=Nothing, useSiteInfo:=CompoundUseSiteInfo(Of AssemblySymbol).Discarded) Then
candidates(j) = Nothing
candidatesCount -= 1
End If
Next
Next_i:
Next
End If
' If we still have more than one candidate, they are either from the same type (type substitution can create two methods with same signature),
' or from unrelated base interfaces
If candidatesCount > 1 Then
For i As Integer = 0 To candidates.Count - 2
Dim first As TSymbol = candidates(i)
If first Is Nothing Then
Continue For ' has been eliminated already
End If
If foundMember Is Nothing Then
foundMember = first
End If
For j As Integer = i + 1 To candidates.Count - 1
Dim second As TSymbol = candidates(j)
If second Is Nothing Then
Continue For ' has been eliminated already
End If
If TypeSymbol.Equals(first.ContainingType, second.ContainingType, TypeCompareKind.ConsiderEverything) Then
' type substitution can create two methods with same signature in the same type
' report ambiguity
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_AmbiguousImplements3,
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(first.ContainingType),
implementedMethodName,
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(first.ContainingType),
first,
second)
errorReported = True
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.OverloadResolutionFailure)
GoTo DoneWithErrorReporting
End If
Next
Next
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_AmbiguousImplementsMember3,
implementedMethodName,
implementedMethodName)
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.Ambiguous)
errorReported = True
DoneWithErrorReporting:
If candidateSymbols IsNot Nothing Then
candidateSymbols.AddRange(lookup.Symbols)
End If
ElseIf candidatesCount = 1 Then
For i As Integer = 0 To candidates.Count - 1
Dim first As TSymbol = candidates(i)
If first Is Nothing Then
Continue For ' has been eliminated already
End If
foundMember = first
Exit For
Next
Else
Debug.Assert(candidatesCount = 0)
' No matching members. Remember non-matching members for semantic model questions.
If candidateSymbols IsNot Nothing Then
candidateSymbols.AddRange(lookup.Symbols)
End If
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.OverloadResolutionFailure)
End If
If candidates IsNot Nothing Then
candidates.Free()
End If
If foundMember IsNot Nothing Then
Dim coClassContext As Boolean = interfaceNamedType.CoClassType IsNot Nothing
If coClassContext AndAlso (implementingSym.Kind = SymbolKind.Event) <> (foundMember.Kind = SymbolKind.Event) Then
' Following Dev11 implementation: in COM Interface context if the implementing symbol
' is an event and the found candidate is not (or vice versa) we just pretend we didn't
' find anything and fall back to the default error
foundMember = Nothing
End If
If Not errorReported Then
' Further verification of found method.
foundMember = ValidateImplementedMember(implementingSym, foundMember, implementedMemberSyntax, binder, diagBag, interfaceType, implementedMethodName, errorReported)
End If
If foundMember IsNot Nothing Then
' Record found member for semantic model questions.
If candidateSymbols IsNot Nothing Then
candidateSymbols.Add(foundMember)
End If
resultKind = LookupResult.WorseResultKind(resultKind, lookup.Kind)
If Not binder.IsAccessible(foundMember, useSiteInfo) Then
resultKind = LookupResult.WorseResultKind(resultKind, LookupResultKind.Inaccessible) ' we specified IgnoreAccessibility above.
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, binder.GetInaccessibleErrorInfo(foundMember))
ElseIf foundMember.Kind = SymbolKind.Property Then
Dim [property] = DirectCast(DirectCast(foundMember, Symbol), PropertySymbol)
Dim accessorToCheck As MethodSymbol = [property].GetMethod
If accessorToCheck Is Nothing OrElse
accessorToCheck.DeclaredAccessibility = [property].DeclaredAccessibility OrElse
Not accessorToCheck.RequiresImplementation() Then
accessorToCheck = [property].SetMethod
End If
If accessorToCheck IsNot Nothing AndAlso
accessorToCheck.DeclaredAccessibility <> [property].DeclaredAccessibility AndAlso
accessorToCheck.RequiresImplementation() AndAlso
Not binder.IsAccessible(accessorToCheck, useSiteInfo) Then
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, binder.GetInaccessibleErrorInfo(accessorToCheck))
End If
End If
End If
End If
End If
diagBag.Add(interfaceName, useSiteInfo)
lookup.Free()
If foundMember Is Nothing And Not errorReported Then
' Didn't find a method (or it was otherwise bad in some way)
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_IdentNotMemberOfInterface4,
CustomSymbolDisplayFormatter.ShortErrorName(implementingSym), implementedMethodName,
implementingSym.GetKindText(),
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(interfaceType))
End If
Return foundMember
ElseIf interfaceType.TypeKind = TypeKind.Error Then
' BindType already reported an error, so don't report another one
Return Nothing
Else
' type is some other type rather than an interface
Binder.ReportDiagnostic(diagBag, interfaceName, ERRID.ERR_BadImplementsType)
Return Nothing
End If
End Function
''' <summary>
''' Does 'implementingSym' match 'implementedSym' well enough to be considered a match for interface implementation?
''' </summary>
Private Function MembersAreMatchingForPurposesOfInterfaceImplementation(implementingSym As Symbol,
implementedSym As Symbol) As Boolean
Return MembersAreMatching(implementingSym, implementedSym, Not SymbolComparisonResults.MismatchesForExplicitInterfaceImplementations, EventSignatureComparer.ExplicitEventImplementationComparer)
End Function
Private Function MembersHaveMatchingTupleNames(implementingSym As Symbol,
implementedSym As Symbol) As Boolean
Return MembersAreMatching(implementingSym, implementedSym, SymbolComparisonResults.TupleNamesMismatch, EventSignatureComparer.ExplicitEventImplementationWithTupleNamesComparer)
End Function
Private Function MembersAreMatching(implementingSym As Symbol,
implementedSym As Symbol,
comparisons As SymbolComparisonResults,
eventComparer As EventSignatureComparer) As Boolean
Debug.Assert(implementingSym.Kind = implementedSym.Kind)
Select Case implementingSym.Kind
Case SymbolKind.Method
Dim results = MethodSignatureComparer.DetailedCompare(DirectCast(implementedSym, MethodSymbol), DirectCast(implementingSym, MethodSymbol),
comparisons,
comparisons)
Return (results = 0)
Case SymbolKind.Property
Dim results = PropertySignatureComparer.DetailedCompare(DirectCast(implementedSym, PropertySymbol), DirectCast(implementingSym, PropertySymbol),
comparisons,
comparisons)
Return (results = 0)
Case SymbolKind.Event
Return eventComparer.Equals(DirectCast(implementedSym, EventSymbol), DirectCast(implementingSym, EventSymbol))
Case Else
Throw ExceptionUtilities.UnexpectedValue(implementingSym.Kind)
End Select
End Function
''' <summary>
''' Perform additional validate of implementedSym and issue diagnostics.
''' Return "implementedSym" if the symbol table should record implementedSym as the implemented
''' symbol (even if diagnostics were issues). Returns Nothing if the code should not treat
''' implementedSym as the implemented symbol.
''' </summary>
Private Function ValidateImplementedMember(Of TSymbol As Symbol)(implementingSym As TSymbol,
implementedSym As TSymbol,
implementedMemberSyntax As QualifiedNameSyntax,
binder As Binder,
diagBag As BindingDiagnosticBag,
interfaceType As TypeSymbol,
implementedMethodName As String,
ByRef errorReported As Boolean) As TSymbol
If Not implementedSym.RequiresImplementation() Then
' TODO: Perhaps give ERR_CantImplementNonVirtual3 like Dev10. But, this message seems more
' TODO: confusing than useful, so for now, just treat it like a method that doesn't exist.
Return Nothing
End If
' Validate that implementing property implements all accessors of the implemented property
If implementedSym.Kind = SymbolKind.Property Then
Dim implementedProperty As PropertySymbol = TryCast(implementedSym, PropertySymbol)
Dim implementedPropertyGetMethod As MethodSymbol = implementedProperty.GetMethod
If Not implementedPropertyGetMethod?.RequiresImplementation() Then
implementedPropertyGetMethod = Nothing
End If
Dim implementedPropertySetMethod As MethodSymbol = implementedProperty.SetMethod
If Not implementedPropertySetMethod?.RequiresImplementation() Then
implementedPropertySetMethod = Nothing
End If
Dim implementingProperty As PropertySymbol = TryCast(implementingSym, PropertySymbol)
If (implementedPropertyGetMethod IsNot Nothing AndAlso implementingProperty.GetMethod Is Nothing) OrElse
(implementedPropertySetMethod IsNot Nothing AndAlso implementingProperty.SetMethod Is Nothing) Then
' "'{0}' cannot be implemented by a {1} property."
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_PropertyDoesntImplementAllAccessors,
implementedProperty,
implementingProperty.GetPropertyKindText())
errorReported = True
ElseIf ((implementedPropertyGetMethod Is Nothing) Xor (implementedPropertySetMethod Is Nothing)) AndAlso
implementingProperty.GetMethod IsNot Nothing AndAlso implementingProperty.SetMethod IsNot Nothing Then
errorReported = errorReported Or
Not InternalSyntax.Parser.CheckFeatureAvailability(diagBag, implementedMemberSyntax.GetLocation(),
DirectCast(implementedMemberSyntax.SyntaxTree, VisualBasicSyntaxTree).Options.LanguageVersion,
InternalSyntax.Feature.ImplementingReadonlyOrWriteonlyPropertyWithReadwrite)
End If
If implementedPropertySetMethod?.IsInitOnly <> implementingProperty.SetMethod?.IsInitOnly Then
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_PropertyDoesntImplementInitOnly,
implementedProperty)
errorReported = True
End If
End If
If implementedSym IsNot Nothing AndAlso implementingSym.ContainsTupleNames() AndAlso
Not MembersHaveMatchingTupleNames(implementingSym, implementedSym) Then
' it is ok to implement with no tuple names, for compatibility with VB 14, but otherwise names should match
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_ImplementingInterfaceWithDifferentTupleNames5,
CustomSymbolDisplayFormatter.ShortErrorName(implementingSym),
implementingSym.GetKindText(),
implementedMethodName,
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(interfaceType),
implementingSym,
implementedSym)
errorReported = True
End If
' TODO: If implementing event, check that delegate types are consistent, or maybe set the delegate type. See Dev10 compiler
' TODO: in ImplementsSemantics.cpp, Bindable::BindImplements.
' Method type parameter constraints are validated later, in ValidateImplementedMethodConstraints,
' after the ExplicitInterfaceImplementations property has been set on the implementing method.
Return implementedSym
End Function
''' <summary>
''' Validate method type parameter constraints. This is handled outside
''' of ValidateImplementedMember because that method is invoked
''' while computing the ExplicitInterfaceImplementations value on the
''' implementing method, but method type parameters rely on the value
''' of ExplicitInterfaceImplementations to determine constraints correctly.
''' </summary>
Public Sub ValidateImplementedMethodConstraints(implementingMethod As SourceMethodSymbol,
implementedMethod As MethodSymbol,
diagBag As BindingDiagnosticBag)
If Not MethodSignatureComparer.HaveSameConstraints(implementedMethod, implementingMethod) Then
' "'{0}' cannot implement '{1}.{2}' because they differ by type parameter constraints."
Dim loc = implementingMethod.GetImplementingLocation(implementedMethod)
diagBag.Add(
ErrorFactory.ErrorInfo(ERRID.ERR_ImplementsWithConstraintMismatch3, implementingMethod, implementedMethod.ContainingType, implementedMethod),
loc)
End If
End Sub
''' <summary>
''' Performs interface mapping to determine which symbol in this type or a base type
''' actually implements a particular interface member.
''' </summary>
''' <typeparam name="TSymbol">MethodSymbol or PropertySymbol or EventSymbol (an interface member).</typeparam>
''' <param name="interfaceMember">A non-null member on an interface type.</param>
''' <param name="implementingType">The type implementing the interface member.</param>
''' <param name="comparer">A comparer for comparing signatures of TSymbol according to metadata implementation rules.</param>
''' <returns>The implementing member or Nothing, if there isn't one.</returns>
Public Function ComputeImplementationForInterfaceMember(Of TSymbol As Symbol)(interfaceMember As TSymbol,
implementingType As TypeSymbol,
comparer As IEqualityComparer(Of TSymbol)) As TSymbol
Debug.Assert(TypeOf interfaceMember Is PropertySymbol OrElse
TypeOf interfaceMember Is MethodSymbol OrElse
TypeOf interfaceMember Is EventSymbol)
Dim interfaceType As NamedTypeSymbol = interfaceMember.ContainingType
Debug.Assert(interfaceType IsNot Nothing AndAlso interfaceType.IsInterface)
Dim seenMDTypeDeclaringInterface As Boolean = False
Dim currType As TypeSymbol = implementingType
' Go up the inheritance chain, looking for an implementation of the member.
While currType IsNot Nothing
' First, check for explicit interface implementation.
Dim currTypeExplicitImpl As MultiDictionary(Of Symbol, Symbol).ValueSet = currType.ExplicitInterfaceImplementationMap(interfaceMember)
If currTypeExplicitImpl.Count = 1 Then
Return DirectCast(currTypeExplicitImpl.Single(), TSymbol)
ElseIf currTypeExplicitImpl.Count > 1 Then
Return Nothing
End If
' VB only supports explicit interface implementation, but for the purpose of finding implementation, we must
' check implicit implementation for members from metadata. We only want to consider metadata implementations
' if a metadata implementation (or a derived metadata implementation) actually implements the given interface
' (not a derived interface), since this is the metadata rule from Partition II, section 12.2.
'
' Consider:
' Interface IGoo ' from metadata
' Sub Goo()
' Class A ' from metadata
' Public Sub Goo()
' Class B: Inherits A: Implements IGoo ' from metadata
' Class C: Inherits B ' from metadata
' Public Shadows Sub Goo()
' Class D: Inherits C: Implements IGoo ' from source
' In this case, A.Goo is the correct implementation of IGoo.Goo within D.
' NOTE: Ideally, we'd like to distinguish between the "current" compilation and other assemblies
' (including other compilations), rather than source and metadata, but there are two reasons that
' that won't work in this case:
' 1) We really don't want consumers of the API to have to pass in the current compilation when
' they ask questions about interface implementation.
' 2) NamedTypeSymbol.Interfaces does not round-trip in the presence of implicit interface
' implementations. As in dev11, we drop interfaces from the interface list if any of their
' members are implemented in a base type (so that CLR implicit implementation will pick the
' same method as the VB language).
If Not currType.Dangerous_IsFromSomeCompilationIncludingRetargeting AndAlso
currType.InterfacesNoUseSiteDiagnostics.Contains(interfaceType, EqualsIgnoringComparer.InstanceCLRSignatureCompare) Then
seenMDTypeDeclaringInterface = True
End If
If seenMDTypeDeclaringInterface Then
'check for implicit impls (name must match)
Dim currTypeImplicitImpl As TSymbol
currTypeImplicitImpl = FindImplicitImplementationDeclaredInType(interfaceMember, currType, comparer)
If currTypeImplicitImpl IsNot Nothing Then
Return currTypeImplicitImpl
End If
End If
currType = currType.BaseTypeNoUseSiteDiagnostics
End While
Return Nothing
End Function
''' <summary>
''' Search the declared methods of a type for one that could be an implicit implementation
''' of a given interface method (depending on interface declarations). It is assumed that the implementing
''' type is not a source type.
''' </summary>
''' <typeparam name="TSymbol">MethodSymbol or PropertySymbol or EventSymbol (an interface member).</typeparam>
''' <param name="interfaceMember">The interface member being implemented.</param>
''' <param name="currType">The type on which we are looking for a declared implementation of the interface method.</param>
''' <param name="comparer">A comparer for comparing signatures of TSymbol according to metadata implementation rules.</param>
Private Function FindImplicitImplementationDeclaredInType(Of TSymbol As Symbol)(interfaceMember As TSymbol,
currType As TypeSymbol,
comparer As IEqualityComparer(Of TSymbol)) As TSymbol '
Debug.Assert(Not currType.Dangerous_IsFromSomeCompilationIncludingRetargeting)
For Each member In currType.GetMembers(interfaceMember.Name)
If member.DeclaredAccessibility = Accessibility.Public AndAlso
Not member.IsShared AndAlso
TypeOf member Is TSymbol AndAlso
comparer.Equals(interfaceMember, DirectCast(member, TSymbol)) Then
Return DirectCast(member, TSymbol)
End If
Next
Return Nothing
End Function
''' <summary>
''' Given a set of explicit interface implementations that are undergoing substitution, return the substituted versions.
''' </summary>
''' <typeparam name="TSymbol">Type of the interface members (Method, Property, Event)</typeparam>
''' <param name="unsubstitutedImplementations">The ROA of members that are being implemented</param>
''' <param name="substitution">The type substitution</param>
''' <returns>The substituted members.</returns>
Public Function SubstituteExplicitInterfaceImplementations(Of TSymbol As Symbol)(unsubstitutedImplementations As ImmutableArray(Of TSymbol),
substitution As TypeSubstitution) As ImmutableArray(Of TSymbol)
If unsubstitutedImplementations.Length = 0 Then
Return ImmutableArray(Of TSymbol).Empty
Else
Dim substitutedImplementations(0 To unsubstitutedImplementations.Length - 1) As TSymbol
For i As Integer = 0 To unsubstitutedImplementations.Length - 1
Dim unsubstitutedMember As TSymbol = unsubstitutedImplementations(i)
Dim unsubstitutedInterfaceType = unsubstitutedMember.ContainingType
substitutedImplementations(i) = unsubstitutedImplementations(i) ' default: no substitution necessary
If unsubstitutedInterfaceType.IsGenericType Then
Dim substitutedInterfaceType = TryCast(unsubstitutedInterfaceType.InternalSubstituteTypeParameters(substitution).AsTypeSymbolOnly(), SubstitutedNamedType)
If substitutedInterfaceType IsNot Nothing Then
' Get the substituted version of the member
substitutedImplementations(i) = DirectCast(substitutedInterfaceType.GetMemberForDefinition(unsubstitutedMember.OriginalDefinition), TSymbol)
End If
End If
Next
Return ImmutableArray.Create(Of TSymbol)(substitutedImplementations)
End If
End Function
End Module
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.Collections.Immutable
Imports System.Diagnostics
Imports Microsoft.CodeAnalysis.PooledObjects
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Roslyn.Utilities
Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols
''' <summary>
''' Methods, Properties, and Events all have implements clauses and need to handle interface
''' implementation. This module has helper methods and extensions for sharing by multiple
''' symbol types.
''' </summary>
''' <remarks></remarks>
Friend Module ImplementsHelper
' Given a property, method, or event symbol, get the explicitly implemented symbols
Public Function GetExplicitInterfaceImplementations(member As Symbol) As ImmutableArray(Of Symbol)
Select Case member.Kind
Case SymbolKind.Method
Return StaticCast(Of Symbol).From(DirectCast(member, MethodSymbol).ExplicitInterfaceImplementations)
Case SymbolKind.Property
Return StaticCast(Of Symbol).From(DirectCast(member, PropertySymbol).ExplicitInterfaceImplementations)
Case SymbolKind.Event
Return StaticCast(Of Symbol).From(DirectCast(member, EventSymbol).ExplicitInterfaceImplementations)
Case Else
Return ImmutableArray(Of Symbol).Empty
End Select
End Function
' Given an implementing symbol, and an implemented symbol, get the location of the
' syntax in the implements clause that matches that implemented symbol. Should only use for
' symbols from source.
'
' Used for error reporting.
Public Function GetImplementingLocation(sourceSym As Symbol, implementedSym As Symbol) As Location
Debug.Assert(GetExplicitInterfaceImplementations(sourceSym).Contains(implementedSym))
Dim sourceMethod = TryCast(sourceSym, SourceMethodSymbol)
If sourceMethod IsNot Nothing Then
Return sourceMethod.GetImplementingLocation(DirectCast(implementedSym, MethodSymbol))
End If
Dim sourceProperty = TryCast(sourceSym, SourcePropertySymbol)
If sourceProperty IsNot Nothing Then
Return sourceProperty.GetImplementingLocation(DirectCast(implementedSym, PropertySymbol))
End If
Dim sourceEvent = TryCast(sourceSym, SourceEventSymbol)
If sourceEvent IsNot Nothing Then
Return sourceEvent.GetImplementingLocation(DirectCast(implementedSym, EventSymbol))
End If
' Should always pass source symbol into this function
Throw ExceptionUtilities.Unreachable
End Function
' Given an implements clause syntax on an implementing symbol, and an implemented symbol, find and return the particular name
' syntax in the implements clause that matches that implemented symbol, or Nothing if none match.
'
' Used for error reporting.
Public Function FindImplementingSyntax(Of TSymbol As Symbol)(implementsClause As ImplementsClauseSyntax,
implementingSym As TSymbol,
implementedSym As TSymbol,
container As SourceMemberContainerTypeSymbol,
binder As Binder) As QualifiedNameSyntax
Debug.Assert(implementedSym IsNot Nothing)
Dim dummyResultKind As LookupResultKind
' Bind each syntax again and compare them.
For Each implementedMethodSyntax As QualifiedNameSyntax In implementsClause.InterfaceMembers
' don't care about diagnostics
Dim implementedMethod As TSymbol = FindExplicitlyImplementedMember(implementingSym, container, implementedMethodSyntax, binder, BindingDiagnosticBag.Discarded, Nothing, dummyResultKind)
If implementedMethod = implementedSym Then
Return implementedMethodSyntax
End If
Next
Return Nothing
End Function
' Given a symbol in the process of being constructed, bind the Implements clause
' on it and diagnose any errors. Returns the list of implemented members.
Public Function ProcessImplementsClause(Of TSymbol As Symbol)(implementsClause As ImplementsClauseSyntax,
implementingSym As TSymbol,
container As SourceMemberContainerTypeSymbol,
binder As Binder,
diagBag As BindingDiagnosticBag) As ImmutableArray(Of TSymbol)
Debug.Assert(implementsClause IsNot Nothing)
If container.IsInterface Then
' Members in interfaces cannot have an implements clause (each member has its own error code)
Dim errorid As ERRID
If implementingSym.Kind = SymbolKind.Method Then
errorid = ERRID.ERR_BadInterfaceMethodFlags1
ElseIf implementingSym.Kind = SymbolKind.Property Then
errorid = ERRID.ERR_BadInterfacePropertyFlags1
Else
errorid = ERRID.ERR_InterfaceCantUseEventSpecifier1
End If
Binder.ReportDiagnostic(diagBag, implementsClause, errorid, implementsClause.ImplementsKeyword.ToString())
Return ImmutableArray(Of TSymbol).Empty
ElseIf container.IsModuleType Then
' Methods in Std Modules can't implement interfaces
Binder.ReportDiagnostic(diagBag,
implementsClause.ImplementsKeyword,
ERRID.ERR_ModuleMemberCantImplement)
Return ImmutableArray(Of TSymbol).Empty
Else
' Process the IMPLEMENTS lists
Dim implementedMembers As ArrayBuilder(Of TSymbol) = ArrayBuilder(Of TSymbol).GetInstance()
Dim dummyResultKind As LookupResultKind
Dim firstImplementedMemberIsWindowsRuntimeEvent As ThreeState = ThreeState.Unknown
Dim implementingSymIsEvent = (implementingSym.Kind = SymbolKind.Event)
For Each implementedMemberSyntax As QualifiedNameSyntax In implementsClause.InterfaceMembers
Dim implementedMember As TSymbol = FindExplicitlyImplementedMember(implementingSym, container, implementedMemberSyntax, binder, diagBag, Nothing, dummyResultKind)
If implementedMember IsNot Nothing Then
implementedMembers.Add(implementedMember)
' Process Obsolete attribute on implements clause
Binder.ReportDiagnosticsIfObsolete(diagBag, implementingSym, implementedMember, implementsClause)
If implementingSymIsEvent Then
Debug.Assert(implementedMember.Kind = SymbolKind.Event)
If Not firstImplementedMemberIsWindowsRuntimeEvent.HasValue() Then
firstImplementedMemberIsWindowsRuntimeEvent = TryCast(implementedMember, EventSymbol).IsWindowsRuntimeEvent.ToThreeState()
Else
Dim currIsWinRT As Boolean = TryCast(implementedMember, EventSymbol).IsWindowsRuntimeEvent
Dim firstIsWinRT As Boolean = firstImplementedMemberIsWindowsRuntimeEvent.Value()
If currIsWinRT <> firstIsWinRT Then
Binder.ReportDiagnostic(diagBag,
implementedMemberSyntax,
ERRID.ERR_MixingWinRTAndNETEvents,
CustomSymbolDisplayFormatter.ShortErrorName(implementingSym),
CustomSymbolDisplayFormatter.QualifiedName(If(firstIsWinRT, implementedMembers(0), implementedMember)),
CustomSymbolDisplayFormatter.QualifiedName(If(firstIsWinRT, implementedMember, implementedMembers(0))))
End If
End If
End If
End If
Next
Return implementedMembers.ToImmutableAndFree()
End If
End Function
''' <summary>
''' Find the implemented method denoted by "implementedMemberSyntax" that matches implementingSym.
''' Returns the implemented method, or Nothing if none.
'''
''' Also stores into "candidateSymbols" (if not Nothing) and resultKind the symbols and result kind that
''' should be used for semantic model purposes.
''' </summary>
Public Function FindExplicitlyImplementedMember(Of TSymbol As Symbol)(implementingSym As TSymbol,
containingType As NamedTypeSymbol,
implementedMemberSyntax As QualifiedNameSyntax,
binder As Binder,
diagBag As BindingDiagnosticBag,
candidateSymbols As ArrayBuilder(Of Symbol),
ByRef resultKind As LookupResultKind) As TSymbol
resultKind = LookupResultKind.Good
Dim interfaceName As NameSyntax = implementedMemberSyntax.Left
Dim implementedMethodName As String = implementedMemberSyntax.Right.Identifier.ValueText
Dim interfaceType As TypeSymbol = binder.BindTypeSyntax(interfaceName, diagBag)
If interfaceType.IsInterfaceType() Then
Dim errorReported As Boolean = False ' was an error already reported?
Dim interfaceNamedType As NamedTypeSymbol = DirectCast(interfaceType, NamedTypeSymbol)
If Not containingType.InterfacesAndTheirBaseInterfacesNoUseSiteDiagnostics(interfaceNamedType).Contains(interfaceNamedType) Then
' Class doesn't implement the interface that was named
Binder.ReportDiagnostic(diagBag, interfaceName, ERRID.ERR_InterfaceNotImplemented1,
interfaceType)
resultKind = LookupResultKind.NotReferencable
errorReported = True
' continue on...
End If
' Do lookup of the specified name in the interface (note it could be in a base interface thereof)
Dim lookup As LookupResult = LookupResult.GetInstance()
Dim foundMember As TSymbol = Nothing ' the correctly matching method we found
' NOTE(cyrusn): We pass 'IgnoreAccessibility' here to provide a better experience
' for the IDE. For correct code it won't matter (as interface members are always
' public in correct code). However, in incorrect code it makes sure we can hook up
' the implements clause to a private member.
Dim options As LookupOptions = LookupOptions.AllMethodsOfAnyArity Or LookupOptions.IgnoreAccessibility Or LookupOptions.IgnoreExtensionMethods
If implementingSym.Kind = SymbolKind.Event Then
options = CType(options Or LookupOptions.EventsOnly, LookupOptions)
End If
Dim useSiteInfo = binder.GetNewCompoundUseSiteInfo(diagBag)
binder.LookupMember(lookup, interfaceType, implementedMethodName, -1, options, useSiteInfo)
If lookup.IsAmbiguous Then
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_AmbiguousImplementsMember3,
implementedMethodName,
implementedMethodName)
If candidateSymbols IsNot Nothing Then
candidateSymbols.AddRange(DirectCast(lookup.Diagnostic, AmbiguousSymbolDiagnostic).AmbiguousSymbols)
End If
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.Ambiguous)
errorReported = True
ElseIf lookup.IsGood Then
' Check each method found to see if it matches signature of methodSym
Dim candidates As ArrayBuilder(Of TSymbol) = Nothing
For Each possibleMatch In lookup.Symbols
Dim possibleMatchMember = TryCast(possibleMatch, TSymbol)
If possibleMatchMember IsNot Nothing AndAlso
possibleMatchMember.ContainingType.IsInterface AndAlso
MembersAreMatchingForPurposesOfInterfaceImplementation(implementingSym, possibleMatchMember) Then
If candidates Is Nothing Then
candidates = ArrayBuilder(Of TSymbol).GetInstance()
End If
candidates.Add(possibleMatchMember)
End If
Next
Dim candidatesCount As Integer = If(candidates IsNot Nothing, candidates.Count, 0)
' If we have more than one candidate, eliminate candidates from least derived interfaces
If candidatesCount > 1 Then
For i As Integer = 0 To candidates.Count - 2
Dim first As TSymbol = candidates(i)
If first Is Nothing Then
Continue For ' has been eliminated already
End If
For j As Integer = i + 1 To candidates.Count - 1
Dim second As TSymbol = candidates(j)
If second Is Nothing Then
Continue For ' has been eliminated already
End If
If second.ContainingType.ImplementsInterface(first.ContainingType, comparer:=Nothing, useSiteInfo:=CompoundUseSiteInfo(Of AssemblySymbol).Discarded) Then
candidates(i) = Nothing
candidatesCount -= 1
GoTo Next_i
ElseIf first.ContainingType.ImplementsInterface(second.ContainingType, comparer:=Nothing, useSiteInfo:=CompoundUseSiteInfo(Of AssemblySymbol).Discarded) Then
candidates(j) = Nothing
candidatesCount -= 1
End If
Next
Next_i:
Next
End If
' If we still have more than one candidate, they are either from the same type (type substitution can create two methods with same signature),
' or from unrelated base interfaces
If candidatesCount > 1 Then
For i As Integer = 0 To candidates.Count - 2
Dim first As TSymbol = candidates(i)
If first Is Nothing Then
Continue For ' has been eliminated already
End If
If foundMember Is Nothing Then
foundMember = first
End If
For j As Integer = i + 1 To candidates.Count - 1
Dim second As TSymbol = candidates(j)
If second Is Nothing Then
Continue For ' has been eliminated already
End If
If TypeSymbol.Equals(first.ContainingType, second.ContainingType, TypeCompareKind.ConsiderEverything) Then
' type substitution can create two methods with same signature in the same type
' report ambiguity
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_AmbiguousImplements3,
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(first.ContainingType),
implementedMethodName,
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(first.ContainingType),
first,
second)
errorReported = True
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.OverloadResolutionFailure)
GoTo DoneWithErrorReporting
End If
Next
Next
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_AmbiguousImplementsMember3,
implementedMethodName,
implementedMethodName)
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.Ambiguous)
errorReported = True
DoneWithErrorReporting:
If candidateSymbols IsNot Nothing Then
candidateSymbols.AddRange(lookup.Symbols)
End If
ElseIf candidatesCount = 1 Then
For i As Integer = 0 To candidates.Count - 1
Dim first As TSymbol = candidates(i)
If first Is Nothing Then
Continue For ' has been eliminated already
End If
foundMember = first
Exit For
Next
Else
Debug.Assert(candidatesCount = 0)
' No matching members. Remember non-matching members for semantic model questions.
If candidateSymbols IsNot Nothing Then
candidateSymbols.AddRange(lookup.Symbols)
End If
resultKind = LookupResult.WorseResultKind(lookup.Kind, LookupResultKind.OverloadResolutionFailure)
End If
If candidates IsNot Nothing Then
candidates.Free()
End If
If foundMember IsNot Nothing Then
Dim coClassContext As Boolean = interfaceNamedType.CoClassType IsNot Nothing
If coClassContext AndAlso (implementingSym.Kind = SymbolKind.Event) <> (foundMember.Kind = SymbolKind.Event) Then
' Following Dev11 implementation: in COM Interface context if the implementing symbol
' is an event and the found candidate is not (or vice versa) we just pretend we didn't
' find anything and fall back to the default error
foundMember = Nothing
End If
If Not errorReported Then
' Further verification of found method.
foundMember = ValidateImplementedMember(implementingSym, foundMember, implementedMemberSyntax, binder, diagBag, interfaceType, implementedMethodName, errorReported)
End If
If foundMember IsNot Nothing Then
' Record found member for semantic model questions.
If candidateSymbols IsNot Nothing Then
candidateSymbols.Add(foundMember)
End If
resultKind = LookupResult.WorseResultKind(resultKind, lookup.Kind)
If Not binder.IsAccessible(foundMember, useSiteInfo) Then
resultKind = LookupResult.WorseResultKind(resultKind, LookupResultKind.Inaccessible) ' we specified IgnoreAccessibility above.
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, binder.GetInaccessibleErrorInfo(foundMember))
ElseIf foundMember.Kind = SymbolKind.Property Then
Dim [property] = DirectCast(DirectCast(foundMember, Symbol), PropertySymbol)
Dim accessorToCheck As MethodSymbol = [property].GetMethod
If accessorToCheck Is Nothing OrElse
accessorToCheck.DeclaredAccessibility = [property].DeclaredAccessibility OrElse
Not accessorToCheck.RequiresImplementation() Then
accessorToCheck = [property].SetMethod
End If
If accessorToCheck IsNot Nothing AndAlso
accessorToCheck.DeclaredAccessibility <> [property].DeclaredAccessibility AndAlso
accessorToCheck.RequiresImplementation() AndAlso
Not binder.IsAccessible(accessorToCheck, useSiteInfo) Then
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, binder.GetInaccessibleErrorInfo(accessorToCheck))
End If
End If
End If
End If
End If
diagBag.Add(interfaceName, useSiteInfo)
lookup.Free()
If foundMember Is Nothing And Not errorReported Then
' Didn't find a method (or it was otherwise bad in some way)
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_IdentNotMemberOfInterface4,
CustomSymbolDisplayFormatter.ShortErrorName(implementingSym), implementedMethodName,
implementingSym.GetKindText(),
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(interfaceType))
End If
Return foundMember
ElseIf interfaceType.TypeKind = TypeKind.Error Then
' BindType already reported an error, so don't report another one
Return Nothing
Else
' type is some other type rather than an interface
Binder.ReportDiagnostic(diagBag, interfaceName, ERRID.ERR_BadImplementsType)
Return Nothing
End If
End Function
''' <summary>
''' Does 'implementingSym' match 'implementedSym' well enough to be considered a match for interface implementation?
''' </summary>
Private Function MembersAreMatchingForPurposesOfInterfaceImplementation(implementingSym As Symbol,
implementedSym As Symbol) As Boolean
Return MembersAreMatching(implementingSym, implementedSym, Not SymbolComparisonResults.MismatchesForExplicitInterfaceImplementations, EventSignatureComparer.ExplicitEventImplementationComparer)
End Function
Private Function MembersHaveMatchingTupleNames(implementingSym As Symbol,
implementedSym As Symbol) As Boolean
Return MembersAreMatching(implementingSym, implementedSym, SymbolComparisonResults.TupleNamesMismatch, EventSignatureComparer.ExplicitEventImplementationWithTupleNamesComparer)
End Function
Private Function MembersAreMatching(implementingSym As Symbol,
implementedSym As Symbol,
comparisons As SymbolComparisonResults,
eventComparer As EventSignatureComparer) As Boolean
Debug.Assert(implementingSym.Kind = implementedSym.Kind)
Select Case implementingSym.Kind
Case SymbolKind.Method
Dim results = MethodSignatureComparer.DetailedCompare(DirectCast(implementedSym, MethodSymbol), DirectCast(implementingSym, MethodSymbol),
comparisons,
comparisons)
Return (results = 0)
Case SymbolKind.Property
Dim results = PropertySignatureComparer.DetailedCompare(DirectCast(implementedSym, PropertySymbol), DirectCast(implementingSym, PropertySymbol),
comparisons,
comparisons)
Return (results = 0)
Case SymbolKind.Event
Return eventComparer.Equals(DirectCast(implementedSym, EventSymbol), DirectCast(implementingSym, EventSymbol))
Case Else
Throw ExceptionUtilities.UnexpectedValue(implementingSym.Kind)
End Select
End Function
''' <summary>
''' Perform additional validate of implementedSym and issue diagnostics.
''' Return "implementedSym" if the symbol table should record implementedSym as the implemented
''' symbol (even if diagnostics were issues). Returns Nothing if the code should not treat
''' implementedSym as the implemented symbol.
''' </summary>
Private Function ValidateImplementedMember(Of TSymbol As Symbol)(implementingSym As TSymbol,
implementedSym As TSymbol,
implementedMemberSyntax As QualifiedNameSyntax,
binder As Binder,
diagBag As BindingDiagnosticBag,
interfaceType As TypeSymbol,
implementedMethodName As String,
ByRef errorReported As Boolean) As TSymbol
If Not implementedSym.RequiresImplementation() Then
' TODO: Perhaps give ERR_CantImplementNonVirtual3 like Dev10. But, this message seems more
' TODO: confusing than useful, so for now, just treat it like a method that doesn't exist.
Return Nothing
End If
' Validate that implementing property implements all accessors of the implemented property
If implementedSym.Kind = SymbolKind.Property Then
Dim implementedProperty As PropertySymbol = TryCast(implementedSym, PropertySymbol)
Dim implementedPropertyGetMethod As MethodSymbol = implementedProperty.GetMethod
If Not implementedPropertyGetMethod?.RequiresImplementation() Then
implementedPropertyGetMethod = Nothing
End If
Dim implementedPropertySetMethod As MethodSymbol = implementedProperty.SetMethod
If Not implementedPropertySetMethod?.RequiresImplementation() Then
implementedPropertySetMethod = Nothing
End If
Dim implementingProperty As PropertySymbol = TryCast(implementingSym, PropertySymbol)
If (implementedPropertyGetMethod IsNot Nothing AndAlso implementingProperty.GetMethod Is Nothing) OrElse
(implementedPropertySetMethod IsNot Nothing AndAlso implementingProperty.SetMethod Is Nothing) Then
' "'{0}' cannot be implemented by a {1} property."
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_PropertyDoesntImplementAllAccessors,
implementedProperty,
implementingProperty.GetPropertyKindText())
errorReported = True
ElseIf ((implementedPropertyGetMethod Is Nothing) Xor (implementedPropertySetMethod Is Nothing)) AndAlso
implementingProperty.GetMethod IsNot Nothing AndAlso implementingProperty.SetMethod IsNot Nothing Then
errorReported = errorReported Or
Not InternalSyntax.Parser.CheckFeatureAvailability(diagBag, implementedMemberSyntax.GetLocation(),
DirectCast(implementedMemberSyntax.SyntaxTree, VisualBasicSyntaxTree).Options.LanguageVersion,
InternalSyntax.Feature.ImplementingReadonlyOrWriteonlyPropertyWithReadwrite)
End If
If implementedPropertySetMethod?.IsInitOnly <> implementingProperty.SetMethod?.IsInitOnly Then
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_PropertyDoesntImplementInitOnly,
implementedProperty)
errorReported = True
End If
End If
If implementedSym IsNot Nothing AndAlso implementingSym.ContainsTupleNames() AndAlso
Not MembersHaveMatchingTupleNames(implementingSym, implementedSym) Then
' it is ok to implement with no tuple names, for compatibility with VB 14, but otherwise names should match
Binder.ReportDiagnostic(diagBag, implementedMemberSyntax, ERRID.ERR_ImplementingInterfaceWithDifferentTupleNames5,
CustomSymbolDisplayFormatter.ShortErrorName(implementingSym),
implementingSym.GetKindText(),
implementedMethodName,
CustomSymbolDisplayFormatter.ShortNameWithTypeArgs(interfaceType),
implementingSym,
implementedSym)
errorReported = True
End If
' TODO: If implementing event, check that delegate types are consistent, or maybe set the delegate type. See Dev10 compiler
' TODO: in ImplementsSemantics.cpp, Bindable::BindImplements.
' Method type parameter constraints are validated later, in ValidateImplementedMethodConstraints,
' after the ExplicitInterfaceImplementations property has been set on the implementing method.
Return implementedSym
End Function
''' <summary>
''' Validate method type parameter constraints. This is handled outside
''' of ValidateImplementedMember because that method is invoked
''' while computing the ExplicitInterfaceImplementations value on the
''' implementing method, but method type parameters rely on the value
''' of ExplicitInterfaceImplementations to determine constraints correctly.
''' </summary>
Public Sub ValidateImplementedMethodConstraints(implementingMethod As SourceMethodSymbol,
implementedMethod As MethodSymbol,
diagBag As BindingDiagnosticBag)
If Not MethodSignatureComparer.HaveSameConstraints(implementedMethod, implementingMethod) Then
' "'{0}' cannot implement '{1}.{2}' because they differ by type parameter constraints."
Dim loc = implementingMethod.GetImplementingLocation(implementedMethod)
diagBag.Add(
ErrorFactory.ErrorInfo(ERRID.ERR_ImplementsWithConstraintMismatch3, implementingMethod, implementedMethod.ContainingType, implementedMethod),
loc)
End If
End Sub
''' <summary>
''' Performs interface mapping to determine which symbol in this type or a base type
''' actually implements a particular interface member.
''' </summary>
''' <typeparam name="TSymbol">MethodSymbol or PropertySymbol or EventSymbol (an interface member).</typeparam>
''' <param name="interfaceMember">A non-null member on an interface type.</param>
''' <param name="implementingType">The type implementing the interface member.</param>
''' <param name="comparer">A comparer for comparing signatures of TSymbol according to metadata implementation rules.</param>
''' <returns>The implementing member or Nothing, if there isn't one.</returns>
Public Function ComputeImplementationForInterfaceMember(Of TSymbol As Symbol)(interfaceMember As TSymbol,
implementingType As TypeSymbol,
comparer As IEqualityComparer(Of TSymbol)) As TSymbol
Debug.Assert(TypeOf interfaceMember Is PropertySymbol OrElse
TypeOf interfaceMember Is MethodSymbol OrElse
TypeOf interfaceMember Is EventSymbol)
Dim interfaceType As NamedTypeSymbol = interfaceMember.ContainingType
Debug.Assert(interfaceType IsNot Nothing AndAlso interfaceType.IsInterface)
Dim seenMDTypeDeclaringInterface As Boolean = False
Dim currType As TypeSymbol = implementingType
' Go up the inheritance chain, looking for an implementation of the member.
While currType IsNot Nothing
' First, check for explicit interface implementation.
Dim currTypeExplicitImpl As MultiDictionary(Of Symbol, Symbol).ValueSet = currType.ExplicitInterfaceImplementationMap(interfaceMember)
If currTypeExplicitImpl.Count = 1 Then
Return DirectCast(currTypeExplicitImpl.Single(), TSymbol)
ElseIf currTypeExplicitImpl.Count > 1 Then
Return Nothing
End If
' VB only supports explicit interface implementation, but for the purpose of finding implementation, we must
' check implicit implementation for members from metadata. We only want to consider metadata implementations
' if a metadata implementation (or a derived metadata implementation) actually implements the given interface
' (not a derived interface), since this is the metadata rule from Partition II, section 12.2.
'
' Consider:
' Interface IGoo ' from metadata
' Sub Goo()
' Class A ' from metadata
' Public Sub Goo()
' Class B: Inherits A: Implements IGoo ' from metadata
' Class C: Inherits B ' from metadata
' Public Shadows Sub Goo()
' Class D: Inherits C: Implements IGoo ' from source
' In this case, A.Goo is the correct implementation of IGoo.Goo within D.
' NOTE: Ideally, we'd like to distinguish between the "current" compilation and other assemblies
' (including other compilations), rather than source and metadata, but there are two reasons that
' that won't work in this case:
' 1) We really don't want consumers of the API to have to pass in the current compilation when
' they ask questions about interface implementation.
' 2) NamedTypeSymbol.Interfaces does not round-trip in the presence of implicit interface
' implementations. As in dev11, we drop interfaces from the interface list if any of their
' members are implemented in a base type (so that CLR implicit implementation will pick the
' same method as the VB language).
If Not currType.Dangerous_IsFromSomeCompilationIncludingRetargeting AndAlso
currType.InterfacesNoUseSiteDiagnostics.Contains(interfaceType, EqualsIgnoringComparer.InstanceCLRSignatureCompare) Then
seenMDTypeDeclaringInterface = True
End If
If seenMDTypeDeclaringInterface Then
'check for implicit impls (name must match)
Dim currTypeImplicitImpl As TSymbol
currTypeImplicitImpl = FindImplicitImplementationDeclaredInType(interfaceMember, currType, comparer)
If currTypeImplicitImpl IsNot Nothing Then
Return currTypeImplicitImpl
End If
End If
currType = currType.BaseTypeNoUseSiteDiagnostics
End While
Return Nothing
End Function
''' <summary>
''' Search the declared methods of a type for one that could be an implicit implementation
''' of a given interface method (depending on interface declarations). It is assumed that the implementing
''' type is not a source type.
''' </summary>
''' <typeparam name="TSymbol">MethodSymbol or PropertySymbol or EventSymbol (an interface member).</typeparam>
''' <param name="interfaceMember">The interface member being implemented.</param>
''' <param name="currType">The type on which we are looking for a declared implementation of the interface method.</param>
''' <param name="comparer">A comparer for comparing signatures of TSymbol according to metadata implementation rules.</param>
Private Function FindImplicitImplementationDeclaredInType(Of TSymbol As Symbol)(interfaceMember As TSymbol,
currType As TypeSymbol,
comparer As IEqualityComparer(Of TSymbol)) As TSymbol '
Debug.Assert(Not currType.Dangerous_IsFromSomeCompilationIncludingRetargeting)
For Each member In currType.GetMembers(interfaceMember.Name)
If member.DeclaredAccessibility = Accessibility.Public AndAlso
Not member.IsShared AndAlso
TypeOf member Is TSymbol AndAlso
comparer.Equals(interfaceMember, DirectCast(member, TSymbol)) Then
Return DirectCast(member, TSymbol)
End If
Next
Return Nothing
End Function
''' <summary>
''' Given a set of explicit interface implementations that are undergoing substitution, return the substituted versions.
''' </summary>
''' <typeparam name="TSymbol">Type of the interface members (Method, Property, Event)</typeparam>
''' <param name="unsubstitutedImplementations">The ROA of members that are being implemented</param>
''' <param name="substitution">The type substitution</param>
''' <returns>The substituted members.</returns>
Public Function SubstituteExplicitInterfaceImplementations(Of TSymbol As Symbol)(unsubstitutedImplementations As ImmutableArray(Of TSymbol),
substitution As TypeSubstitution) As ImmutableArray(Of TSymbol)
If unsubstitutedImplementations.Length = 0 Then
Return ImmutableArray(Of TSymbol).Empty
Else
Dim substitutedImplementations(0 To unsubstitutedImplementations.Length - 1) As TSymbol
For i As Integer = 0 To unsubstitutedImplementations.Length - 1
Dim unsubstitutedMember As TSymbol = unsubstitutedImplementations(i)
Dim unsubstitutedInterfaceType = unsubstitutedMember.ContainingType
substitutedImplementations(i) = unsubstitutedImplementations(i) ' default: no substitution necessary
If unsubstitutedInterfaceType.IsGenericType Then
Dim substitutedInterfaceType = TryCast(unsubstitutedInterfaceType.InternalSubstituteTypeParameters(substitution).AsTypeSymbolOnly(), SubstitutedNamedType)
If substitutedInterfaceType IsNot Nothing Then
' Get the substituted version of the member
substitutedImplementations(i) = DirectCast(substitutedInterfaceType.GetMemberForDefinition(unsubstitutedMember.OriginalDefinition), TSymbol)
End If
End If
Next
Return ImmutableArray.Create(Of TSymbol)(substitutedImplementations)
End If
End Function
End Module
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/CSharpTest/EmbeddedLanguages/RegularExpressions/CSharpRegexParserTests.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 System.Linq;
using System.Runtime.CompilerServices;
using System.Text.RegularExpressions;
using System.Threading;
using System.Xml.Linq;
using Microsoft.CodeAnalysis.CSharp.EmbeddedLanguages.VirtualChars;
using Microsoft.CodeAnalysis.EmbeddedLanguages.Common;
using Microsoft.CodeAnalysis.EmbeddedLanguages.RegularExpressions;
using Microsoft.CodeAnalysis.EmbeddedLanguages.VirtualChars;
using Microsoft.CodeAnalysis.Text;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.UnitTests.EmbeddedLanguages.RegularExpressions
{
using RegexToken = EmbeddedSyntaxToken<RegexKind>;
using RegexTrivia = EmbeddedSyntaxTrivia<RegexKind>;
public partial class CSharpRegexParserTests
{
private readonly IVirtualCharService _service = CSharpVirtualCharService.Instance;
private const string _statmentPrefix = "var v = ";
private static SyntaxToken GetStringToken(string text)
{
var statement = _statmentPrefix + text;
var parsedStatement = SyntaxFactory.ParseStatement(statement);
var token = parsedStatement.DescendantTokens().ToArray()[3];
Assert.True(token.Kind() == SyntaxKind.StringLiteralToken);
return token;
}
private void Test(string stringText, string expected, RegexOptions options,
bool runSubTreeTests = true,
bool allowIndexOutOfRange = false,
bool allowNullReference = false,
bool allowOutOfMemory = false,
bool allowDiagnosticsMismatch = false)
{
var (tree, sourceText) = TryParseTree(stringText, options, conversionFailureOk: false,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
// Tests are allowed to not run the subtree tests. This is because some
// subtrees can cause the native regex parser to exhibit very bad behavior
// (like not ever actually finishing compiling).
if (runSubTreeTests)
{
TryParseSubTrees(stringText, options,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
const string DoubleQuoteEscaping = "\"\"";
var actual = TreeToText(sourceText, tree)
.Replace("\"", DoubleQuoteEscaping)
.Replace(""", DoubleQuoteEscaping);
Assert.Equal(expected.Replace("\"", DoubleQuoteEscaping), actual);
}
private void TryParseSubTrees(
string stringText, RegexOptions options,
bool allowIndexOutOfRange,
bool allowNullReference,
bool allowOutOfMemory,
bool allowDiagnosticsMismatch)
{
// Trim the input from the right and make sure tree invariants hold
var current = stringText;
while (current != "@\"\"" && current != "\"\"")
{
current = current.Substring(0, current.Length - 2) + "\"";
TryParseTree(current, options, conversionFailureOk: true,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
// Trim the input from the left and make sure tree invariants hold
current = stringText;
while (current != "@\"\"" && current != "\"\"")
{
if (current[0] == '@')
{
current = "@\"" + current.Substring(3);
}
else
{
current = "\"" + current.Substring(2);
}
TryParseTree(current, options, conversionFailureOk: true,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
for (var start = stringText[0] == '@' ? 2 : 1; start < stringText.Length - 1; start++)
{
TryParseTree(
stringText.Substring(0, start) +
stringText.Substring(start + 1, stringText.Length - (start + 1)),
options, conversionFailureOk: true,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
}
private (SyntaxToken, RegexTree, VirtualCharSequence) JustParseTree(
string stringText, RegexOptions options, bool conversionFailureOk)
{
var token = GetStringToken(stringText);
var allChars = _service.TryConvertToVirtualChars(token);
if (allChars.IsDefault)
{
Assert.True(conversionFailureOk, "Failed to convert text to token.");
return (token, null, allChars);
}
var tree = RegexParser.TryParse(allChars, options);
return (token, tree, allChars);
}
private (RegexTree, SourceText) TryParseTree(
string stringText, RegexOptions options,
bool conversionFailureOk,
bool allowIndexOutOfRange,
bool allowNullReference,
bool allowOutOfMemeory,
bool allowDiagnosticsMismatch = false)
{
var (token, tree, allChars) = JustParseTree(stringText, options, conversionFailureOk);
if (tree == null)
{
Assert.True(allChars.IsDefault);
return default;
}
CheckInvariants(tree, allChars);
var sourceText = token.SyntaxTree.GetText();
var treeAndText = (tree, sourceText);
Regex regex = null;
try
{
regex = new Regex(token.ValueText, options);
}
catch (IndexOutOfRangeException) when (allowIndexOutOfRange)
{
// bug with .NET regex parser. Can happen with patterns like: (?<-0
Assert.NotEmpty(tree.Diagnostics);
return treeAndText;
}
catch (NullReferenceException) when (allowNullReference)
{
// bug with .NET regex parser. can happen with patterns like: (?(?S))
return treeAndText;
}
catch (OutOfMemoryException) when (allowOutOfMemeory)
{
// bug with .NET regex parser. can happen with patterns like: a{2147483647,}
return treeAndText;
}
catch (ArgumentException ex)
{
if (!allowDiagnosticsMismatch)
{
Assert.NotEmpty(tree.Diagnostics);
// Ensure the diagnostic we emit is the same as the .NET one. Note: we can only
// do this in en-US as that's the only culture where we control the text exactly
// and can ensure it exactly matches Regex. We depend on localization to do a
// good enough job here for other languages.
if (Thread.CurrentThread.CurrentCulture.Name == "en-US")
{
Assert.True(tree.Diagnostics.Any(d => ex.Message.Contains(d.Message)));
}
}
return treeAndText;
}
if (!tree.Diagnostics.IsEmpty && !allowDiagnosticsMismatch)
{
var expectedDiagnostics = CreateDiagnosticsElement(sourceText, tree);
Assert.False(true, "Expected diagnostics: \r\n" + expectedDiagnostics.ToString().Replace(@"""", @""""""));
}
Assert.True(regex.GetGroupNumbers().OrderBy(v => v).SequenceEqual(
tree.CaptureNumbersToSpan.Keys.OrderBy(v => v).Select(v => (int)v)));
Assert.True(regex.GetGroupNames().Where(v => !int.TryParse(v, out _)).OrderBy(v => v).SequenceEqual(
tree.CaptureNamesToSpan.Keys.OrderBy(v => v)));
return treeAndText;
}
private string TreeToText(SourceText text, RegexTree tree)
{
var element = new XElement("Tree",
NodeToElement(tree.Root));
if (tree.Diagnostics.Length > 0)
{
element.Add(CreateDiagnosticsElement(text, tree));
}
element.Add(new XElement("Captures",
tree.CaptureNumbersToSpan.OrderBy(kvp => kvp.Key).Select(kvp =>
new XElement("Capture", new XAttribute("Name", kvp.Key), new XAttribute("Span", kvp.Value), GetTextAttribute(text, kvp.Value))),
tree.CaptureNamesToSpan.OrderBy(kvp => kvp.Key).Select(kvp =>
new XElement("Capture", new XAttribute("Name", kvp.Key), new XAttribute("Span", kvp.Value), GetTextAttribute(text, kvp.Value)))));
return element.ToString();
}
private static XElement CreateDiagnosticsElement(SourceText text, RegexTree tree)
=> new XElement("Diagnostics",
tree.Diagnostics.Select(d =>
new XElement("Diagnostic",
new XAttribute("Message", d.Message),
new XAttribute("Span", d.Span),
GetTextAttribute(text, d.Span))));
private static XAttribute GetTextAttribute(SourceText text, TextSpan span)
=> new XAttribute("Text", text.ToString(span));
private XElement NodeToElement(RegexNode node)
{
var element = new XElement(node.Kind.ToString());
foreach (var child in node)
{
element.Add(child.IsNode ? NodeToElement(child.Node) : TokenToElement(child.Token));
}
return element;
}
private static XElement TokenToElement(RegexToken token)
{
var element = new XElement(token.Kind.ToString());
if (token.Value != null)
{
element.Add(new XAttribute("value", token.Value));
}
if (token.LeadingTrivia.Length > 0)
{
element.Add(new XElement("Trivia", token.LeadingTrivia.Select(t => TriviaToElement(t))));
}
if (token.VirtualChars.Length > 0)
{
element.Add(token.VirtualChars.CreateString());
}
return element;
}
private static XElement TriviaToElement(RegexTrivia trivia)
=> new XElement(
trivia.Kind.ToString(),
trivia.VirtualChars.CreateString());
private void CheckInvariants(RegexTree tree, VirtualCharSequence allChars)
{
var root = tree.Root;
var position = 0;
CheckInvariants(root, ref position, allChars);
Assert.Equal(allChars.Length, position);
}
private void CheckInvariants(RegexNode node, ref int position, VirtualCharSequence allChars)
{
foreach (var child in node)
{
if (child.IsNode)
{
CheckInvariants(child.Node, ref position, allChars);
}
else
{
CheckInvariants(child.Token, ref position, allChars);
}
}
}
private static void CheckInvariants(RegexToken token, ref int position, VirtualCharSequence allChars)
{
CheckInvariants(token.LeadingTrivia, ref position, allChars);
CheckCharacters(token.VirtualChars, ref position, allChars);
}
private static void CheckInvariants(ImmutableArray<RegexTrivia> leadingTrivia, ref int position, VirtualCharSequence allChars)
{
foreach (var trivia in leadingTrivia)
{
CheckInvariants(trivia, ref position, allChars);
}
}
private static void CheckInvariants(RegexTrivia trivia, ref int position, VirtualCharSequence allChars)
{
switch (trivia.Kind)
{
case RegexKind.CommentTrivia:
case RegexKind.WhitespaceTrivia:
break;
default:
Assert.False(true, "Incorrect trivia kind");
return;
}
CheckCharacters(trivia.VirtualChars, ref position, allChars);
}
private static void CheckCharacters(VirtualCharSequence virtualChars, ref int position, VirtualCharSequence allChars)
{
for (var i = 0; i < virtualChars.Length; i++)
{
Assert.Equal(allChars[position + i], virtualChars[i]);
}
position += virtualChars.Length;
}
[Fact]
public void TestDeepRecursion()
{
var (token, tree, chars) =
JustParseTree(
@"@""((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((""", RegexOptions.None, conversionFailureOk: false);
Assert.False(token.IsMissing);
Assert.False(chars.IsDefaultOrEmpty);
Assert.Null(tree);
}
}
}
| // 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 System.Linq;
using System.Runtime.CompilerServices;
using System.Text.RegularExpressions;
using System.Threading;
using System.Xml.Linq;
using Microsoft.CodeAnalysis.CSharp.EmbeddedLanguages.VirtualChars;
using Microsoft.CodeAnalysis.EmbeddedLanguages.Common;
using Microsoft.CodeAnalysis.EmbeddedLanguages.RegularExpressions;
using Microsoft.CodeAnalysis.EmbeddedLanguages.VirtualChars;
using Microsoft.CodeAnalysis.Text;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.UnitTests.EmbeddedLanguages.RegularExpressions
{
using RegexToken = EmbeddedSyntaxToken<RegexKind>;
using RegexTrivia = EmbeddedSyntaxTrivia<RegexKind>;
public partial class CSharpRegexParserTests
{
private readonly IVirtualCharService _service = CSharpVirtualCharService.Instance;
private const string _statmentPrefix = "var v = ";
private static SyntaxToken GetStringToken(string text)
{
var statement = _statmentPrefix + text;
var parsedStatement = SyntaxFactory.ParseStatement(statement);
var token = parsedStatement.DescendantTokens().ToArray()[3];
Assert.True(token.Kind() == SyntaxKind.StringLiteralToken);
return token;
}
private void Test(string stringText, string expected, RegexOptions options,
bool runSubTreeTests = true,
bool allowIndexOutOfRange = false,
bool allowNullReference = false,
bool allowOutOfMemory = false,
bool allowDiagnosticsMismatch = false)
{
var (tree, sourceText) = TryParseTree(stringText, options, conversionFailureOk: false,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
// Tests are allowed to not run the subtree tests. This is because some
// subtrees can cause the native regex parser to exhibit very bad behavior
// (like not ever actually finishing compiling).
if (runSubTreeTests)
{
TryParseSubTrees(stringText, options,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
const string DoubleQuoteEscaping = "\"\"";
var actual = TreeToText(sourceText, tree)
.Replace("\"", DoubleQuoteEscaping)
.Replace(""", DoubleQuoteEscaping);
Assert.Equal(expected.Replace("\"", DoubleQuoteEscaping), actual);
}
private void TryParseSubTrees(
string stringText, RegexOptions options,
bool allowIndexOutOfRange,
bool allowNullReference,
bool allowOutOfMemory,
bool allowDiagnosticsMismatch)
{
// Trim the input from the right and make sure tree invariants hold
var current = stringText;
while (current != "@\"\"" && current != "\"\"")
{
current = current.Substring(0, current.Length - 2) + "\"";
TryParseTree(current, options, conversionFailureOk: true,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
// Trim the input from the left and make sure tree invariants hold
current = stringText;
while (current != "@\"\"" && current != "\"\"")
{
if (current[0] == '@')
{
current = "@\"" + current.Substring(3);
}
else
{
current = "\"" + current.Substring(2);
}
TryParseTree(current, options, conversionFailureOk: true,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
for (var start = stringText[0] == '@' ? 2 : 1; start < stringText.Length - 1; start++)
{
TryParseTree(
stringText.Substring(0, start) +
stringText.Substring(start + 1, stringText.Length - (start + 1)),
options, conversionFailureOk: true,
allowIndexOutOfRange, allowNullReference, allowOutOfMemory, allowDiagnosticsMismatch);
}
}
private (SyntaxToken, RegexTree, VirtualCharSequence) JustParseTree(
string stringText, RegexOptions options, bool conversionFailureOk)
{
var token = GetStringToken(stringText);
var allChars = _service.TryConvertToVirtualChars(token);
if (allChars.IsDefault)
{
Assert.True(conversionFailureOk, "Failed to convert text to token.");
return (token, null, allChars);
}
var tree = RegexParser.TryParse(allChars, options);
return (token, tree, allChars);
}
private (RegexTree, SourceText) TryParseTree(
string stringText, RegexOptions options,
bool conversionFailureOk,
bool allowIndexOutOfRange,
bool allowNullReference,
bool allowOutOfMemeory,
bool allowDiagnosticsMismatch = false)
{
var (token, tree, allChars) = JustParseTree(stringText, options, conversionFailureOk);
if (tree == null)
{
Assert.True(allChars.IsDefault);
return default;
}
CheckInvariants(tree, allChars);
var sourceText = token.SyntaxTree.GetText();
var treeAndText = (tree, sourceText);
Regex regex = null;
try
{
regex = new Regex(token.ValueText, options);
}
catch (IndexOutOfRangeException) when (allowIndexOutOfRange)
{
// bug with .NET regex parser. Can happen with patterns like: (?<-0
Assert.NotEmpty(tree.Diagnostics);
return treeAndText;
}
catch (NullReferenceException) when (allowNullReference)
{
// bug with .NET regex parser. can happen with patterns like: (?(?S))
return treeAndText;
}
catch (OutOfMemoryException) when (allowOutOfMemeory)
{
// bug with .NET regex parser. can happen with patterns like: a{2147483647,}
return treeAndText;
}
catch (ArgumentException ex)
{
if (!allowDiagnosticsMismatch)
{
Assert.NotEmpty(tree.Diagnostics);
// Ensure the diagnostic we emit is the same as the .NET one. Note: we can only
// do this in en-US as that's the only culture where we control the text exactly
// and can ensure it exactly matches Regex. We depend on localization to do a
// good enough job here for other languages.
if (Thread.CurrentThread.CurrentCulture.Name == "en-US")
{
Assert.True(tree.Diagnostics.Any(d => ex.Message.Contains(d.Message)));
}
}
return treeAndText;
}
if (!tree.Diagnostics.IsEmpty && !allowDiagnosticsMismatch)
{
var expectedDiagnostics = CreateDiagnosticsElement(sourceText, tree);
Assert.False(true, "Expected diagnostics: \r\n" + expectedDiagnostics.ToString().Replace(@"""", @""""""));
}
Assert.True(regex.GetGroupNumbers().OrderBy(v => v).SequenceEqual(
tree.CaptureNumbersToSpan.Keys.OrderBy(v => v).Select(v => (int)v)));
Assert.True(regex.GetGroupNames().Where(v => !int.TryParse(v, out _)).OrderBy(v => v).SequenceEqual(
tree.CaptureNamesToSpan.Keys.OrderBy(v => v)));
return treeAndText;
}
private string TreeToText(SourceText text, RegexTree tree)
{
var element = new XElement("Tree",
NodeToElement(tree.Root));
if (tree.Diagnostics.Length > 0)
{
element.Add(CreateDiagnosticsElement(text, tree));
}
element.Add(new XElement("Captures",
tree.CaptureNumbersToSpan.OrderBy(kvp => kvp.Key).Select(kvp =>
new XElement("Capture", new XAttribute("Name", kvp.Key), new XAttribute("Span", kvp.Value), GetTextAttribute(text, kvp.Value))),
tree.CaptureNamesToSpan.OrderBy(kvp => kvp.Key).Select(kvp =>
new XElement("Capture", new XAttribute("Name", kvp.Key), new XAttribute("Span", kvp.Value), GetTextAttribute(text, kvp.Value)))));
return element.ToString();
}
private static XElement CreateDiagnosticsElement(SourceText text, RegexTree tree)
=> new XElement("Diagnostics",
tree.Diagnostics.Select(d =>
new XElement("Diagnostic",
new XAttribute("Message", d.Message),
new XAttribute("Span", d.Span),
GetTextAttribute(text, d.Span))));
private static XAttribute GetTextAttribute(SourceText text, TextSpan span)
=> new XAttribute("Text", text.ToString(span));
private XElement NodeToElement(RegexNode node)
{
var element = new XElement(node.Kind.ToString());
foreach (var child in node)
{
element.Add(child.IsNode ? NodeToElement(child.Node) : TokenToElement(child.Token));
}
return element;
}
private static XElement TokenToElement(RegexToken token)
{
var element = new XElement(token.Kind.ToString());
if (token.Value != null)
{
element.Add(new XAttribute("value", token.Value));
}
if (token.LeadingTrivia.Length > 0)
{
element.Add(new XElement("Trivia", token.LeadingTrivia.Select(t => TriviaToElement(t))));
}
if (token.VirtualChars.Length > 0)
{
element.Add(token.VirtualChars.CreateString());
}
return element;
}
private static XElement TriviaToElement(RegexTrivia trivia)
=> new XElement(
trivia.Kind.ToString(),
trivia.VirtualChars.CreateString());
private void CheckInvariants(RegexTree tree, VirtualCharSequence allChars)
{
var root = tree.Root;
var position = 0;
CheckInvariants(root, ref position, allChars);
Assert.Equal(allChars.Length, position);
}
private void CheckInvariants(RegexNode node, ref int position, VirtualCharSequence allChars)
{
foreach (var child in node)
{
if (child.IsNode)
{
CheckInvariants(child.Node, ref position, allChars);
}
else
{
CheckInvariants(child.Token, ref position, allChars);
}
}
}
private static void CheckInvariants(RegexToken token, ref int position, VirtualCharSequence allChars)
{
CheckInvariants(token.LeadingTrivia, ref position, allChars);
CheckCharacters(token.VirtualChars, ref position, allChars);
}
private static void CheckInvariants(ImmutableArray<RegexTrivia> leadingTrivia, ref int position, VirtualCharSequence allChars)
{
foreach (var trivia in leadingTrivia)
{
CheckInvariants(trivia, ref position, allChars);
}
}
private static void CheckInvariants(RegexTrivia trivia, ref int position, VirtualCharSequence allChars)
{
switch (trivia.Kind)
{
case RegexKind.CommentTrivia:
case RegexKind.WhitespaceTrivia:
break;
default:
Assert.False(true, "Incorrect trivia kind");
return;
}
CheckCharacters(trivia.VirtualChars, ref position, allChars);
}
private static void CheckCharacters(VirtualCharSequence virtualChars, ref int position, VirtualCharSequence allChars)
{
for (var i = 0; i < virtualChars.Length; i++)
{
Assert.Equal(allChars[position + i], virtualChars[i]);
}
position += virtualChars.Length;
}
[Fact]
public void TestDeepRecursion()
{
var (token, tree, chars) =
JustParseTree(
@"@""((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((
(((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((((""", RegexOptions.None, conversionFailureOk: false);
Assert.False(token.IsMissing);
Assert.False(chars.IsDefaultOrEmpty);
Assert.Null(tree);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/Syntax/Syntax/SyntaxEquivalenceTests.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.VisualBasic.UnitTests
Public Class SyntaxEquivalenceTests
Private Function NewLines(p1 As String) As String
Return p1.Replace("\n", vbCrLf)
End Function
Private Sub VerifyEquivalent(tree1 As SyntaxTree, tree2 As SyntaxTree, topLevel As Boolean)
Assert.True(SyntaxFactory.AreEquivalent(tree1, tree2, topLevel))
' now try as if the second tree were created from scratch.
Dim tree3 = VisualBasicSyntaxTree.ParseText(tree2.GetText().ToString())
Assert.True(SyntaxFactory.AreEquivalent(tree1, tree3, topLevel))
End Sub
Private Sub VerifyNotEquivalent(tree1 As SyntaxTree, tree2 As SyntaxTree, topLevel As Boolean)
Assert.False(SyntaxFactory.AreEquivalent(tree1, tree2, topLevel))
' now try as if the second tree were created from scratch.
Dim tree3 = VisualBasicSyntaxTree.ParseText(tree2.GetText().ToString())
Assert.False(SyntaxFactory.AreEquivalent(tree1, tree3, topLevel))
End Sub
<Fact>
Public Sub TestEmptyTrees()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text)
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingComment()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, "' goo")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingActivePPDirective()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, NewLines("#if true \n\n#end if"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingInactivePPDirective()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, NewLines("#if false \n\n#end if"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingEmpty()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, NewLines("namespace N \n end namespace"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingClass()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n end namespace"))
Dim tree2 = tree1.WithInsertBefore("end", NewLines("class C \n end class \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameOuter()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("N", "N1")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameInner()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n dim z = 0 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("z", "y")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameOuterToSamename()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("N", "N")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameInnerToSameName()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n dim z = 0 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("z", "z")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingMethod()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n end class \n end namespace"))
Dim tree2 = tree1.WithInsertBefore("end", NewLines("sub Goo() \n end sub \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingLocal()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithInsertBefore("end", NewLines("dim i as Integer \n "))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRemovingLocal()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n dim z = 0 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithRemoveFirst("dim z = 0")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingConstLocal()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n const i = 5 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingEnumMember()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("enum E \n i = 5 \n end enum"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingAttribute()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n <Obsolete(true)>\nclass C \n const i = 5 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("true", "false")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingMethodCall()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n Console.Write(0) \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("Write", "WriteLine")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingUsing()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("Imports System \n namespace N \n class C \n sub Goo() \n Console.Write(0) \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("System", "System.Linq")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingBaseType()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("sub", "Inherits B \n")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingMethodType()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst("sub Goo()", "function Goo() as Integer")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddComment()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("class", NewLines("' Comment\n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestCommentOutCode()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("class", "' ")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddDocComment()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("class", NewLines("''' Comment \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundMethodWithActivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("sub Goo() \n end sub \n"), NewLines("\n #if true \n sub Goo() \n end sub \n #end if \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundMethodWithInactivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("sub Goo() \n end sub \n"), NewLines("\n #if false \n sub Goo() \n end sub \n #end if \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundStatementWithActivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n dim i as Integer \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("dim i as Integer \n"), NewLines("\n #if true \n dim i as Integer \n #end if \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundStatementWithInactivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n dim i as Integer \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("dim i as Integer \n"), NewLines("\n #if false \n dim i as Integer \n #end if \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangeWhitespace()
Dim text = NewLines("class C \n sub Goo() \n dim i as Integer \n end sub \n end class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace(" ", " "))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSkippedText()
Dim text = NewLines("Imports System \n Modle Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Modle ", "Mode "))
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestUpdateInterpolatedString()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n Console.Write($""Hello{123:N1}"") \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("N1", "N2")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
tree2 = tree1.WithReplaceFirst("Hello", "World")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
#Region "Field"
<Fact>
Public Sub TestRemovingField1()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5 \n dim j = 6 \n end class \n end namespace"))
Dim tree2 = tree1.WithRemoveFirst("dim i = 5")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRemovingField2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5 \n dim j = 6 \n end class \n end namespace"))
Dim tree2 = tree1.WithRemoveFirst("dim j = 6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingFieldInitializer()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingFieldAsNewInitializer1()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i As New C(5) \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingFieldAsNewInitializer2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i, j As New C(5) \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingField2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5, j = 7 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("7", "8")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingConstField()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n const i = 5 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingConstField2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n const i = 5, j = 7 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
tree2 = tree1.WithReplaceFirst("7", "8")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
#End Region
#Region "Methods"
<Fact>
Public Sub TestMethod_Body()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n Body(1) \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Body(1)", "Body(2)"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Modifiers()
Dim text = NewLines("Imports System \n Module Program \n Friend Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Friend", ""))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterName()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("args", "arg"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterAttribute()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("args", "<A>args"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterModifier()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("args", "ByRef args"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterDefaultValue()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(Optional arg As Integer = 123) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "456"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Kind()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Function", "Sub"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ReturnType1()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) As Integer \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("As Integer", ""))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ReturnType2()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) As C \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("As C", "As D"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ReturnTypeCustomAttribute()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) As <A(1)>C \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("As <A(1)>C", "As <A(2)>C"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Handles()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Handles E.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("E.Goo", "E.Bar"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Implements()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Implements I.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("I.Goo", "I.Bar"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_RemoveEnd()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Implements I.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("End Sub", ""))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ChangeEndKind()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Implements I.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("End Sub", "End Function"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_CommentOutMethodCode()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst("Console.Write(0)", "' Console.Write(0) ")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestMethod_CommentOutMethod()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("sub Goo() \n end sub \n"), NewLines("' sub Goo() \n ' end sub \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
#End Region
#Region "Constructor"
<Fact>
Public Sub TestConstructor_Body()
Dim text = NewLines("Imports System \n Class Program \n Sub New(args As String()) \n Body(1) \n End Sub \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Body(1)", "Body(2)"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestConstructor_Initializer()
Dim text = NewLines("Imports System \n Class Program \n Sub New(args As String()) \n MyBase.New(1) \n End Sub \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("MyBase", "Me"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestConstructor_ParameterDefaultValue()
Dim text = NewLines("Imports System \n Class Program \n Sub New(Optional arg As Integer = 123) \n \n End Sub \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "456"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Operator"
<Fact>
Public Sub TestOperator_Body()
Dim text = NewLines("Imports System \n Class C \n Shared Operator *(a As C, b As C) As Integer \n Return 0 \n End Operator \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Return 0", "Return 1"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestOperator_ParameterName()
Dim text = NewLines("Imports System \n Class C \n Shared Operator *(a As C, b As C) As Integer \n Return 0 \n End Operator \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("b As C", "c As C"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Property"
<Fact>
Public Sub TestPropertyAccessor_Attribute1()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer \n <A(1)>Get \n End Get \n Set(value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestPropertyAccessor_Attribute2()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer \n Get \n End Get \n <A(1)>Set(value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestPropertyAccessor_Attribute3()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer \n Get \n End Get \n Set(<A(1)>value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestProperty_Parameters()
Dim text = NewLines("Imports System \n Class Program \n Property P(a As Integer = 123) \n Get \n End Get \n Set(value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "345"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestAutoProperty_Initializer1()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer = 123 \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "345"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestAutoProperty_Initializer_InvalidSyntax()
Dim text = NewLines("Imports System \n Class Program \n Property P(a As Integer = 123) As Integer = 1 \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "345"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Event"
<Fact>
Public Sub TestEventAccessor_Attribute1()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n <A(1)>AddHandler(value As Action) \n End AddHandler \n RemoveHandler(value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute2()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(value As Action) \n End AddHandler \n <A(1)>RemoveHandler(value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute3()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(value As Action) \n End AddHandler \n RemoveHandler(value As Action) \n End RemoveHandler \n <A(1)>RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute4()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(<A(1)>value As Action) \n End AddHandler \n RemoveHandler(value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute5()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(value As Action) \n End AddHandler \n RemoveHandler(<A(1)>value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Declare"
<Fact>
Public Sub TestDeclare_Modifier()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Ansi", "Unicode"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_LibName()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("goo", "goo2"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_AliasName()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("bar", "bar2"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_ReturnType()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Integer", "Boolean"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_Parameter()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("()", "(a As Integer)"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
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.VisualBasic.UnitTests
Public Class SyntaxEquivalenceTests
Private Function NewLines(p1 As String) As String
Return p1.Replace("\n", vbCrLf)
End Function
Private Sub VerifyEquivalent(tree1 As SyntaxTree, tree2 As SyntaxTree, topLevel As Boolean)
Assert.True(SyntaxFactory.AreEquivalent(tree1, tree2, topLevel))
' now try as if the second tree were created from scratch.
Dim tree3 = VisualBasicSyntaxTree.ParseText(tree2.GetText().ToString())
Assert.True(SyntaxFactory.AreEquivalent(tree1, tree3, topLevel))
End Sub
Private Sub VerifyNotEquivalent(tree1 As SyntaxTree, tree2 As SyntaxTree, topLevel As Boolean)
Assert.False(SyntaxFactory.AreEquivalent(tree1, tree2, topLevel))
' now try as if the second tree were created from scratch.
Dim tree3 = VisualBasicSyntaxTree.ParseText(tree2.GetText().ToString())
Assert.False(SyntaxFactory.AreEquivalent(tree1, tree3, topLevel))
End Sub
<Fact>
Public Sub TestEmptyTrees()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text)
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingComment()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, "' goo")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingActivePPDirective()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, NewLines("#if true \n\n#end if"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingInactivePPDirective()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, NewLines("#if false \n\n#end if"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingEmpty()
Dim text = ""
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = tree1.WithInsertAt(0, NewLines("namespace N \n end namespace"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingClass()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n end namespace"))
Dim tree2 = tree1.WithInsertBefore("end", NewLines("class C \n end class \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameOuter()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("N", "N1")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameInner()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n dim z = 0 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("z", "y")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameOuterToSamename()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("N", "N")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRenameInnerToSameName()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n dim z = 0 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("z", "z")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingMethod()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n end class \n end namespace"))
Dim tree2 = tree1.WithInsertBefore("end", NewLines("sub Goo() \n end sub \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddingLocal()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithInsertBefore("end", NewLines("dim i as Integer \n "))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRemovingLocal()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n dim z = 0 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithRemoveFirst("dim z = 0")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingConstLocal()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n const i = 5 \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingEnumMember()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("enum E \n i = 5 \n end enum"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingAttribute()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n <Obsolete(true)>\nclass C \n const i = 5 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("true", "false")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingMethodCall()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n Console.Write(0) \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("Write", "WriteLine")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingUsing()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("Imports System \n namespace N \n class C \n sub Goo() \n Console.Write(0) \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("System", "System.Linq")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingBaseType()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("sub", "Inherits B \n")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingMethodType()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst("sub Goo()", "function Goo() as Integer")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddComment()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("class", NewLines("' Comment\n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestCommentOutCode()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("class", "' ")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestAddDocComment()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithInsertBefore("class", NewLines("''' Comment \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundMethodWithActivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("sub Goo() \n end sub \n"), NewLines("\n #if true \n sub Goo() \n end sub \n #end if \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundMethodWithInactivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("sub Goo() \n end sub \n"), NewLines("\n #if false \n sub Goo() \n end sub \n #end if \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundStatementWithActivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n dim i as Integer \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("dim i as Integer \n"), NewLines("\n #if true \n dim i as Integer \n #end if \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSurroundStatementWithInactivePPRegion()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n dim i as Integer \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("dim i as Integer \n"), NewLines("\n #if false \n dim i as Integer \n #end if \n"))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangeWhitespace()
Dim text = NewLines("class C \n sub Goo() \n dim i as Integer \n end sub \n end class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace(" ", " "))
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestSkippedText()
Dim text = NewLines("Imports System \n Modle Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Modle ", "Mode "))
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestUpdateInterpolatedString()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n sub Goo() \n Console.Write($""Hello{123:N1}"") \n end sub \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("N1", "N2")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
tree2 = tree1.WithReplaceFirst("Hello", "World")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
#Region "Field"
<Fact>
Public Sub TestRemovingField1()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5 \n dim j = 6 \n end class \n end namespace"))
Dim tree2 = tree1.WithRemoveFirst("dim i = 5")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestRemovingField2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5 \n dim j = 6 \n end class \n end namespace"))
Dim tree2 = tree1.WithRemoveFirst("dim j = 6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingFieldInitializer()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingFieldAsNewInitializer1()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i As New C(5) \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingFieldAsNewInitializer2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i, j As New C(5) \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingField2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n dim i = 5, j = 7 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("7", "8")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
tree2 = tree1.WithReplaceFirst("5", "6")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingConstField()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n const i = 5 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestChangingConstField2()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("namespace N \n class C \n const i = 5, j = 7 \n end class \n end namespace"))
Dim tree2 = tree1.WithReplaceFirst("5", "6")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
tree2 = tree1.WithReplaceFirst("7", "8")
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
#End Region
#Region "Methods"
<Fact>
Public Sub TestMethod_Body()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n Body(1) \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Body(1)", "Body(2)"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Modifiers()
Dim text = NewLines("Imports System \n Module Program \n Friend Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Friend", ""))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterName()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("args", "arg"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterAttribute()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("args", "<A>args"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterModifier()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("args", "ByRef args"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ParameterDefaultValue()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(Optional arg As Integer = 123) \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "456"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Kind()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Function", "Sub"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ReturnType1()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) As Integer \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("As Integer", ""))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ReturnType2()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) As C \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("As C", "As D"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ReturnTypeCustomAttribute()
Dim text = NewLines("Imports System \n Module Program \n Function Main(Optional arg As Integer = 123) As <A(1)>C \n \n End Function \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("As <A(1)>C", "As <A(2)>C"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Handles()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Handles E.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("E.Goo", "E.Bar"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_Implements()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Implements I.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("I.Goo", "I.Bar"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_RemoveEnd()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Implements I.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("End Sub", ""))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_ChangeEndKind()
Dim text = NewLines("Imports System \n Module Program \n Sub Main(args As String()) Implements I.Goo \n \n End Sub \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("End Sub", "End Function"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestMethod_CommentOutMethodCode()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n Console.Write(0) \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst("Console.Write(0)", "' Console.Write(0) ")
VerifyEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
<Fact>
Public Sub TestMethod_CommentOutMethod()
Dim tree1 = VisualBasicSyntaxTree.ParseText(NewLines("class C \n sub Goo() \n end sub \n end class"))
Dim tree2 = tree1.WithReplaceFirst(NewLines("sub Goo() \n end sub \n"), NewLines("' sub Goo() \n ' end sub \n"))
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
End Sub
#End Region
#Region "Constructor"
<Fact>
Public Sub TestConstructor_Body()
Dim text = NewLines("Imports System \n Class Program \n Sub New(args As String()) \n Body(1) \n End Sub \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Body(1)", "Body(2)"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestConstructor_Initializer()
Dim text = NewLines("Imports System \n Class Program \n Sub New(args As String()) \n MyBase.New(1) \n End Sub \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("MyBase", "Me"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestConstructor_ParameterDefaultValue()
Dim text = NewLines("Imports System \n Class Program \n Sub New(Optional arg As Integer = 123) \n \n End Sub \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "456"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Operator"
<Fact>
Public Sub TestOperator_Body()
Dim text = NewLines("Imports System \n Class C \n Shared Operator *(a As C, b As C) As Integer \n Return 0 \n End Operator \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Return 0", "Return 1"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestOperator_ParameterName()
Dim text = NewLines("Imports System \n Class C \n Shared Operator *(a As C, b As C) As Integer \n Return 0 \n End Operator \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("b As C", "c As C"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Property"
<Fact>
Public Sub TestPropertyAccessor_Attribute1()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer \n <A(1)>Get \n End Get \n Set(value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestPropertyAccessor_Attribute2()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer \n Get \n End Get \n <A(1)>Set(value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestPropertyAccessor_Attribute3()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer \n Get \n End Get \n Set(<A(1)>value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestProperty_Parameters()
Dim text = NewLines("Imports System \n Class Program \n Property P(a As Integer = 123) \n Get \n End Get \n Set(value As Integer) \n End Set \n End Property \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "345"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestAutoProperty_Initializer1()
Dim text = NewLines("Imports System \n Class Program \n Property P As Integer = 123 \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "345"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestAutoProperty_Initializer_InvalidSyntax()
Dim text = NewLines("Imports System \n Class Program \n Property P(a As Integer = 123) As Integer = 1 \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("123", "345"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Event"
<Fact>
Public Sub TestEventAccessor_Attribute1()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n <A(1)>AddHandler(value As Action) \n End AddHandler \n RemoveHandler(value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute2()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(value As Action) \n End AddHandler \n <A(1)>RemoveHandler(value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute3()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(value As Action) \n End AddHandler \n RemoveHandler(value As Action) \n End RemoveHandler \n <A(1)>RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute4()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(<A(1)>value As Action) \n End AddHandler \n RemoveHandler(value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestEventAccessor_Attribute5()
Dim text = NewLines("Imports System \n Class Program \n Custom Event E As Action \n AddHandler(value As Action) \n End AddHandler \n RemoveHandler(<A(1)>value As Action) \n End RemoveHandler \n RaiseEvent() \n End RaiseEvent \n End Event \n End Class")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("<A(1)>", "<A(2)>"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
#Region "Declare"
<Fact>
Public Sub TestDeclare_Modifier()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Ansi", "Unicode"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_LibName()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("goo", "goo2"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_AliasName()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("bar", "bar2"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_ReturnType()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("Integer", "Boolean"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
<Fact>
Public Sub TestDeclare_Parameter()
Dim text = NewLines("Imports System \n Module Program \n Declare Ansi Function Goo Lib ""goo"" Alias ""bar"" () As Integer \n End Module")
Dim tree1 = VisualBasicSyntaxTree.ParseText(text)
Dim tree2 = VisualBasicSyntaxTree.ParseText(text.Replace("()", "(a As Integer)"))
VerifyNotEquivalent(tree1, tree2, topLevel:=False)
VerifyNotEquivalent(tree1, tree2, topLevel:=True)
End Sub
#End Region
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/Completion/CommonCompletionUtilities.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 System.Collections.Immutable;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.DocumentationComments;
using Microsoft.CodeAnalysis.LanguageServices;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.Shared.Extensions.ContextQuery;
using Microsoft.CodeAnalysis.Shared.Utilities;
using Microsoft.CodeAnalysis.Text;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.Completion
{
internal static class CommonCompletionUtilities
{
private const string NonBreakingSpaceString = "\x00A0";
public static TextSpan GetWordSpan(SourceText text, int position,
Func<char, bool> isWordStartCharacter, Func<char, bool> isWordCharacter)
{
return GetWordSpan(text, position, isWordStartCharacter, isWordCharacter, alwaysExtendEndSpan: false);
}
public static TextSpan GetWordSpan(SourceText text, int position,
Func<char, bool> isWordStartCharacter, Func<char, bool> isWordCharacter, bool alwaysExtendEndSpan = false)
{
var start = position;
while (start > 0 && isWordStartCharacter(text[start - 1]))
{
start--;
}
// If we're brought up in the middle of a word, extend to the end of the word as well.
// This means that if a user brings up the completion list at the start of the word they
// will "insert" the text before what's already there (useful for qualifying existing
// text). However, if they bring up completion in the "middle" of a word, then they will
// "overwrite" the text. Useful for correcting misspellings or just replacing unwanted
// code with new code.
var end = position;
if (start != position || alwaysExtendEndSpan)
{
while (end < text.Length && isWordCharacter(text[end]))
{
end++;
}
}
return TextSpan.FromBounds(start, end);
}
public static bool IsStartingNewWord(SourceText text, int characterPosition, Func<char, bool> isWordStartCharacter, Func<char, bool> isWordCharacter)
{
var ch = text[characterPosition];
if (!isWordStartCharacter(ch))
{
return false;
}
// Only want to trigger if we're the first character in an identifier. If there's a
// character before or after us, then we don't want to trigger.
if (characterPosition > 0 &&
isWordCharacter(text[characterPosition - 1]))
{
return false;
}
if (characterPosition < text.Length - 1 &&
isWordCharacter(text[characterPosition + 1]))
{
return false;
}
return true;
}
public static Func<CancellationToken, Task<CompletionDescription>> CreateDescriptionFactory(
Workspace workspace,
SemanticModel semanticModel,
int position,
ISymbol symbol)
{
return CreateDescriptionFactory(workspace, semanticModel, position, new[] { symbol });
}
public static Func<CancellationToken, Task<CompletionDescription>> CreateDescriptionFactory(
Workspace workspace, SemanticModel semanticModel, int position, IReadOnlyList<ISymbol> symbols)
{
return c => CreateDescriptionAsync(workspace, semanticModel, position, symbols, supportedPlatforms: null, cancellationToken: c);
}
public static Func<CancellationToken, Task<CompletionDescription>> CreateDescriptionFactory(
Workspace workspace, SemanticModel semanticModel, int position, IReadOnlyList<ISymbol> symbols, SupportedPlatformData supportedPlatforms)
{
return c => CreateDescriptionAsync(workspace, semanticModel, position, symbols, supportedPlatforms: supportedPlatforms, cancellationToken: c);
}
public static async Task<CompletionDescription> CreateDescriptionAsync(
Workspace workspace, SemanticModel semanticModel, int position, ISymbol symbol, int overloadCount, SupportedPlatformData supportedPlatforms, CancellationToken cancellationToken)
{
var symbolDisplayService = workspace.Services.GetLanguageServices(semanticModel.Language).GetService<ISymbolDisplayService>();
var formatter = workspace.Services.GetLanguageServices(semanticModel.Language).GetService<IDocumentationCommentFormattingService>();
// TODO(cyrusn): Figure out a way to cancel this.
var sections = await symbolDisplayService.ToDescriptionGroupsAsync(workspace, semanticModel, position, ImmutableArray.Create(symbol), cancellationToken).ConfigureAwait(false);
if (!sections.ContainsKey(SymbolDescriptionGroups.MainDescription))
{
return CompletionDescription.Empty;
}
var textContentBuilder = new List<TaggedText>();
textContentBuilder.AddRange(sections[SymbolDescriptionGroups.MainDescription]);
switch (symbol.Kind)
{
case SymbolKind.Method:
case SymbolKind.Property:
case SymbolKind.NamedType:
if (overloadCount > 0)
{
var isGeneric = symbol.GetArity() > 0;
textContentBuilder.AddSpace();
textContentBuilder.AddPunctuation("(");
textContentBuilder.AddPunctuation("+");
textContentBuilder.AddText(NonBreakingSpaceString + overloadCount.ToString());
AddOverloadPart(textContentBuilder, overloadCount, isGeneric);
textContentBuilder.AddPunctuation(")");
}
break;
}
AddDocumentationPart(textContentBuilder, symbol, semanticModel, position, formatter, cancellationToken);
if (sections.TryGetValue(SymbolDescriptionGroups.AwaitableUsageText, out var parts))
{
textContentBuilder.AddRange(parts);
}
if (sections.TryGetValue(SymbolDescriptionGroups.AnonymousTypes, out parts))
{
if (!parts.IsDefaultOrEmpty)
{
textContentBuilder.AddLineBreak();
textContentBuilder.AddLineBreak();
textContentBuilder.AddRange(parts);
}
}
if (supportedPlatforms != null)
{
textContentBuilder.AddLineBreak();
textContentBuilder.AddRange(supportedPlatforms.ToDisplayParts().ToTaggedText());
}
return CompletionDescription.Create(textContentBuilder.AsImmutable());
}
public static Task<CompletionDescription> CreateDescriptionAsync(
Workspace workspace, SemanticModel semanticModel, int position, IReadOnlyList<ISymbol> symbols, SupportedPlatformData supportedPlatforms, CancellationToken cancellationToken)
{
// Lets try to find the first non-obsolete symbol (overload) and fall-back
// to the first symbol if all are obsolete.
var symbol = symbols.FirstOrDefault(s => !s.IsObsolete()) ?? symbols[0];
return CreateDescriptionAsync(workspace, semanticModel, position, symbol, overloadCount: symbols.Count - 1, supportedPlatforms, cancellationToken);
}
private static void AddOverloadPart(List<TaggedText> textContentBuilder, int overloadCount, bool isGeneric)
{
var text = isGeneric
? overloadCount == 1
? FeaturesResources.generic_overload
: FeaturesResources.generic_overloads
: overloadCount == 1
? FeaturesResources.overload
: FeaturesResources.overloads_;
textContentBuilder.AddText(NonBreakingSpaceString + text);
}
private static void AddDocumentationPart(
List<TaggedText> textContentBuilder, ISymbol symbol, SemanticModel semanticModel, int position, IDocumentationCommentFormattingService formatter, CancellationToken cancellationToken)
{
var documentation = symbol.GetDocumentationParts(semanticModel, position, formatter, cancellationToken);
if (documentation.Any())
{
textContentBuilder.AddLineBreak();
textContentBuilder.AddRange(documentation);
}
}
internal static bool IsTextualTriggerString(SourceText text, int characterPosition, string value)
{
// The character position starts at the last character of 'value'. So if 'value' has
// length 1, then we don't want to move, if it has length 2 we want to move back one,
// etc.
characterPosition = characterPosition - value.Length + 1;
for (var i = 0; i < value.Length; i++, characterPosition++)
{
if (characterPosition < 0 || characterPosition >= text.Length)
{
return false;
}
if (text[characterPosition] != value[i])
{
return false;
}
}
return true;
}
public static bool TryRemoveAttributeSuffix(ISymbol symbol, SyntaxContext context, out string name)
{
var isAttributeNameContext = context.IsAttributeNameContext;
var syntaxFacts = context.GetLanguageService<ISyntaxFactsService>();
if (!isAttributeNameContext)
{
name = null;
return false;
}
// Do the symbol textual check first. Then the more expensive symbolic check.
if (!symbol.Name.TryGetWithoutAttributeSuffix(syntaxFacts.IsCaseSensitive, out name) ||
!symbol.IsAttribute())
{
return false;
}
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;
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.DocumentationComments;
using Microsoft.CodeAnalysis.LanguageServices;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.Shared.Extensions.ContextQuery;
using Microsoft.CodeAnalysis.Shared.Utilities;
using Microsoft.CodeAnalysis.Text;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.Completion
{
internal static class CommonCompletionUtilities
{
private const string NonBreakingSpaceString = "\x00A0";
public static TextSpan GetWordSpan(SourceText text, int position,
Func<char, bool> isWordStartCharacter, Func<char, bool> isWordCharacter)
{
return GetWordSpan(text, position, isWordStartCharacter, isWordCharacter, alwaysExtendEndSpan: false);
}
public static TextSpan GetWordSpan(SourceText text, int position,
Func<char, bool> isWordStartCharacter, Func<char, bool> isWordCharacter, bool alwaysExtendEndSpan = false)
{
var start = position;
while (start > 0 && isWordStartCharacter(text[start - 1]))
{
start--;
}
// If we're brought up in the middle of a word, extend to the end of the word as well.
// This means that if a user brings up the completion list at the start of the word they
// will "insert" the text before what's already there (useful for qualifying existing
// text). However, if they bring up completion in the "middle" of a word, then they will
// "overwrite" the text. Useful for correcting misspellings or just replacing unwanted
// code with new code.
var end = position;
if (start != position || alwaysExtendEndSpan)
{
while (end < text.Length && isWordCharacter(text[end]))
{
end++;
}
}
return TextSpan.FromBounds(start, end);
}
public static bool IsStartingNewWord(SourceText text, int characterPosition, Func<char, bool> isWordStartCharacter, Func<char, bool> isWordCharacter)
{
var ch = text[characterPosition];
if (!isWordStartCharacter(ch))
{
return false;
}
// Only want to trigger if we're the first character in an identifier. If there's a
// character before or after us, then we don't want to trigger.
if (characterPosition > 0 &&
isWordCharacter(text[characterPosition - 1]))
{
return false;
}
if (characterPosition < text.Length - 1 &&
isWordCharacter(text[characterPosition + 1]))
{
return false;
}
return true;
}
public static Func<CancellationToken, Task<CompletionDescription>> CreateDescriptionFactory(
Workspace workspace,
SemanticModel semanticModel,
int position,
ISymbol symbol)
{
return CreateDescriptionFactory(workspace, semanticModel, position, new[] { symbol });
}
public static Func<CancellationToken, Task<CompletionDescription>> CreateDescriptionFactory(
Workspace workspace, SemanticModel semanticModel, int position, IReadOnlyList<ISymbol> symbols)
{
return c => CreateDescriptionAsync(workspace, semanticModel, position, symbols, supportedPlatforms: null, cancellationToken: c);
}
public static Func<CancellationToken, Task<CompletionDescription>> CreateDescriptionFactory(
Workspace workspace, SemanticModel semanticModel, int position, IReadOnlyList<ISymbol> symbols, SupportedPlatformData supportedPlatforms)
{
return c => CreateDescriptionAsync(workspace, semanticModel, position, symbols, supportedPlatforms: supportedPlatforms, cancellationToken: c);
}
public static async Task<CompletionDescription> CreateDescriptionAsync(
Workspace workspace, SemanticModel semanticModel, int position, ISymbol symbol, int overloadCount, SupportedPlatformData supportedPlatforms, CancellationToken cancellationToken)
{
var symbolDisplayService = workspace.Services.GetLanguageServices(semanticModel.Language).GetService<ISymbolDisplayService>();
var formatter = workspace.Services.GetLanguageServices(semanticModel.Language).GetService<IDocumentationCommentFormattingService>();
// TODO(cyrusn): Figure out a way to cancel this.
var sections = await symbolDisplayService.ToDescriptionGroupsAsync(workspace, semanticModel, position, ImmutableArray.Create(symbol), cancellationToken).ConfigureAwait(false);
if (!sections.ContainsKey(SymbolDescriptionGroups.MainDescription))
{
return CompletionDescription.Empty;
}
var textContentBuilder = new List<TaggedText>();
textContentBuilder.AddRange(sections[SymbolDescriptionGroups.MainDescription]);
switch (symbol.Kind)
{
case SymbolKind.Method:
case SymbolKind.Property:
case SymbolKind.NamedType:
if (overloadCount > 0)
{
var isGeneric = symbol.GetArity() > 0;
textContentBuilder.AddSpace();
textContentBuilder.AddPunctuation("(");
textContentBuilder.AddPunctuation("+");
textContentBuilder.AddText(NonBreakingSpaceString + overloadCount.ToString());
AddOverloadPart(textContentBuilder, overloadCount, isGeneric);
textContentBuilder.AddPunctuation(")");
}
break;
}
AddDocumentationPart(textContentBuilder, symbol, semanticModel, position, formatter, cancellationToken);
if (sections.TryGetValue(SymbolDescriptionGroups.AwaitableUsageText, out var parts))
{
textContentBuilder.AddRange(parts);
}
if (sections.TryGetValue(SymbolDescriptionGroups.AnonymousTypes, out parts))
{
if (!parts.IsDefaultOrEmpty)
{
textContentBuilder.AddLineBreak();
textContentBuilder.AddLineBreak();
textContentBuilder.AddRange(parts);
}
}
if (supportedPlatforms != null)
{
textContentBuilder.AddLineBreak();
textContentBuilder.AddRange(supportedPlatforms.ToDisplayParts().ToTaggedText());
}
return CompletionDescription.Create(textContentBuilder.AsImmutable());
}
public static Task<CompletionDescription> CreateDescriptionAsync(
Workspace workspace, SemanticModel semanticModel, int position, IReadOnlyList<ISymbol> symbols, SupportedPlatformData supportedPlatforms, CancellationToken cancellationToken)
{
// Lets try to find the first non-obsolete symbol (overload) and fall-back
// to the first symbol if all are obsolete.
var symbol = symbols.FirstOrDefault(s => !s.IsObsolete()) ?? symbols[0];
return CreateDescriptionAsync(workspace, semanticModel, position, symbol, overloadCount: symbols.Count - 1, supportedPlatforms, cancellationToken);
}
private static void AddOverloadPart(List<TaggedText> textContentBuilder, int overloadCount, bool isGeneric)
{
var text = isGeneric
? overloadCount == 1
? FeaturesResources.generic_overload
: FeaturesResources.generic_overloads
: overloadCount == 1
? FeaturesResources.overload
: FeaturesResources.overloads_;
textContentBuilder.AddText(NonBreakingSpaceString + text);
}
private static void AddDocumentationPart(
List<TaggedText> textContentBuilder, ISymbol symbol, SemanticModel semanticModel, int position, IDocumentationCommentFormattingService formatter, CancellationToken cancellationToken)
{
var documentation = symbol.GetDocumentationParts(semanticModel, position, formatter, cancellationToken);
if (documentation.Any())
{
textContentBuilder.AddLineBreak();
textContentBuilder.AddRange(documentation);
}
}
internal static bool IsTextualTriggerString(SourceText text, int characterPosition, string value)
{
// The character position starts at the last character of 'value'. So if 'value' has
// length 1, then we don't want to move, if it has length 2 we want to move back one,
// etc.
characterPosition = characterPosition - value.Length + 1;
for (var i = 0; i < value.Length; i++, characterPosition++)
{
if (characterPosition < 0 || characterPosition >= text.Length)
{
return false;
}
if (text[characterPosition] != value[i])
{
return false;
}
}
return true;
}
public static bool TryRemoveAttributeSuffix(ISymbol symbol, SyntaxContext context, out string name)
{
var isAttributeNameContext = context.IsAttributeNameContext;
var syntaxFacts = context.GetLanguageService<ISyntaxFactsService>();
if (!isAttributeNameContext)
{
name = null;
return false;
}
// Do the symbol textual check first. Then the more expensive symbolic check.
if (!symbol.Name.TryGetWithoutAttributeSuffix(syntaxFacts.IsCaseSensitive, out name) ||
!symbol.IsAttribute())
{
return false;
}
return true;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/SourceGeneration/GeneratedSyntaxTree.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 Microsoft.CodeAnalysis.Text;
namespace Microsoft.CodeAnalysis
{
/// <summary>
/// A syntax tree created by a <see cref="ISourceGenerator"/>
/// </summary>
internal readonly struct GeneratedSyntaxTree
{
public SourceText Text { get; }
public string HintName { get; }
public SyntaxTree Tree { get; }
public GeneratedSyntaxTree(string hintName, SourceText text, SyntaxTree tree)
{
this.Text = text;
this.HintName = hintName;
this.Tree = tree;
}
}
}
| // 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 Microsoft.CodeAnalysis.Text;
namespace Microsoft.CodeAnalysis
{
/// <summary>
/// A syntax tree created by a <see cref="ISourceGenerator"/>
/// </summary>
internal readonly struct GeneratedSyntaxTree
{
public SourceText Text { get; }
public string HintName { get; }
public SyntaxTree Tree { get; }
public GeneratedSyntaxTree(string hintName, SourceText text, SyntaxTree tree)
{
this.Text = text;
this.HintName = hintName;
this.Tree = tree;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Analyzers/CSharp/CodeFixes/OrderModifiers/CSharpOrderModifiersCodeFixProvider.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 System.Composition;
using System.Diagnostics.CodeAnalysis;
using Microsoft.CodeAnalysis.CodeFixes;
using Microsoft.CodeAnalysis.CSharp.CodeStyle;
using Microsoft.CodeAnalysis.CSharp.LanguageServices;
using Microsoft.CodeAnalysis.OrderModifiers;
namespace Microsoft.CodeAnalysis.CSharp.OrderModifiers
{
[ExportCodeFixProvider(LanguageNames.CSharp, Name = PredefinedCodeFixProviderNames.OrderModifiers), Shared]
internal class CSharpOrderModifiersCodeFixProvider : AbstractOrderModifiersCodeFixProvider
{
private const string CS0267 = nameof(CS0267); // The 'partial' modifier can only appear immediately before 'class', 'record', 'struct', 'interface', or 'void'
[ImportingConstructor]
[SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification = "Used in test code: https://github.com/dotnet/roslyn/issues/42814")]
public CSharpOrderModifiersCodeFixProvider()
: base(CSharpSyntaxFacts.Instance, CSharpCodeStyleOptions.PreferredModifierOrder, CSharpOrderModifiersHelper.Instance)
{
}
protected override ImmutableArray<string> FixableCompilerErrorIds { get; } = ImmutableArray.Create(CS0267);
}
}
| // 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 System.Composition;
using System.Diagnostics.CodeAnalysis;
using Microsoft.CodeAnalysis.CodeFixes;
using Microsoft.CodeAnalysis.CSharp.CodeStyle;
using Microsoft.CodeAnalysis.CSharp.LanguageServices;
using Microsoft.CodeAnalysis.OrderModifiers;
namespace Microsoft.CodeAnalysis.CSharp.OrderModifiers
{
[ExportCodeFixProvider(LanguageNames.CSharp, Name = PredefinedCodeFixProviderNames.OrderModifiers), Shared]
internal class CSharpOrderModifiersCodeFixProvider : AbstractOrderModifiersCodeFixProvider
{
private const string CS0267 = nameof(CS0267); // The 'partial' modifier can only appear immediately before 'class', 'record', 'struct', 'interface', or 'void'
[ImportingConstructor]
[SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification = "Used in test code: https://github.com/dotnet/roslyn/issues/42814")]
public CSharpOrderModifiersCodeFixProvider()
: base(CSharpSyntaxFacts.Instance, CSharpCodeStyleOptions.PreferredModifierOrder, CSharpOrderModifiersHelper.Instance)
{
}
protected override ImmutableArray<string> FixableCompilerErrorIds { get; } = ImmutableArray.Create(CS0267);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/VisualBasicTest/KeywordHighlighting/AccessorDeclarationHighlighterTests.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.Editor.VisualBasic.KeywordHighlighting
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.UnitTests.KeywordHighlighting
Public Class AccessorDeclarationHighlighterTests
Inherits AbstractVisualBasicKeywordHighlighterTests
Friend Overrides Function GetHighlighterType() As Type
Return GetType(AccessorDeclarationHighlighter)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample1_1() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
{|Cursor:[|Get|]|}
[|Return|] 1
[|End Get|]
Private Set(value As Integer)
Exit Property
End Set
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample1_2() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
[|Get|]
{|Cursor:[|Return|]|} 1
[|End Get|]
Private Set(value As Integer)
Exit Property
End Set
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample1_3() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
[|Get|]
[|Return|] 1
{|Cursor:[|End Get|]|}
Private Set(value As Integer)
Exit Property
End Set
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample2_1() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
Get
Return 1
End Get
{|Cursor:[|Private Set|]|}(value As Integer)
[|Exit Property|]
[|End Set|]
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample2_2() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
Get
Return 1
End Get
[|Private Set|](value As Integer)
{|Cursor:[|Exit Property|]|}
[|End Set|]
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample2_3() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
Get
Return 1
End Get
[|Private Set|](value As Integer)
[|Exit Property|]
{|Cursor:[|End Set|]|}
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample1_1() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
{|Cursor:[|AddHandler|]|}(value As EventHandler)
[|Return|]
[|End AddHandler|]
RemoveHandler(value As EventHandler)
End RemoveHandler
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample1_2() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
[|AddHandler|](value As EventHandler)
{|Cursor:[|Return|]|}
[|End AddHandler|]
RemoveHandler(value As EventHandler)
End RemoveHandler
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample1_3() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
[|AddHandler|](value As EventHandler)
[|Return|]
{|Cursor:[|End AddHandler|]|}
RemoveHandler(value As EventHandler)
End RemoveHandler
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample2_1() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
{|Cursor:[|RemoveHandler|]|}(value As EventHandler)
[|End RemoveHandler|]
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample2_2() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
[|RemoveHandler|](value As EventHandler)
{|Cursor:[|End RemoveHandler|]|}
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample3_1() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
RemoveHandler(value As EventHandler)
End RemoveHandler
{|Cursor:[|RaiseEvent|]|}(sender As Object, e As EventArgs)
[|End RaiseEvent|]
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample3_2() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
RemoveHandler(value As EventHandler)
End RemoveHandler
[|RaiseEvent|](sender As Object, e As EventArgs)
{|Cursor:[|End RaiseEvent|]|}
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestProperty_IteratorExample5_1() As Task
Await TestAsync(
<Text>
ReadOnly Iterator Property Goo As IEnumerable(Of Integer)
{|Cursor:[|Get|]|}
[|Yield|] 1
[|End Get|]
End Property
</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestProperty_IteratorExample5_2() As Task
Await TestAsync(
<Text>
ReadOnly Iterator Property Goo As IEnumerable(Of Integer)
[|Get|]
{|Cursor:[|Yield|]|} 1
[|End Get|]
End Property
</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestProperty_IteratorExample5_3() As Task
Await TestAsync(
<Text>
ReadOnly Iterator Property Goo As IEnumerable(Of Integer)
[|Get|]
[|Yield|] 1
{|Cursor:[|End Get|]|}
End Property
</Text>)
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.Editor.VisualBasic.KeywordHighlighting
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.UnitTests.KeywordHighlighting
Public Class AccessorDeclarationHighlighterTests
Inherits AbstractVisualBasicKeywordHighlighterTests
Friend Overrides Function GetHighlighterType() As Type
Return GetType(AccessorDeclarationHighlighter)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample1_1() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
{|Cursor:[|Get|]|}
[|Return|] 1
[|End Get|]
Private Set(value As Integer)
Exit Property
End Set
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample1_2() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
[|Get|]
{|Cursor:[|Return|]|} 1
[|End Get|]
Private Set(value As Integer)
Exit Property
End Set
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample1_3() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
[|Get|]
[|Return|] 1
{|Cursor:[|End Get|]|}
Private Set(value As Integer)
Exit Property
End Set
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample2_1() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
Get
Return 1
End Get
{|Cursor:[|Private Set|]|}(value As Integer)
[|Exit Property|]
[|End Set|]
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample2_2() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
Get
Return 1
End Get
[|Private Set|](value As Integer)
{|Cursor:[|Exit Property|]|}
[|End Set|]
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestPropertyAccessorsSample2_3() As Task
Await TestAsync(<Text>
Class C
Public Property Goo As Integer Implements IGoo.Goo
Get
Return 1
End Get
[|Private Set|](value As Integer)
[|Exit Property|]
{|Cursor:[|End Set|]|}
End Property
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample1_1() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
{|Cursor:[|AddHandler|]|}(value As EventHandler)
[|Return|]
[|End AddHandler|]
RemoveHandler(value As EventHandler)
End RemoveHandler
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample1_2() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
[|AddHandler|](value As EventHandler)
{|Cursor:[|Return|]|}
[|End AddHandler|]
RemoveHandler(value As EventHandler)
End RemoveHandler
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample1_3() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
[|AddHandler|](value As EventHandler)
[|Return|]
{|Cursor:[|End AddHandler|]|}
RemoveHandler(value As EventHandler)
End RemoveHandler
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample2_1() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
{|Cursor:[|RemoveHandler|]|}(value As EventHandler)
[|End RemoveHandler|]
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample2_2() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
[|RemoveHandler|](value As EventHandler)
{|Cursor:[|End RemoveHandler|]|}
RaiseEvent(sender As Object, e As EventArgs)
End RaiseEvent
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample3_1() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
RemoveHandler(value As EventHandler)
End RemoveHandler
{|Cursor:[|RaiseEvent|]|}(sender As Object, e As EventArgs)
[|End RaiseEvent|]
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestEventAccessorsSample3_2() As Task
Await TestAsync(<Text>
Class C
Public Custom Event Goo As EventHandler Implements IGoo.Goo
AddHandler(value As EventHandler)
Return
End AddHandler
RemoveHandler(value As EventHandler)
End RemoveHandler
[|RaiseEvent|](sender As Object, e As EventArgs)
{|Cursor:[|End RaiseEvent|]|}
End Event
End Class</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestProperty_IteratorExample5_1() As Task
Await TestAsync(
<Text>
ReadOnly Iterator Property Goo As IEnumerable(Of Integer)
{|Cursor:[|Get|]|}
[|Yield|] 1
[|End Get|]
End Property
</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestProperty_IteratorExample5_2() As Task
Await TestAsync(
<Text>
ReadOnly Iterator Property Goo As IEnumerable(Of Integer)
[|Get|]
{|Cursor:[|Yield|]|} 1
[|End Get|]
End Property
</Text>)
End Function
<Fact, Trait(Traits.Feature, Traits.Features.KeywordHighlighting)>
Public Async Function TestProperty_IteratorExample5_3() As Task
Await TestAsync(
<Text>
ReadOnly Iterator Property Goo As IEnumerable(Of Integer)
[|Get|]
[|Yield|] 1
{|Cursor:[|End Get|]|}
End Property
</Text>)
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/Core/Extensibility/NavigationBar/NavigationBarDropdownKind.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.Editor
{
internal enum NavigationBarDropdownKind
{
Project = 0,
Type = 1,
Member = 2
}
}
| // 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.Editor
{
internal enum NavigationBarDropdownKind
{
Project = 0,
Type = 1,
Member = 2
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./docs/compilers/CSharp/System.TypedReference.md | System.TypedReference
=====================
[This is a placeholder. We need some more documentation here]
This is an old email conversation that gives some context about the interop support in the C# compiler. Ironically, the conversation suggests that we'll never document it!
-------------------
Subject: RE: error CS0610: Field or property cannot be of type 'System.TypedReference'
From: Eric Lippert
To: Aleksey Tsingauz; Neal Gafter; Roslyn Compiler Dev Team
Sent: Monday, January 24, 2011 9:42 AM
Basically what’s going on here is we have some undocumented features which enable you to pass around a reference to a **variable** without knowing the type of the variable at compile time. The reason why we have this feature is to enable C-style “varargs” in the CLR; you might have a method that takes an unspecified number of arguments and some of those arguments might be references to variables.
Because a `TypedReference` can contain the address of a stack-allocated variable, you’re not allowed to store them in fields, same as you’re not allowed to make a field of ref type. That way we know we’re never storing a reference to a “dead” stack variable.
We have a bunch of goo in the native compiler to make sure that typed references (and a few other similarly magical types) are not used incorrectly; we’ll have to do the same thing in Roslyn at some point.
None of this stuff is well documented. We have four undocumented language keywords that allow you to manipulate typed references; we have no intention as far as I know of ever documenting them. They are only there for rare situations where C# code needs to interoperate with a C-style method.
Some various articles on these features that might give you more background if you’re interested:
http://www.eggheadcafe.com/articles/20030114.asp
http://stackoverflow.com/questions/4764573/why-is-typedreference-behind-the-scenes-its-so-fast-and-safe-almost-magical
http://stackoverflow.com/questions/1711393/practical-uses-of-typedreference
http://stackoverflow.com/questions/2064509/c-type-parameters-specification
http://stackoverflow.com/questions/4046397/generic-variadic-parameters
http://bartdesmet.net/blogs/bart/archive/2006/09/28/4473.aspx
Cheers,
Eric
---------------------
From: Aleksey Tsingauz
Sent: Sunday, January 23, 2011 11:00 PM
To: Neal Gafter; Roslyn Compiler Dev Team
Subject: RE: error CS0610: Field or property cannot be of type 'System.TypedReference'
I believe it is about ECMA-335 §8.2.1.1 Managed pointers and related types:
A **managed pointer** (§12.1.1.2), or **byref** (§8.6.1.3, §12.4.1.5.2), can point to a local variable, parameter, field of a compound type, or element of an array. However, when a call crosses a remoting boundary (see §12.5) a conforming implementation can use a copy-in/copy-out mechanism instead of a managed pointer. Thus programs shall not rely on the aliasing behavior of true pointers. Managed pointer types are only allowed for local variable (§8.6.1.3) and parameter signatures (§8.6.1.4); they cannot be used for field signatures (§8.6.1.2), as the element type of an array (§8.9.1), and boxing a value of managed pointer type is disallowed (§8.2.4). Using a managed pointer type for the return type of methods (§8.6.1.5) is not verifiable (§8.8).
[Rationale: For performance reasons items on the GC heap may not contain references to the interior of other GC objects, this motivates the restrictions on fields and boxing. Further returning a managed pointer which references a local or parameter variable may cause the reference to outlive the variable, hence it is not verifiable . end rationale]
There are three value types in the Base Class Library (see Partition IV Library): `System.TypedReference`, `System.RuntimeArgumentHandle`, and `System.ArgIterator`; which are treated specially by the CLI.
The value type `System.TypedReference`, or *typed reference* or *typedref* , (§8.2.2, §8.6.1.3, §12.4.1.5.3) contains both a managed pointer to a location and a runtime representation of the type that can be stored at that location. Typed references have the same restrictions as byrefs. Typed references are created by the CIL instruction `mkrefany` (see Partition III).
The value types `System.RuntimeArgumentHandle` and `System.ArgIterator` (see Partition IV and CIL instruction `arglist` in Partition III), contain pointers into the VES stack. They can be used for local variable and parameter signatures. The use of these types for fields, method return types, the element type of an array, or in boxing is not verifiable (§8.8). These two types are referred to as *byref-like* types.
----------------
From: Neal Gafter
Sent: Sunday, January 23, 2011 8:37 PM
To: Roslyn Compiler Dev Team
Cc: Neal Gafter
Subject: error CS0610: Field or property cannot be of type 'System.TypedReference'
What is this error all about? Where is it documented?
| System.TypedReference
=====================
[This is a placeholder. We need some more documentation here]
This is an old email conversation that gives some context about the interop support in the C# compiler. Ironically, the conversation suggests that we'll never document it!
-------------------
Subject: RE: error CS0610: Field or property cannot be of type 'System.TypedReference'
From: Eric Lippert
To: Aleksey Tsingauz; Neal Gafter; Roslyn Compiler Dev Team
Sent: Monday, January 24, 2011 9:42 AM
Basically what’s going on here is we have some undocumented features which enable you to pass around a reference to a **variable** without knowing the type of the variable at compile time. The reason why we have this feature is to enable C-style “varargs” in the CLR; you might have a method that takes an unspecified number of arguments and some of those arguments might be references to variables.
Because a `TypedReference` can contain the address of a stack-allocated variable, you’re not allowed to store them in fields, same as you’re not allowed to make a field of ref type. That way we know we’re never storing a reference to a “dead” stack variable.
We have a bunch of goo in the native compiler to make sure that typed references (and a few other similarly magical types) are not used incorrectly; we’ll have to do the same thing in Roslyn at some point.
None of this stuff is well documented. We have four undocumented language keywords that allow you to manipulate typed references; we have no intention as far as I know of ever documenting them. They are only there for rare situations where C# code needs to interoperate with a C-style method.
Some various articles on these features that might give you more background if you’re interested:
http://www.eggheadcafe.com/articles/20030114.asp
http://stackoverflow.com/questions/4764573/why-is-typedreference-behind-the-scenes-its-so-fast-and-safe-almost-magical
http://stackoverflow.com/questions/1711393/practical-uses-of-typedreference
http://stackoverflow.com/questions/2064509/c-type-parameters-specification
http://stackoverflow.com/questions/4046397/generic-variadic-parameters
http://bartdesmet.net/blogs/bart/archive/2006/09/28/4473.aspx
Cheers,
Eric
---------------------
From: Aleksey Tsingauz
Sent: Sunday, January 23, 2011 11:00 PM
To: Neal Gafter; Roslyn Compiler Dev Team
Subject: RE: error CS0610: Field or property cannot be of type 'System.TypedReference'
I believe it is about ECMA-335 §8.2.1.1 Managed pointers and related types:
A **managed pointer** (§12.1.1.2), or **byref** (§8.6.1.3, §12.4.1.5.2), can point to a local variable, parameter, field of a compound type, or element of an array. However, when a call crosses a remoting boundary (see §12.5) a conforming implementation can use a copy-in/copy-out mechanism instead of a managed pointer. Thus programs shall not rely on the aliasing behavior of true pointers. Managed pointer types are only allowed for local variable (§8.6.1.3) and parameter signatures (§8.6.1.4); they cannot be used for field signatures (§8.6.1.2), as the element type of an array (§8.9.1), and boxing a value of managed pointer type is disallowed (§8.2.4). Using a managed pointer type for the return type of methods (§8.6.1.5) is not verifiable (§8.8).
[Rationale: For performance reasons items on the GC heap may not contain references to the interior of other GC objects, this motivates the restrictions on fields and boxing. Further returning a managed pointer which references a local or parameter variable may cause the reference to outlive the variable, hence it is not verifiable . end rationale]
There are three value types in the Base Class Library (see Partition IV Library): `System.TypedReference`, `System.RuntimeArgumentHandle`, and `System.ArgIterator`; which are treated specially by the CLI.
The value type `System.TypedReference`, or *typed reference* or *typedref* , (§8.2.2, §8.6.1.3, §12.4.1.5.3) contains both a managed pointer to a location and a runtime representation of the type that can be stored at that location. Typed references have the same restrictions as byrefs. Typed references are created by the CIL instruction `mkrefany` (see Partition III).
The value types `System.RuntimeArgumentHandle` and `System.ArgIterator` (see Partition IV and CIL instruction `arglist` in Partition III), contain pointers into the VES stack. They can be used for local variable and parameter signatures. The use of these types for fields, method return types, the element type of an array, or in boxing is not verifiable (§8.8). These two types are referred to as *byref-like* types.
----------------
From: Neal Gafter
Sent: Sunday, January 23, 2011 8:37 PM
To: Roslyn Compiler Dev Team
Cc: Neal Gafter
Subject: error CS0610: Field or property cannot be of type 'System.TypedReference'
What is this error all about? Where is it documented?
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/Emit/Attributes/AttributeTests_MarshalAs.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
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Imports System.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Roslyn.Test.Utilities
Imports Roslyn.Utilities
Imports Xunit
Imports TypeKind = Microsoft.CodeAnalysis.TypeKind
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests.Semantics
Public Class AttributeTests_MarshalAs
Inherits BasicTestBase
#Region "Helpers"
Private Sub VerifyFieldMetadataDecoding(verifier As CompilationVerifier, blobs As Dictionary(Of String, Byte()))
Dim count = 0
Using assembly = AssemblyMetadata.CreateFromImage(verifier.EmittedAssemblyData)
Dim c = VisualBasicCompilation.Create("c", syntaxTrees:=New VisualBasicSyntaxTree() {}, references:={assembly.GetReference()})
For Each typeSym As NamedTypeSymbol In c.GlobalNamespace.GetMembers().Where(Function(s) s.Kind = SymbolKind.NamedType)
Dim fields = typeSym.GetMembers().Where(Function(s) s.Kind = SymbolKind.Field)
For Each field As FieldSymbol In fields
Assert.Null(field.MarshallingInformation)
Dim blob = blobs(field.Name)
If blob IsNot Nothing AndAlso blob(0) <= &H50 Then
Assert.Equal(CType(blob(0), UnmanagedType), field.MarshallingType)
Else
Assert.Equal(CType(0, UnmanagedType), field.MarshallingType)
End If
count = count + 1
Next
Next
End Using
Assert.True(count > 0, "Expected at least one field")
End Sub
Private Sub VerifyParameterMetadataDecoding(verifier As CompilationVerifier, blobs As Dictionary(Of String, Byte()))
Dim count = 0
Using assembly = AssemblyMetadata.CreateFromImage(verifier.EmittedAssemblyData)
Dim c = VisualBasicCompilation.Create("c", syntaxTrees:=New VisualBasicSyntaxTree() {}, references:={assembly.GetReference()})
For Each typeSym As NamedTypeSymbol In c.GlobalNamespace.GetMembers().Where(Function(s) s.Kind = SymbolKind.NamedType)
Dim methods = typeSym.GetMembers().Where(Function(s) s.Kind = SymbolKind.Method)
For Each method As MethodSymbol In methods
For Each parameter In method.Parameters
Assert.Null(parameter.MarshallingInformation)
Dim blob = blobs(method.Name & ":" & parameter.Name)
If blob IsNot Nothing AndAlso blob(0) <= &H50 Then
Assert.Equal(CType(blob(0), UnmanagedType), parameter.MarshallingType)
Else
Assert.Equal(CType(0, UnmanagedType), parameter.MarshallingType)
End If
count = count + 1
Next
Next
Next
End Using
Assert.True(count > 0, "Expected at least one parameter")
End Sub
#End Region
''' <summary>
''' type only, others ignored, field type ignored
''' </summary>
<Fact>
Public Sub SimpleTypes()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(CShort(0))>
Public ZeroShort As X
<MarshalAs(DirectCast(0, UnmanagedType))>
Public Zero As X
<MarshalAs(DirectCast(&H1FFFFFFF, UnmanagedType))>
Public MaxValue As X
<MarshalAs(DirectCast((&H123456), UnmanagedType))>
Public _0x123456 As X
<MarshalAs(DirectCast((&H1000), UnmanagedType))>
Public _0x1000 As X
<MarshalAs(UnmanagedType.AnsiBStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public AnsiBStr As X
<MarshalAs(UnmanagedType.AsAny, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public AsAny As Double
<MarshalAs(UnmanagedType.Bool, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public Bool As X
<MarshalAs(UnmanagedType.BStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public BStr As X
<MarshalAs(UnmanagedType.Currency, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public Currency As Integer
<MarshalAs(UnmanagedType.[Error], ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public [Error] As Integer
<MarshalAs(UnmanagedType.FunctionPtr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public FunctionPtr As Integer
<MarshalAs(UnmanagedType.I1, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I1 As Integer
<MarshalAs(UnmanagedType.I2, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I2 As Integer
<MarshalAs(UnmanagedType.I4, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I4 As Integer
<MarshalAs(UnmanagedType.I8, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I8 As Integer
<MarshalAs(UnmanagedType.LPStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPStr As Integer
<MarshalAs(UnmanagedType.LPStruct, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPStruct As Integer
<MarshalAs(UnmanagedType.LPTStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPTStr As Integer
<MarshalAs(UnmanagedType.LPWStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPWStr As Integer
<MarshalAs(UnmanagedType.R4, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public R4 As Integer
<MarshalAs(UnmanagedType.R8, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public R8 As Integer
<MarshalAs(UnmanagedType.Struct, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public Struct As Integer
<MarshalAs(UnmanagedType.SysInt, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public SysInt As Decimal
<MarshalAs(UnmanagedType.SysUInt, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public SysUInt As Integer()
<MarshalAs(UnmanagedType.TBStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public TBStr As Object()
<MarshalAs(UnmanagedType.U1, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U1 As Integer
<MarshalAs(UnmanagedType.U2, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U2 As Double
<MarshalAs(UnmanagedType.U4, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U4 As Boolean
<MarshalAs(UnmanagedType.U8, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U8 As String
<MarshalAs(UnmanagedType.VariantBool, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public VariantBool As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"ZeroShort", New Byte() {&H0}},
{"Zero", New Byte() {&H0}},
{"MaxValue", New Byte() {&HDF, &HFF, &HFF, &HFF}},
{"_0x1000", New Byte() {&H90, &H0}},
{"_0x123456", New Byte() {&HC0, &H12, &H34, &H56}},
{"AnsiBStr", New Byte() {&H23}},
{"AsAny", New Byte() {&H28}},
{"Bool", New Byte() {&H2}},
{"BStr", New Byte() {&H13}},
{"Currency", New Byte() {&HF}},
{"Error", New Byte() {&H2D}},
{"FunctionPtr", New Byte() {&H26}},
{"I1", New Byte() {&H3}},
{"I2", New Byte() {&H5}},
{"I4", New Byte() {&H7}},
{"I8", New Byte() {&H9}},
{"LPStr", New Byte() {&H14}},
{"LPStruct", New Byte() {&H2B}},
{"LPTStr", New Byte() {&H16}},
{"LPWStr", New Byte() {&H15}},
{"R4", New Byte() {&HB}},
{"R8", New Byte() {&HC}},
{"Struct", New Byte() {&H1B}},
{"SysInt", New Byte() {&H1F}},
{"SysUInt", New Byte() {&H20}},
{"TBStr", New Byte() {&H24}},
{"U1", New Byte() {&H4}},
{"U2", New Byte() {&H6}},
{"U4", New Byte() {&H8}},
{"U8", New Byte() {&HA}},
{"VariantBool", New Byte() {&H25}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub SimpleTypes_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Class X
<MarshalAs(CType(-1, UnmanagedType))>
Dim MinValue_1 As X
<MarshalAs(CType(&H20000000, UnmanagedType))>
Dim MaxValue_1 As X
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_BadAttribute1, "CType(-1, UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "CType(&H20000000, UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (type, IidParamIndex), others ignored, field type ignored
''' </summary>
<Fact>
Public Sub ComInterfaces()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.IDispatch, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=0, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public IDispatch As Byte
<MarshalAs(UnmanagedType.[Interface], ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public [Interface] As X
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=2, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public IUnknown As X()
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H1FFFFFFF, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public MaxValue As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H123456, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public m_123456 As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H1000, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public m_0x1000 As X
<MarshalAs(UnmanagedType.IDispatch)>
Public [Default] As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"IDispatch", New Byte() {&H1A, &H0}},
{"Interface", New Byte() {&H1C, &H1}},
{"IUnknown", New Byte() {&H19, &H2}},
{"MaxValue", New Byte() {&H19, &HDF, &HFF, &HFF, &HFF}},
{"m_123456", New Byte() {&H19, &HC0, &H12, &H34, &H56}},
{"m_0x1000", New Byte() {&H19, &H90, &H0}},
{"Default", New Byte() {&H1A}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub ComInterfaces_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Class X
<MarshalAs(UnmanagedType.IDispatch, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim IDispatch_MinValue_1 As Integer
<MarshalAs(UnmanagedType.[Interface], ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim Interface_MinValue_1 As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim IUnknown_MinValue_1 As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H20000000, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim IUnknown_MaxValue_1 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=&H20000000").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (ArraySubType, SizeConst, SizeParamIndex), SafeArraySubType not allowed, others ignored
''' </summary>
<Fact>
Public Sub NativeTypeArray()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.LPArray)>
Public LPArray0 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public LPArray1 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=0, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public LPArray2 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=&H1FFFFFFF, SizeParamIndex:=Short.MaxValue, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public LPArray3 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(&H50, UnmanagedType))>
Public LPArray4 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(&H1FFFFFFF, UnmanagedType))>
Public LPArray5 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(0, UnmanagedType))>
Public LPArray6 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"LPArray0", New Byte() {&H2A, &H50}},
{"LPArray1", New Byte() {&H2A, &H17}},
{"LPArray2", New Byte() {&H2A, &H17, &H0, &H0, &H0}},
{"LPArray3", New Byte() {&H2A, &H17, &HC0, &H0, &H7F, &HFF, &HDF, &HFF, &HFF, &HFF, &H1}},
{"LPArray4", New Byte() {&H2A, &H50}},
{"LPArray5", New Byte() {&H2A, &HDF, &HFF, &HFF, &HFF}},
{"LPArray6", New Byte() {&H2A, &H0}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeArray_ElementTypes()
Dim source As StringBuilder = New StringBuilder(<text>
Imports System
Imports System.Runtime.InteropServices
Class X
</text>.Value)
Dim expectedBlobs = New Dictionary(Of String, Byte())()
For i = 0 To SByte.MaxValue
If i <> DirectCast(UnmanagedType.CustomMarshaler, Integer) Then
Dim fldName As String = String.Format("m_{0:X}", i)
source.AppendLine(String.Format("<MarshalAs(UnmanagedType.LPArray, ArraySubType := CType(&H{0:X}, UnmanagedType))>Dim {1} As Integer", i, fldName))
expectedBlobs.Add(fldName, New Byte() {&H2A, CByte(i)})
End If
Next
source.AppendLine("End Class")
CompileAndVerifyFieldMarshal(source.ToString(), expectedBlobs)
End Sub
<Fact()>
Public Sub NativeTypeArray_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class X
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim LPArray_e0 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=-1)>
Dim LPArray_e1 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=0, SizeParamIndex:=-1)>
Dim LPArray_e2 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=Int32.MaxValue, SizeParamIndex:=Int16.MaxValue)>
Dim LPArray_e3 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.U8, SizeConst:=Int32.MaxValue / 4 + 1, SizeParamIndex:=Int16.MaxValue)>
Dim LPArray_e4 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.CustomMarshaler)>
Dim LPArray_e5 As Integer
<MarshalAs(UnmanagedType.LPArray, SafeArraySubType:=VarEnum.VT_I1)>
Dim LPArray_e6 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(&H20000000, UnmanagedType))>
Dim LPArray_e7 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast((-1), UnmanagedType))>
Dim LPArray_e8 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_BSTR"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeParamIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeParamIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=Int32.MaxValue").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=Int32.MaxValue / 4 + 1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "ArraySubType:=UnmanagedType.CustomMarshaler").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_I1"),
Diagnostic(ERRID.ERR_BadAttribute1, "ArraySubType:=DirectCast(&H20000000, UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "ArraySubType:=DirectCast((-1), UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (ArraySubType, SizeConst), (SizeParamIndex, SafeArraySubType) not allowed, others ignored
''' </summary>
<Fact>
Public Sub NativeTypeFixedArray()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValArray)>
Public ByValArray0 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public ByValArray1 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=0, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public ByValArray2 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=(Int32.MaxValue - 3) / 4, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public ByValArray3 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.AsAny)>
Public ByValArray4 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.CustomMarshaler)>
Public ByValArray5 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"ByValArray0", New Byte() {&H1E, &H1}},
{"ByValArray1", New Byte() {&H1E, &H1, &H17}},
{"ByValArray2", New Byte() {&H1E, &H0, &H17}},
{"ByValArray3", New Byte() {&H1E, &HDF, &HFF, &HFF, &HFF, &H17}},
{"ByValArray4", New Byte() {&H1E, &H1, &H28}},
{"ByValArray5", New Byte() {&H1E, &H1, &H2C}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeFixedArray_ElementTypes()
Dim source As StringBuilder = New StringBuilder(<text>
Imports System
Imports System.Runtime.InteropServices
Class X
</text>.Value)
Dim expectedBlobs = New Dictionary(Of String, Byte())()
Dim i As Integer = 0
While i < SByte.MaxValue
Dim fldName As String = String.Format("m_{0:X}", i)
source.AppendLine(String.Format("<MarshalAs(UnmanagedType.ByValArray, ArraySubType := CType(&H{0:X}, UnmanagedType))>Dim {1} As Integer", i, fldName))
expectedBlobs.Add(fldName, New Byte() {&H1E, &H1, CByte(i)})
i = i + 1
End While
source.AppendLine("End Class")
CompileAndVerifyFieldMarshal(source.ToString(), expectedBlobs)
End Sub
<Fact()>
Public Sub NativeTypeFixedArray_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim ByValArray_e1 As Integer
<MarshalAs(UnmanagedType.ByValArray, SizeParamIndex:=Int16.MaxValue)>
Dim ByValArray_e2 As Integer
<MarshalAs(UnmanagedType.ByValArray, SafeArraySubType:=VarEnum.VT_I2)>
Dim ByValArray_e3 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=&H20000000)>
Dim ByValArray_e4 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_BSTR"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=-1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=Int16.MaxValue"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_I2"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=&H20000000").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (SafeArraySubType, SafeArrayUserDefinedSubType), (ArraySubType, SizeConst, SizeParamIndex) not allowed,
''' (SafeArraySubType, SafeArrayUserDefinedSubType) not allowed together unless VT_DISPATCH, VT_UNKNOWN, VT_RECORD; others ignored.
''' </summary>
<Fact>
Public Sub NativeTypeSafeArray()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.SafeArray)>
Public SafeArray0 As Integer
<MarshalAs(UnmanagedType.SafeArray, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR)>
Public SafeArray1 As Integer
<MarshalAs(UnmanagedType.SafeArray, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=GetType(X))>
Public SafeArray2 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=Nothing)>
Public SafeArray3 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=GetType(Void))>
Public SafeArray4 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_EMPTY)>
Public SafeArray8 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(Integer()()))>
Public SafeArray9 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(Nullable(Of)))>
Public SafeArray10 As Integer
End Class
]]>
</file>
</compilation>
Dim aqn = Encoding.ASCII.GetBytes("System.Int32[][], mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")
Dim openGenericAqn = Encoding.ASCII.GetBytes("System.Nullable`1, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"SafeArray0", New Byte() {&H1D}},
{"SafeArray1", New Byte() {&H1D, &H8}},
{"SafeArray2", New Byte() {&H1D}},
{"SafeArray3", New Byte() {&H1D}},
{"SafeArray4", New Byte() {&H1D}},
{"SafeArray8", New Byte() {&H1D, &H0}},
{"SafeArray9", New Byte() {&H1D, &H24, CByte(aqn.Length)}.Append(aqn)},
{"SafeArray10", New Byte() {&H1D, &H24, CByte(openGenericAqn.Length)}.Append(openGenericAqn)}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub NativeTypeSafeArray_CCIOnly()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Public Class C(Of T)
Public Class D(Of S)
Public Class E
End Class
End Class
End Class
Public Class X
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(C(Of Integer).D(Of Boolean).E))>
Public SafeArray11 As Integer
End Class
]]>
</file>
</compilation>
Dim nestedAqn = Encoding.ASCII.GetBytes("C`1+D`1+E[[System.Int32, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089],[System.Boolean, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]")
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"SafeArray11", New Byte() {&H1D, &H24, &H80, &HC4}.Append(nestedAqn)}
}
' RefEmit has slightly different encoding of the type name
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeSafeArray_RefEmitDiffers()
Dim source = <![CDATA[
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_DISPATCH, SafeArrayUserDefinedSubType:=GetType(List(Of X)()()))>
Dim SafeArray5 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_UNKNOWN, SafeArrayUserDefinedSubType:=GetType(X))>
Dim SafeArray6 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(X))>
Dim SafeArray7 As Integer
End Class
]]>.Value
Dim e = Encoding.ASCII
Dim cciBlobs = New Dictionary(Of String, Byte()) From
{
{"SafeArray5", New Byte() {&H1D, &H9, &H75}.Append(e.GetBytes("System.Collections.Generic.List`1[X][][], mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"))},
{"SafeArray6", New Byte() {&H1D, &HD, &H1, &H58}},
{"SafeArray7", New Byte() {&H1D, &H24, &H1, &H58}}
}
CompileAndVerifyFieldMarshal(source, cciBlobs)
End Sub
<Fact()>
Public Sub NativeTypeSafeArray_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.SafeArray, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim SafeArray_e1 As Integer
<MarshalAs(UnmanagedType.SafeArray, ArraySubType:=UnmanagedType.ByValTStr)>
Dim SafeArray_e2 As Integer
<MarshalAs(UnmanagedType.SafeArray, SizeConst:=1)>
Dim SafeArray_e3 As Integer
<MarshalAs(UnmanagedType.SafeArray, SizeParamIndex:=1)>
Dim SafeArray_e4 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing)>
Dim SafeArray_e5 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=Nothing, SafeArraySubType:=VarEnum.VT_BLOB)>
Dim SafeArray_e6 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=GetType(Integer), SafeArraySubType:=0)>
Dim SafeArray_e7 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeConst:=-1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=-1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=Nothing"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeConst:=1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=Nothing"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=Nothing"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=GetType(Integer)"))
End Sub
''' <summary>
''' (SizeConst - required), (SizeParamIndex, ArraySubType) not allowed
''' </summary>
<Fact>
Public Sub NativeTypeFixedSysString()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1)>
Public ByValTStr1 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=&H1FFFFFFF, SafeArrayUserDefinedSubType:=GetType(Integer), IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing)>
Public ByValTStr2 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"ByValTStr1", New Byte() {&H17, &H1}},
{"ByValTStr2", New Byte() {&H17, &HDF, &HFF, &HFF, &HFF}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeFixedSysString_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValTStr, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim ByValTStr_e1 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=-1)>
Dim ByValTStr_e2 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=(Int32.MaxValue - 3) / 4 + 1)>
Dim ByValTStr_e3 As Integer
<MarshalAs(UnmanagedType.ByValTStr)>
Dim ByValTStr_e4 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1, SizeParamIndex:=1)>
Dim ByValTStr_e5 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1, ArraySubType:=UnmanagedType.ByValTStr)>
Dim ByValTStr_e6 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1, SafeArraySubType:=VarEnum.VT_BSTR)>
Dim ByValTStr_e7 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=-1"),
Diagnostic(ERRID.ERR_AttributeParameterRequired1, "MarshalAs").WithArguments("SizeConst"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_AttributeParameterRequired1, "MarshalAs").WithArguments("SizeConst"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=(Int32.MaxValue - 3) / 4 + 1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_AttributeParameterRequired1, "MarshalAs").WithArguments("SizeConst"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"))
End Sub
''' <summary>
''' Custom (MarshalType, MarshalTypeRef, MarshalCookie) one of {MarshalType, MarshalTypeRef} required, others ignored
''' </summary>
<Fact>
Public Sub CustomMarshal()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Imports Microsoft.VisualBasic.Strings
Public Class X
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=Nothing)>
Public CustomMarshaler1 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalTypeRef:=Nothing)>
Public CustomMarshaler2 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="foo", MarshalTypeRef:=GetType(Integer))>
Public CustomMarshaler3 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=ChrW(&H1234) & "f" & ChrW(0) & "oozzz")>
Public CustomMarshaler4 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="f" & ChrW(0) & "oozzz")>
Public CustomMarshaler5 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx")>
Public CustomMarshaler6 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public CustomMarshaler7 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalTypeRef:=GetType(Integer))>
Public CustomMarshaler8 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalTypeRef:=GetType(Integer), MarshalType:="foo", MarshalCookie:="hello" & ChrW(0) & "world(" & ChrW(&H1234) & ")")>
Public CustomMarshaler9 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=Nothing, MarshalTypeRef:=GetType(Integer))>
Public CustomMarshaler10 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="foo", MarshalTypeRef:=Nothing)>
Public CustomMarshaler11 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=Nothing, MarshalTypeRef:=Nothing)>
Public CustomMarshaler12 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="aaa" & ChrW(0) & "bbb", MarshalCookie:="ccc" & ChrW(0) & "ddd")>
Public CustomMarshaler13 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=ChrW(&HD869) & ChrW(&HDED6), MarshalCookie:=ChrW(&HD869) & ChrW(&HDED6))>
Public CustomMarshaler14 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"CustomMarshaler1", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler2", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler3", New Byte() {&H2C, &H0, &H0, &H3, &H66, &H6F, &H6F, &H0}},
{"CustomMarshaler4", New Byte() {&H2C, &H0, &H0, &HA, &HE1, &H88, &HB4, &H66, &H0, &H6F, &H6F, &H7A, &H7A, &H7A, &H0}},
{"CustomMarshaler5", New Byte() {&H2C, &H0, &H0, &H7, &H66, &H0, &H6F, &H6F, &H7A, &H7A, &H7A, &H0}},
{"CustomMarshaler6", New Byte() {&H2C, &H0, &H0, &H60}.Append(Encoding.UTF8.GetBytes("xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx" & ChrW(0)))},
{"CustomMarshaler7", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler8", New Byte() {&H2C, &H0, &H0, &H59}.Append(Encoding.UTF8.GetBytes("System.Int32, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" & ChrW(0)))},
{"CustomMarshaler9", New Byte() {&H2C, &H0, &H0, &H3, &H66, &H6F, &H6F, &H10, &H68, &H65, &H6C, &H6C, &H6F, &H0, &H77, &H6F, &H72, &H6C, &H64, &H28, &HE1, &H88, &HB4, &H29}},
{"CustomMarshaler10", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler11", New Byte() {&H2C, &H0, &H0, &H3, &H66, &H6F, &H6F, &H0}},
{"CustomMarshaler12", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler13", New Byte() {&H2C, &H0, &H0, &H7, &H61, &H61, &H61, &H0, &H62, &H62, &H62, &H7, &H63, &H63, &H63, &H0, &H64, &H64, &H64}},
{"CustomMarshaler14", New Byte() {&H2C, &H0, &H0, &H4, &HF0, &HAA, &H9B, &H96, &H4, &HF0, &HAA, &H9B, &H96}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub CustomMarshal_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Imports Microsoft.VisualBasic.Strings
Public Class X
<MarshalAs(UnmanagedType.CustomMarshaler)>
Dim CustomMarshaler_e0 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="a" & ChrW(&HDC00) & "b", MarshalCookie:="b")>
Dim CustomMarshaler_e1 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="x", MarshalCookie:="y" & ChrW(&HDC00))>
Dim CustomMarshaler_e2 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40AndVBRuntime(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_AttributeParameterRequired2, "MarshalAs").WithArguments("MarshalType", "MarshalTypeRef"),
Diagnostic(ERRID.ERR_BadAttribute1, "MarshalType:=""a"" & ChrW(&HDC00) & ""b""").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "MarshalCookie:=""y"" & ChrW(&HDC00)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
<Fact()>
Public Sub Events_Error()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class C
<MarshalAs(UnmanagedType.Bool)>
Event e As Action
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_InvalidAttributeUsage2, "MarshalAs").WithArguments("MarshalAsAttribute", "e"))
End Sub
<Fact()>
Public Sub MarshalAs_AllFieldTargets()
Dim source = <compilation><file><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class Z
<MarshalAs(UnmanagedType.Bool)>
Dim f As Integer
End Class
Module M
<MarshalAs(UnmanagedType.Bool)>
Public WithEvents we As New Z
End Module
Enum En
<MarshalAs(UnmanagedType.Bool)>
A = 1
<MarshalAs(UnmanagedType.Bool)>
B
End Enum
]]></file></compilation>
CompileAndVerifyFieldMarshal(source,
Function(name, _omitted1)
Return If(name = "f" Or name = "_we" Or name = "A" Or name = "B", New Byte() {&H2}, Nothing)
End Function)
End Sub
<Fact()>
Public Sub Parameters()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Imports Microsoft.VisualBasic.Strings
Class X
Public Shared Function foo(<MarshalAs(UnmanagedType.IDispatch)> ByRef IDispatch As Integer,
<MarshalAs(UnmanagedType.LPArray)> ByRef LPArray0 As Integer,
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_EMPTY)> SafeArray8 As Integer,
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="aaa" & ChrW(0) & "bbb", MarshalCookie:="ccc" & ChrW(0) & "ddd")> CustomMarshaler13 As Integer) As <MarshalAs(UnmanagedType.LPStr)> X
Return Nothing
End Function
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"foo:", New Byte() {&H14}},
{"foo:IDispatch", New Byte() {&H1A}},
{"foo:LPArray0", New Byte() {&H2A, &H50}},
{"foo:SafeArray8", New Byte() {&H1D, &H0}},
{"foo:CustomMarshaler13", New Byte() {&H2C, &H0, &H0, &H7, &H61, &H61, &H61, &H0, &H62, &H62, &H62, &H7, &H63, &H63, &H63, &H0, &H64, &H64, &H64}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Events()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module X
Custom Event E As Action
AddHandler(<MarshalAs(UnmanagedType.BStr)> eAdd As Action)
End AddHandler
RemoveHandler(<MarshalAs(UnmanagedType.BStr)> eRemove As Action)
End RemoveHandler
RaiseEvent()
End RaiseEvent
End Event
End Module
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"add_E:eAdd", New Byte() {&H13}},
{"remove_E:eRemove", New Byte() {&H13}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Properties()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module C
Property P(<MarshalAs(UnmanagedType.I2)> pIndex As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
Get
Return 0
End Get
Set(<MarshalAs(UnmanagedType.I8)> pValue As Integer)
End Set
End Property
Property Q As <MarshalAs(UnmanagedType.I4)> Integer
Get
Return 0
End Get
Set(qValue As Integer)
End Set
End Property
Property CRW As <MarshalAs(UnmanagedType.I4)> Integer
WriteOnly Property CW As <MarshalAs(UnmanagedType.I4)> Integer
Set(sValue As Integer)
End Set
End Property
ReadOnly Property CR As <MarshalAs(UnmanagedType.I4)> Integer
Get
Return 0
End Get
End Property
End Module
Interface I
Property IRW As <MarshalAs(UnmanagedType.I4)> Integer
ReadOnly Property IR As <MarshalAs(UnmanagedType.I4)> Integer
WriteOnly Property IW As <MarshalAs(UnmanagedType.I4)> Integer
Property IRW2(a As Integer, b As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
ReadOnly Property IR2(a As Integer, b As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
WriteOnly Property IW2(a As Integer, b As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
End Interface
]]>
</file>
</compilation>
Dim i2 = New Byte() {&H5}
Dim i4 = New Byte() {&H7}
Dim i8 = New Byte() {&H9}
' Dev11 incorrectly applies return-type MarshalAs on the first parameter of an interface property.
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"get_P:", i4},
{"get_P:pIndex", i2},
{"set_P:pIndex", i2},
{"set_P:pValue", i8},
{"get_Q:", i4},
{"set_Q:qValue", Nothing},
{"get_CRW:", i4},
{"set_CRW:AutoPropertyValue", Nothing},
{"set_CW:sValue", Nothing},
{"get_CR:", i4},
{"get_IRW:", i4},
{"set_IRW:Value", i4},
{"get_IR:", i4},
{"set_IW:Value", i4},
{"get_IRW2:", i4},
{"get_IRW2:a", Nothing},
{"get_IRW2:b", Nothing},
{"set_IRW2:a", Nothing},
{"set_IRW2:b", Nothing},
{"set_IRW2:Value", i4},
{"get_IR2:", i4},
{"get_IR2:a", Nothing},
{"get_IR2:b", Nothing},
{"set_IW2:a", Nothing},
{"set_IW2:b", Nothing},
{"set_IW2:Value", i4}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
CompilationUtils.AssertTheseDiagnostics(verifier.Compilation,
<errors><![CDATA[
BC42364: Attributes applied on a return type of a WriteOnly Property have no effect.
WriteOnly Property CW As <MarshalAs(UnmanagedType.I4)> Integer
~~~~~~~~~~~~~~~~~~~~~~~~~~~
]]></errors>)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_PropertyReturnType_MissingAccessors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module C
Property Q As <MarshalAs(UnmanagedType.I4)> Integer
End Property
End Module
]]>
</file>
</compilation>
Dim c = CreateCompilationWithMscorlib40AndVBRuntime(source)
CompilationUtils.AssertTheseDiagnostics(c,
<errors><![CDATA[
BC30124: Property without a 'ReadOnly' or 'WriteOnly' specifier must provide both a 'Get' and a 'Set'.
Property Q As <MarshalAs(UnmanagedType.I4)> Integer
~
]]></errors>)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_PartialSubs()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Partial Class X
Private Partial Sub F(<MarshalAs(UnmanagedType.BStr)> pf As Integer)
End Sub
Private Sub F(pf As Integer)
End Sub
Private Partial Sub G(pg As Integer)
End Sub
Private Sub G(<MarshalAs(UnmanagedType.BStr)> pg As Integer)
End Sub
Private Sub H(<MarshalAs(UnmanagedType.BStr)> ph As Integer)
End Sub
Private Partial Sub H(ph As Integer)
End Sub
Private Sub I(pi As Integer)
End Sub
Private Partial Sub I(<MarshalAs(UnmanagedType.BStr)> pi As Integer)
End Sub
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"F:pf", New Byte() {&H13}},
{"G:pg", New Byte() {&H13}},
{"H:ph", New Byte() {&H13}},
{"I:pi", New Byte() {&H13}}
}
CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Delegate()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Delegate Function D(<MarshalAs(UnmanagedType.BStr)>p As Integer, <MarshalAs(UnmanagedType.BStr)>ByRef q As Integer) As <MarshalAs(UnmanagedType.BStr)> Integer
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{".ctor:TargetObject", Nothing},
{".ctor:TargetMethod", Nothing},
{"BeginInvoke:p", New Byte() {&H13}},
{"BeginInvoke:q", New Byte() {&H13}},
{"BeginInvoke:DelegateCallback", Nothing},
{"BeginInvoke:DelegateAsyncState", Nothing},
{"EndInvoke:p", New Byte() {&H13}},
{"EndInvoke:q", New Byte() {&H13}},
{"EndInvoke:DelegateAsyncResult", Nothing},
{"Invoke:", New Byte() {&H13}},
{"Invoke:p", New Byte() {&H13}},
{"Invoke:q", New Byte() {&H13}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Declare()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module M
Declare Function Foo Lib "foo" (
<MarshalAs(UnmanagedType.BStr)> explicitInt As Integer,
<MarshalAs(UnmanagedType.BStr)> ByRef explicitByRefInt As Integer,
<MarshalAs(UnmanagedType.Bool)> explicitString As String,
<MarshalAs(UnmanagedType.Bool)> ByRef explicitByRefString As String,
pString As String,
ByRef pByRefString As String,
pInt As Integer,
ByRef pByRefInt As Integer
) As <MarshalAs(UnmanagedType.BStr)> Integer
End Module
]]>
</file>
</compilation>
Const bstr = &H13
Const bool = &H2
Const byvalstr = &H22
Const ansi_bstr = &H23
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"Foo:", New Byte() {bstr}},
{"Foo:explicitInt", New Byte() {bstr}},
{"Foo:explicitByRefInt", New Byte() {bstr}},
{"Foo:explicitString", New Byte() {bool}},
{"Foo:explicitByRefString", New Byte() {bool}},
{"Foo:pString", New Byte() {byvalstr}},
{"Foo:pByRefString", New Byte() {ansi_bstr}},
{"Foo:pInt", Nothing},
{"Foo:pByRefInt", Nothing}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False, expectedSignatures:=
{
Signature("M", "Foo",
".method [System.Runtime.InteropServices.DllImportAttribute(""foo"", EntryPoint = ""Foo"", CharSet = 2, ExactSpelling = True, SetLastError = True, PreserveSig = True, CallingConvention = 1, BestFitMapping = False, ThrowOnUnmappableChar = False)] " &
"[System.Runtime.InteropServices.PreserveSigAttribute()] " &
"public static pinvokeimpl System.Int32 Foo(" &
"System.Int32 explicitInt, " &
"System.Int32& explicitByRefInt, " &
"System.String explicitString, " &
"System.String& explicitByRefString, " &
"System.String& pString, " &
"System.String& pByRefString, " &
"System.Int32 pInt, " &
"System.Int32& pByRefInt" &
") cil managed preservesig")
})
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub Parameters_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Class X
Public Shared Sub f1(<MarshalAs(UnmanagedType.ByValArray)> ByValArray As Integer, <MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1)> ByValTStr As Integer)
End Sub
Public Shared Function f2() As <MarshalAs(UnmanagedType.ByValArray)> Integer
Return 0
End Function
Public Shared Function f3() As <MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1)> Integer
Return 0
End Function
<MarshalAs(UnmanagedType.VBByRefStr)>
Public field As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValArray").WithArguments("ByValArray"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValTStr").WithArguments("ByValTStr"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValArray").WithArguments("ByValArray"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValTStr").WithArguments("ByValTStr"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeNotValidForFields, "UnmanagedType.VBByRefStr").WithArguments("VBByRefStr"))
End Sub
''' <summary>
''' type only, only on parameters
''' </summary>
<Fact>
Public Sub NativeTypeByValStr()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class X
Shared Function f(
<MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> ByRef VBByRefStr_e1 As Integer,
_
<MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> VBByRefStr_e2 As Char(),
_
<MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> VBByRefStr_e3 As Integer) _
As <MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> Integer
Return 0
End Function
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"f:", New Byte() {&H22}},
{"f:VBByRefStr_e1", New Byte() {&H22}},
{"f:VBByRefStr_e2", New Byte() {&H22}},
{"f:VBByRefStr_e3", New Byte() {&H22}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
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.
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Imports System.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Roslyn.Test.Utilities
Imports Roslyn.Utilities
Imports Xunit
Imports TypeKind = Microsoft.CodeAnalysis.TypeKind
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests.Semantics
Public Class AttributeTests_MarshalAs
Inherits BasicTestBase
#Region "Helpers"
Private Sub VerifyFieldMetadataDecoding(verifier As CompilationVerifier, blobs As Dictionary(Of String, Byte()))
Dim count = 0
Using assembly = AssemblyMetadata.CreateFromImage(verifier.EmittedAssemblyData)
Dim c = VisualBasicCompilation.Create("c", syntaxTrees:=New VisualBasicSyntaxTree() {}, references:={assembly.GetReference()})
For Each typeSym As NamedTypeSymbol In c.GlobalNamespace.GetMembers().Where(Function(s) s.Kind = SymbolKind.NamedType)
Dim fields = typeSym.GetMembers().Where(Function(s) s.Kind = SymbolKind.Field)
For Each field As FieldSymbol In fields
Assert.Null(field.MarshallingInformation)
Dim blob = blobs(field.Name)
If blob IsNot Nothing AndAlso blob(0) <= &H50 Then
Assert.Equal(CType(blob(0), UnmanagedType), field.MarshallingType)
Else
Assert.Equal(CType(0, UnmanagedType), field.MarshallingType)
End If
count = count + 1
Next
Next
End Using
Assert.True(count > 0, "Expected at least one field")
End Sub
Private Sub VerifyParameterMetadataDecoding(verifier As CompilationVerifier, blobs As Dictionary(Of String, Byte()))
Dim count = 0
Using assembly = AssemblyMetadata.CreateFromImage(verifier.EmittedAssemblyData)
Dim c = VisualBasicCompilation.Create("c", syntaxTrees:=New VisualBasicSyntaxTree() {}, references:={assembly.GetReference()})
For Each typeSym As NamedTypeSymbol In c.GlobalNamespace.GetMembers().Where(Function(s) s.Kind = SymbolKind.NamedType)
Dim methods = typeSym.GetMembers().Where(Function(s) s.Kind = SymbolKind.Method)
For Each method As MethodSymbol In methods
For Each parameter In method.Parameters
Assert.Null(parameter.MarshallingInformation)
Dim blob = blobs(method.Name & ":" & parameter.Name)
If blob IsNot Nothing AndAlso blob(0) <= &H50 Then
Assert.Equal(CType(blob(0), UnmanagedType), parameter.MarshallingType)
Else
Assert.Equal(CType(0, UnmanagedType), parameter.MarshallingType)
End If
count = count + 1
Next
Next
Next
End Using
Assert.True(count > 0, "Expected at least one parameter")
End Sub
#End Region
''' <summary>
''' type only, others ignored, field type ignored
''' </summary>
<Fact>
Public Sub SimpleTypes()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(CShort(0))>
Public ZeroShort As X
<MarshalAs(DirectCast(0, UnmanagedType))>
Public Zero As X
<MarshalAs(DirectCast(&H1FFFFFFF, UnmanagedType))>
Public MaxValue As X
<MarshalAs(DirectCast((&H123456), UnmanagedType))>
Public _0x123456 As X
<MarshalAs(DirectCast((&H1000), UnmanagedType))>
Public _0x1000 As X
<MarshalAs(UnmanagedType.AnsiBStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public AnsiBStr As X
<MarshalAs(UnmanagedType.AsAny, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public AsAny As Double
<MarshalAs(UnmanagedType.Bool, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public Bool As X
<MarshalAs(UnmanagedType.BStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public BStr As X
<MarshalAs(UnmanagedType.Currency, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public Currency As Integer
<MarshalAs(UnmanagedType.[Error], ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public [Error] As Integer
<MarshalAs(UnmanagedType.FunctionPtr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public FunctionPtr As Integer
<MarshalAs(UnmanagedType.I1, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I1 As Integer
<MarshalAs(UnmanagedType.I2, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I2 As Integer
<MarshalAs(UnmanagedType.I4, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I4 As Integer
<MarshalAs(UnmanagedType.I8, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public I8 As Integer
<MarshalAs(UnmanagedType.LPStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPStr As Integer
<MarshalAs(UnmanagedType.LPStruct, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPStruct As Integer
<MarshalAs(UnmanagedType.LPTStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPTStr As Integer
<MarshalAs(UnmanagedType.LPWStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public LPWStr As Integer
<MarshalAs(UnmanagedType.R4, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public R4 As Integer
<MarshalAs(UnmanagedType.R8, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public R8 As Integer
<MarshalAs(UnmanagedType.Struct, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public Struct As Integer
<MarshalAs(UnmanagedType.SysInt, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public SysInt As Decimal
<MarshalAs(UnmanagedType.SysUInt, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public SysUInt As Integer()
<MarshalAs(UnmanagedType.TBStr, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public TBStr As Object()
<MarshalAs(UnmanagedType.U1, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U1 As Integer
<MarshalAs(UnmanagedType.U2, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U2 As Double
<MarshalAs(UnmanagedType.U4, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U4 As Boolean
<MarshalAs(UnmanagedType.U8, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public U8 As String
<MarshalAs(UnmanagedType.VariantBool, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public VariantBool As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"ZeroShort", New Byte() {&H0}},
{"Zero", New Byte() {&H0}},
{"MaxValue", New Byte() {&HDF, &HFF, &HFF, &HFF}},
{"_0x1000", New Byte() {&H90, &H0}},
{"_0x123456", New Byte() {&HC0, &H12, &H34, &H56}},
{"AnsiBStr", New Byte() {&H23}},
{"AsAny", New Byte() {&H28}},
{"Bool", New Byte() {&H2}},
{"BStr", New Byte() {&H13}},
{"Currency", New Byte() {&HF}},
{"Error", New Byte() {&H2D}},
{"FunctionPtr", New Byte() {&H26}},
{"I1", New Byte() {&H3}},
{"I2", New Byte() {&H5}},
{"I4", New Byte() {&H7}},
{"I8", New Byte() {&H9}},
{"LPStr", New Byte() {&H14}},
{"LPStruct", New Byte() {&H2B}},
{"LPTStr", New Byte() {&H16}},
{"LPWStr", New Byte() {&H15}},
{"R4", New Byte() {&HB}},
{"R8", New Byte() {&HC}},
{"Struct", New Byte() {&H1B}},
{"SysInt", New Byte() {&H1F}},
{"SysUInt", New Byte() {&H20}},
{"TBStr", New Byte() {&H24}},
{"U1", New Byte() {&H4}},
{"U2", New Byte() {&H6}},
{"U4", New Byte() {&H8}},
{"U8", New Byte() {&HA}},
{"VariantBool", New Byte() {&H25}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub SimpleTypes_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Class X
<MarshalAs(CType(-1, UnmanagedType))>
Dim MinValue_1 As X
<MarshalAs(CType(&H20000000, UnmanagedType))>
Dim MaxValue_1 As X
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_BadAttribute1, "CType(-1, UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "CType(&H20000000, UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (type, IidParamIndex), others ignored, field type ignored
''' </summary>
<Fact>
Public Sub ComInterfaces()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.IDispatch, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=0, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public IDispatch As Byte
<MarshalAs(UnmanagedType.[Interface], ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public [Interface] As X
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=2, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public IUnknown As X()
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H1FFFFFFF, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public MaxValue As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H123456, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public m_123456 As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H1000, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public m_0x1000 As X
<MarshalAs(UnmanagedType.IDispatch)>
Public [Default] As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"IDispatch", New Byte() {&H1A, &H0}},
{"Interface", New Byte() {&H1C, &H1}},
{"IUnknown", New Byte() {&H19, &H2}},
{"MaxValue", New Byte() {&H19, &HDF, &HFF, &HFF, &HFF}},
{"m_123456", New Byte() {&H19, &HC0, &H12, &H34, &H56}},
{"m_0x1000", New Byte() {&H19, &H90, &H0}},
{"Default", New Byte() {&H1A}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub ComInterfaces_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Class X
<MarshalAs(UnmanagedType.IDispatch, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim IDispatch_MinValue_1 As Integer
<MarshalAs(UnmanagedType.[Interface], ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim Interface_MinValue_1 As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim IUnknown_MinValue_1 As Integer
<MarshalAs(UnmanagedType.IUnknown, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=&H20000000, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim IUnknown_MaxValue_1 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "IidParameterIndex:=&H20000000").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (ArraySubType, SizeConst, SizeParamIndex), SafeArraySubType not allowed, others ignored
''' </summary>
<Fact>
Public Sub NativeTypeArray()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.LPArray)>
Public LPArray0 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public LPArray1 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=0, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public LPArray2 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=&H1FFFFFFF, SizeParamIndex:=Short.MaxValue, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public LPArray3 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(&H50, UnmanagedType))>
Public LPArray4 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(&H1FFFFFFF, UnmanagedType))>
Public LPArray5 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(0, UnmanagedType))>
Public LPArray6 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"LPArray0", New Byte() {&H2A, &H50}},
{"LPArray1", New Byte() {&H2A, &H17}},
{"LPArray2", New Byte() {&H2A, &H17, &H0, &H0, &H0}},
{"LPArray3", New Byte() {&H2A, &H17, &HC0, &H0, &H7F, &HFF, &HDF, &HFF, &HFF, &HFF, &H1}},
{"LPArray4", New Byte() {&H2A, &H50}},
{"LPArray5", New Byte() {&H2A, &HDF, &HFF, &HFF, &HFF}},
{"LPArray6", New Byte() {&H2A, &H0}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeArray_ElementTypes()
Dim source As StringBuilder = New StringBuilder(<text>
Imports System
Imports System.Runtime.InteropServices
Class X
</text>.Value)
Dim expectedBlobs = New Dictionary(Of String, Byte())()
For i = 0 To SByte.MaxValue
If i <> DirectCast(UnmanagedType.CustomMarshaler, Integer) Then
Dim fldName As String = String.Format("m_{0:X}", i)
source.AppendLine(String.Format("<MarshalAs(UnmanagedType.LPArray, ArraySubType := CType(&H{0:X}, UnmanagedType))>Dim {1} As Integer", i, fldName))
expectedBlobs.Add(fldName, New Byte() {&H2A, CByte(i)})
End If
Next
source.AppendLine("End Class")
CompileAndVerifyFieldMarshal(source.ToString(), expectedBlobs)
End Sub
<Fact()>
Public Sub NativeTypeArray_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class X
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim LPArray_e0 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=-1)>
Dim LPArray_e1 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=0, SizeParamIndex:=-1)>
Dim LPArray_e2 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=Int32.MaxValue, SizeParamIndex:=Int16.MaxValue)>
Dim LPArray_e3 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.U8, SizeConst:=Int32.MaxValue / 4 + 1, SizeParamIndex:=Int16.MaxValue)>
Dim LPArray_e4 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=UnmanagedType.CustomMarshaler)>
Dim LPArray_e5 As Integer
<MarshalAs(UnmanagedType.LPArray, SafeArraySubType:=VarEnum.VT_I1)>
Dim LPArray_e6 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast(&H20000000, UnmanagedType))>
Dim LPArray_e7 As Integer
<MarshalAs(UnmanagedType.LPArray, ArraySubType:=DirectCast((-1), UnmanagedType))>
Dim LPArray_e8 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_BSTR"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeParamIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeParamIndex:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=Int32.MaxValue").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=Int32.MaxValue / 4 + 1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "ArraySubType:=UnmanagedType.CustomMarshaler").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_I1"),
Diagnostic(ERRID.ERR_BadAttribute1, "ArraySubType:=DirectCast(&H20000000, UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "ArraySubType:=DirectCast((-1), UnmanagedType)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (ArraySubType, SizeConst), (SizeParamIndex, SafeArraySubType) not allowed, others ignored
''' </summary>
<Fact>
Public Sub NativeTypeFixedArray()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValArray)>
Public ByValArray0 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public ByValArray1 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=0, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public ByValArray2 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=(Int32.MaxValue - 3) / 4, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=Nothing)>
Public ByValArray3 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.AsAny)>
Public ByValArray4 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.CustomMarshaler)>
Public ByValArray5 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"ByValArray0", New Byte() {&H1E, &H1}},
{"ByValArray1", New Byte() {&H1E, &H1, &H17}},
{"ByValArray2", New Byte() {&H1E, &H0, &H17}},
{"ByValArray3", New Byte() {&H1E, &HDF, &HFF, &HFF, &HFF, &H17}},
{"ByValArray4", New Byte() {&H1E, &H1, &H28}},
{"ByValArray5", New Byte() {&H1E, &H1, &H2C}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeFixedArray_ElementTypes()
Dim source As StringBuilder = New StringBuilder(<text>
Imports System
Imports System.Runtime.InteropServices
Class X
</text>.Value)
Dim expectedBlobs = New Dictionary(Of String, Byte())()
Dim i As Integer = 0
While i < SByte.MaxValue
Dim fldName As String = String.Format("m_{0:X}", i)
source.AppendLine(String.Format("<MarshalAs(UnmanagedType.ByValArray, ArraySubType := CType(&H{0:X}, UnmanagedType))>Dim {1} As Integer", i, fldName))
expectedBlobs.Add(fldName, New Byte() {&H1E, &H1, CByte(i)})
i = i + 1
End While
source.AppendLine("End Class")
CompileAndVerifyFieldMarshal(source.ToString(), expectedBlobs)
End Sub
<Fact()>
Public Sub NativeTypeFixedArray_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim ByValArray_e1 As Integer
<MarshalAs(UnmanagedType.ByValArray, SizeParamIndex:=Int16.MaxValue)>
Dim ByValArray_e2 As Integer
<MarshalAs(UnmanagedType.ByValArray, SafeArraySubType:=VarEnum.VT_I2)>
Dim ByValArray_e3 As Integer
<MarshalAs(UnmanagedType.ByValArray, ArraySubType:=UnmanagedType.ByValTStr, SizeConst:=&H20000000)>
Dim ByValArray_e4 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_BSTR"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=-1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=Int16.MaxValue"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArraySubType:=VarEnum.VT_I2"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=&H20000000").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
''' <summary>
''' (SafeArraySubType, SafeArrayUserDefinedSubType), (ArraySubType, SizeConst, SizeParamIndex) not allowed,
''' (SafeArraySubType, SafeArrayUserDefinedSubType) not allowed together unless VT_DISPATCH, VT_UNKNOWN, VT_RECORD; others ignored.
''' </summary>
<Fact>
Public Sub NativeTypeSafeArray()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.SafeArray)>
Public SafeArray0 As Integer
<MarshalAs(UnmanagedType.SafeArray, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR)>
Public SafeArray1 As Integer
<MarshalAs(UnmanagedType.SafeArray, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArrayUserDefinedSubType:=GetType(X))>
Public SafeArray2 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=Nothing)>
Public SafeArray3 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=GetType(Void))>
Public SafeArray4 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_EMPTY)>
Public SafeArray8 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(Integer()()))>
Public SafeArray9 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(Nullable(Of)))>
Public SafeArray10 As Integer
End Class
]]>
</file>
</compilation>
Dim aqn = Encoding.ASCII.GetBytes("System.Int32[][], mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")
Dim openGenericAqn = Encoding.ASCII.GetBytes("System.Nullable`1, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089")
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"SafeArray0", New Byte() {&H1D}},
{"SafeArray1", New Byte() {&H1D, &H8}},
{"SafeArray2", New Byte() {&H1D}},
{"SafeArray3", New Byte() {&H1D}},
{"SafeArray4", New Byte() {&H1D}},
{"SafeArray8", New Byte() {&H1D, &H0}},
{"SafeArray9", New Byte() {&H1D, &H24, CByte(aqn.Length)}.Append(aqn)},
{"SafeArray10", New Byte() {&H1D, &H24, CByte(openGenericAqn.Length)}.Append(openGenericAqn)}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub NativeTypeSafeArray_CCIOnly()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Public Class C(Of T)
Public Class D(Of S)
Public Class E
End Class
End Class
End Class
Public Class X
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(C(Of Integer).D(Of Boolean).E))>
Public SafeArray11 As Integer
End Class
]]>
</file>
</compilation>
Dim nestedAqn = Encoding.ASCII.GetBytes("C`1+D`1+E[[System.Int32, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089],[System.Boolean, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089]]")
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"SafeArray11", New Byte() {&H1D, &H24, &H80, &HC4}.Append(nestedAqn)}
}
' RefEmit has slightly different encoding of the type name
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeSafeArray_RefEmitDiffers()
Dim source = <![CDATA[
Imports System
Imports System.Collections.Generic
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_DISPATCH, SafeArrayUserDefinedSubType:=GetType(List(Of X)()()))>
Dim SafeArray5 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_UNKNOWN, SafeArrayUserDefinedSubType:=GetType(X))>
Dim SafeArray6 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_RECORD, SafeArrayUserDefinedSubType:=GetType(X))>
Dim SafeArray7 As Integer
End Class
]]>.Value
Dim e = Encoding.ASCII
Dim cciBlobs = New Dictionary(Of String, Byte()) From
{
{"SafeArray5", New Byte() {&H1D, &H9, &H75}.Append(e.GetBytes("System.Collections.Generic.List`1[X][][], mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089"))},
{"SafeArray6", New Byte() {&H1D, &HD, &H1, &H58}},
{"SafeArray7", New Byte() {&H1D, &H24, &H1, &H58}}
}
CompileAndVerifyFieldMarshal(source, cciBlobs)
End Sub
<Fact()>
Public Sub NativeTypeSafeArray_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.SafeArray, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim SafeArray_e1 As Integer
<MarshalAs(UnmanagedType.SafeArray, ArraySubType:=UnmanagedType.ByValTStr)>
Dim SafeArray_e2 As Integer
<MarshalAs(UnmanagedType.SafeArray, SizeConst:=1)>
Dim SafeArray_e3 As Integer
<MarshalAs(UnmanagedType.SafeArray, SizeParamIndex:=1)>
Dim SafeArray_e4 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing)>
Dim SafeArray_e5 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=Nothing, SafeArraySubType:=VarEnum.VT_BLOB)>
Dim SafeArray_e6 As Integer
<MarshalAs(UnmanagedType.SafeArray, SafeArrayUserDefinedSubType:=GetType(Integer), SafeArraySubType:=0)>
Dim SafeArray_e7 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeConst:=-1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=-1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=Nothing"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeConst:=1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=Nothing"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=Nothing"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SafeArrayUserDefinedSubType:=GetType(Integer)"))
End Sub
''' <summary>
''' (SizeConst - required), (SizeParamIndex, ArraySubType) not allowed
''' </summary>
<Fact>
Public Sub NativeTypeFixedSysString()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1)>
Public ByValTStr1 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=&H1FFFFFFF, SafeArrayUserDefinedSubType:=GetType(Integer), IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing)>
Public ByValTStr2 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"ByValTStr1", New Byte() {&H17, &H1}},
{"ByValTStr2", New Byte() {&H17, &HDF, &HFF, &HFF, &HFF}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub NativeTypeFixedSysString_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Public Class X
<MarshalAs(UnmanagedType.ByValTStr, ArraySubType:=UnmanagedType.ByValTStr, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Dim ByValTStr_e1 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=-1)>
Dim ByValTStr_e2 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=(Int32.MaxValue - 3) / 4 + 1)>
Dim ByValTStr_e3 As Integer
<MarshalAs(UnmanagedType.ByValTStr)>
Dim ByValTStr_e4 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1, SizeParamIndex:=1)>
Dim ByValTStr_e5 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1, ArraySubType:=UnmanagedType.ByValTStr)>
Dim ByValTStr_e6 As Integer
<MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1, SafeArraySubType:=VarEnum.VT_BSTR)>
Dim ByValTStr_e7 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=-1"),
Diagnostic(ERRID.ERR_AttributeParameterRequired1, "MarshalAs").WithArguments("SizeConst"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=-1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_AttributeParameterRequired1, "MarshalAs").WithArguments("SizeConst"),
Diagnostic(ERRID.ERR_BadAttribute1, "SizeConst:=(Int32.MaxValue - 3) / 4 + 1").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_AttributeParameterRequired1, "MarshalAs").WithArguments("SizeConst"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "SizeParamIndex:=1"),
Diagnostic(ERRID.ERR_ParameterNotValidForType, "ArraySubType:=UnmanagedType.ByValTStr"))
End Sub
''' <summary>
''' Custom (MarshalType, MarshalTypeRef, MarshalCookie) one of {MarshalType, MarshalTypeRef} required, others ignored
''' </summary>
<Fact>
Public Sub CustomMarshal()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Imports Microsoft.VisualBasic.Strings
Public Class X
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=Nothing)>
Public CustomMarshaler1 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalTypeRef:=Nothing)>
Public CustomMarshaler2 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="foo", MarshalTypeRef:=GetType(Integer))>
Public CustomMarshaler3 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=ChrW(&H1234) & "f" & ChrW(0) & "oozzz")>
Public CustomMarshaler4 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="f" & ChrW(0) & "oozzz")>
Public CustomMarshaler5 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx")>
Public CustomMarshaler6 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, ArraySubType:=UnmanagedType.ByValTStr, IidParameterIndex:=-1, MarshalCookie:=Nothing, MarshalType:=Nothing, MarshalTypeRef:=Nothing, SafeArraySubType:=VarEnum.VT_BSTR, SafeArrayUserDefinedSubType:=Nothing, SizeConst:=-1, SizeParamIndex:=-1)>
Public CustomMarshaler7 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalTypeRef:=GetType(Integer))>
Public CustomMarshaler8 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalTypeRef:=GetType(Integer), MarshalType:="foo", MarshalCookie:="hello" & ChrW(0) & "world(" & ChrW(&H1234) & ")")>
Public CustomMarshaler9 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=Nothing, MarshalTypeRef:=GetType(Integer))>
Public CustomMarshaler10 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="foo", MarshalTypeRef:=Nothing)>
Public CustomMarshaler11 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=Nothing, MarshalTypeRef:=Nothing)>
Public CustomMarshaler12 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="aaa" & ChrW(0) & "bbb", MarshalCookie:="ccc" & ChrW(0) & "ddd")>
Public CustomMarshaler13 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:=ChrW(&HD869) & ChrW(&HDED6), MarshalCookie:=ChrW(&HD869) & ChrW(&HDED6))>
Public CustomMarshaler14 As Integer
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"CustomMarshaler1", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler2", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler3", New Byte() {&H2C, &H0, &H0, &H3, &H66, &H6F, &H6F, &H0}},
{"CustomMarshaler4", New Byte() {&H2C, &H0, &H0, &HA, &HE1, &H88, &HB4, &H66, &H0, &H6F, &H6F, &H7A, &H7A, &H7A, &H0}},
{"CustomMarshaler5", New Byte() {&H2C, &H0, &H0, &H7, &H66, &H0, &H6F, &H6F, &H7A, &H7A, &H7A, &H0}},
{"CustomMarshaler6", New Byte() {&H2C, &H0, &H0, &H60}.Append(Encoding.UTF8.GetBytes("xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx" & ChrW(0)))},
{"CustomMarshaler7", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler8", New Byte() {&H2C, &H0, &H0, &H59}.Append(Encoding.UTF8.GetBytes("System.Int32, mscorlib, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089" & ChrW(0)))},
{"CustomMarshaler9", New Byte() {&H2C, &H0, &H0, &H3, &H66, &H6F, &H6F, &H10, &H68, &H65, &H6C, &H6C, &H6F, &H0, &H77, &H6F, &H72, &H6C, &H64, &H28, &HE1, &H88, &HB4, &H29}},
{"CustomMarshaler10", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler11", New Byte() {&H2C, &H0, &H0, &H3, &H66, &H6F, &H6F, &H0}},
{"CustomMarshaler12", New Byte() {&H2C, &H0, &H0, &H0, &H0}},
{"CustomMarshaler13", New Byte() {&H2C, &H0, &H0, &H7, &H61, &H61, &H61, &H0, &H62, &H62, &H62, &H7, &H63, &H63, &H63, &H0, &H64, &H64, &H64}},
{"CustomMarshaler14", New Byte() {&H2C, &H0, &H0, &H4, &HF0, &HAA, &H9B, &H96, &H4, &HF0, &HAA, &H9B, &H96}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs)
VerifyFieldMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub CustomMarshal_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Imports Microsoft.VisualBasic.Strings
Public Class X
<MarshalAs(UnmanagedType.CustomMarshaler)>
Dim CustomMarshaler_e0 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="a" & ChrW(&HDC00) & "b", MarshalCookie:="b")>
Dim CustomMarshaler_e1 As Integer
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="x", MarshalCookie:="y" & ChrW(&HDC00))>
Dim CustomMarshaler_e2 As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40AndVBRuntime(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_AttributeParameterRequired2, "MarshalAs").WithArguments("MarshalType", "MarshalTypeRef"),
Diagnostic(ERRID.ERR_BadAttribute1, "MarshalType:=""a"" & ChrW(&HDC00) & ""b""").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"),
Diagnostic(ERRID.ERR_BadAttribute1, "MarshalCookie:=""y"" & ChrW(&HDC00)").WithArguments("System.Runtime.InteropServices.MarshalAsAttribute"))
End Sub
<Fact()>
Public Sub Events_Error()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class C
<MarshalAs(UnmanagedType.Bool)>
Event e As Action
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_InvalidAttributeUsage2, "MarshalAs").WithArguments("MarshalAsAttribute", "e"))
End Sub
<Fact()>
Public Sub MarshalAs_AllFieldTargets()
Dim source = <compilation><file><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class Z
<MarshalAs(UnmanagedType.Bool)>
Dim f As Integer
End Class
Module M
<MarshalAs(UnmanagedType.Bool)>
Public WithEvents we As New Z
End Module
Enum En
<MarshalAs(UnmanagedType.Bool)>
A = 1
<MarshalAs(UnmanagedType.Bool)>
B
End Enum
]]></file></compilation>
CompileAndVerifyFieldMarshal(source,
Function(name, _omitted1)
Return If(name = "f" Or name = "_we" Or name = "A" Or name = "B", New Byte() {&H2}, Nothing)
End Function)
End Sub
<Fact()>
Public Sub Parameters()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Imports Microsoft.VisualBasic.Strings
Class X
Public Shared Function foo(<MarshalAs(UnmanagedType.IDispatch)> ByRef IDispatch As Integer,
<MarshalAs(UnmanagedType.LPArray)> ByRef LPArray0 As Integer,
<MarshalAs(UnmanagedType.SafeArray, SafeArraySubType:=VarEnum.VT_EMPTY)> SafeArray8 As Integer,
<MarshalAs(UnmanagedType.CustomMarshaler, MarshalType:="aaa" & ChrW(0) & "bbb", MarshalCookie:="ccc" & ChrW(0) & "ddd")> CustomMarshaler13 As Integer) As <MarshalAs(UnmanagedType.LPStr)> X
Return Nothing
End Function
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"foo:", New Byte() {&H14}},
{"foo:IDispatch", New Byte() {&H1A}},
{"foo:LPArray0", New Byte() {&H2A, &H50}},
{"foo:SafeArray8", New Byte() {&H1D, &H0}},
{"foo:CustomMarshaler13", New Byte() {&H2C, &H0, &H0, &H7, &H61, &H61, &H61, &H0, &H62, &H62, &H62, &H7, &H63, &H63, &H63, &H0, &H64, &H64, &H64}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Events()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module X
Custom Event E As Action
AddHandler(<MarshalAs(UnmanagedType.BStr)> eAdd As Action)
End AddHandler
RemoveHandler(<MarshalAs(UnmanagedType.BStr)> eRemove As Action)
End RemoveHandler
RaiseEvent()
End RaiseEvent
End Event
End Module
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"add_E:eAdd", New Byte() {&H13}},
{"remove_E:eRemove", New Byte() {&H13}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Properties()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module C
Property P(<MarshalAs(UnmanagedType.I2)> pIndex As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
Get
Return 0
End Get
Set(<MarshalAs(UnmanagedType.I8)> pValue As Integer)
End Set
End Property
Property Q As <MarshalAs(UnmanagedType.I4)> Integer
Get
Return 0
End Get
Set(qValue As Integer)
End Set
End Property
Property CRW As <MarshalAs(UnmanagedType.I4)> Integer
WriteOnly Property CW As <MarshalAs(UnmanagedType.I4)> Integer
Set(sValue As Integer)
End Set
End Property
ReadOnly Property CR As <MarshalAs(UnmanagedType.I4)> Integer
Get
Return 0
End Get
End Property
End Module
Interface I
Property IRW As <MarshalAs(UnmanagedType.I4)> Integer
ReadOnly Property IR As <MarshalAs(UnmanagedType.I4)> Integer
WriteOnly Property IW As <MarshalAs(UnmanagedType.I4)> Integer
Property IRW2(a As Integer, b As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
ReadOnly Property IR2(a As Integer, b As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
WriteOnly Property IW2(a As Integer, b As Integer) As <MarshalAs(UnmanagedType.I4)> Integer
End Interface
]]>
</file>
</compilation>
Dim i2 = New Byte() {&H5}
Dim i4 = New Byte() {&H7}
Dim i8 = New Byte() {&H9}
' Dev11 incorrectly applies return-type MarshalAs on the first parameter of an interface property.
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"get_P:", i4},
{"get_P:pIndex", i2},
{"set_P:pIndex", i2},
{"set_P:pValue", i8},
{"get_Q:", i4},
{"set_Q:qValue", Nothing},
{"get_CRW:", i4},
{"set_CRW:AutoPropertyValue", Nothing},
{"set_CW:sValue", Nothing},
{"get_CR:", i4},
{"get_IRW:", i4},
{"set_IRW:Value", i4},
{"get_IR:", i4},
{"set_IW:Value", i4},
{"get_IRW2:", i4},
{"get_IRW2:a", Nothing},
{"get_IRW2:b", Nothing},
{"set_IRW2:a", Nothing},
{"set_IRW2:b", Nothing},
{"set_IRW2:Value", i4},
{"get_IR2:", i4},
{"get_IR2:a", Nothing},
{"get_IR2:b", Nothing},
{"set_IW2:a", Nothing},
{"set_IW2:b", Nothing},
{"set_IW2:Value", i4}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
CompilationUtils.AssertTheseDiagnostics(verifier.Compilation,
<errors><![CDATA[
BC42364: Attributes applied on a return type of a WriteOnly Property have no effect.
WriteOnly Property CW As <MarshalAs(UnmanagedType.I4)> Integer
~~~~~~~~~~~~~~~~~~~~~~~~~~~
]]></errors>)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_PropertyReturnType_MissingAccessors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module C
Property Q As <MarshalAs(UnmanagedType.I4)> Integer
End Property
End Module
]]>
</file>
</compilation>
Dim c = CreateCompilationWithMscorlib40AndVBRuntime(source)
CompilationUtils.AssertTheseDiagnostics(c,
<errors><![CDATA[
BC30124: Property without a 'ReadOnly' or 'WriteOnly' specifier must provide both a 'Get' and a 'Set'.
Property Q As <MarshalAs(UnmanagedType.I4)> Integer
~
]]></errors>)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_PartialSubs()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Partial Class X
Private Partial Sub F(<MarshalAs(UnmanagedType.BStr)> pf As Integer)
End Sub
Private Sub F(pf As Integer)
End Sub
Private Partial Sub G(pg As Integer)
End Sub
Private Sub G(<MarshalAs(UnmanagedType.BStr)> pg As Integer)
End Sub
Private Sub H(<MarshalAs(UnmanagedType.BStr)> ph As Integer)
End Sub
Private Partial Sub H(ph As Integer)
End Sub
Private Sub I(pi As Integer)
End Sub
Private Partial Sub I(<MarshalAs(UnmanagedType.BStr)> pi As Integer)
End Sub
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"F:pf", New Byte() {&H13}},
{"G:pg", New Byte() {&H13}},
{"H:ph", New Byte() {&H13}},
{"I:pi", New Byte() {&H13}}
}
CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Delegate()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Delegate Function D(<MarshalAs(UnmanagedType.BStr)>p As Integer, <MarshalAs(UnmanagedType.BStr)>ByRef q As Integer) As <MarshalAs(UnmanagedType.BStr)> Integer
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte())() From
{
{".ctor:TargetObject", Nothing},
{".ctor:TargetMethod", Nothing},
{"BeginInvoke:p", New Byte() {&H13}},
{"BeginInvoke:q", New Byte() {&H13}},
{"BeginInvoke:DelegateCallback", Nothing},
{"BeginInvoke:DelegateAsyncState", Nothing},
{"EndInvoke:p", New Byte() {&H13}},
{"EndInvoke:q", New Byte() {&H13}},
{"EndInvoke:DelegateAsyncResult", Nothing},
{"Invoke:", New Byte() {&H13}},
{"Invoke:p", New Byte() {&H13}},
{"Invoke:q", New Byte() {&H13}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact>
Public Sub MarshalAs_AllParameterTargets_Declare()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Module M
Declare Function Foo Lib "foo" (
<MarshalAs(UnmanagedType.BStr)> explicitInt As Integer,
<MarshalAs(UnmanagedType.BStr)> ByRef explicitByRefInt As Integer,
<MarshalAs(UnmanagedType.Bool)> explicitString As String,
<MarshalAs(UnmanagedType.Bool)> ByRef explicitByRefString As String,
pString As String,
ByRef pByRefString As String,
pInt As Integer,
ByRef pByRefInt As Integer
) As <MarshalAs(UnmanagedType.BStr)> Integer
End Module
]]>
</file>
</compilation>
Const bstr = &H13
Const bool = &H2
Const byvalstr = &H22
Const ansi_bstr = &H23
Dim blobs = New Dictionary(Of String, Byte())() From
{
{"Foo:", New Byte() {bstr}},
{"Foo:explicitInt", New Byte() {bstr}},
{"Foo:explicitByRefInt", New Byte() {bstr}},
{"Foo:explicitString", New Byte() {bool}},
{"Foo:explicitByRefString", New Byte() {bool}},
{"Foo:pString", New Byte() {byvalstr}},
{"Foo:pByRefString", New Byte() {ansi_bstr}},
{"Foo:pInt", Nothing},
{"Foo:pByRefInt", Nothing}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False, expectedSignatures:=
{
Signature("M", "Foo",
".method [System.Runtime.InteropServices.DllImportAttribute(""foo"", EntryPoint = ""Foo"", CharSet = 2, ExactSpelling = True, SetLastError = True, PreserveSig = True, CallingConvention = 1, BestFitMapping = False, ThrowOnUnmappableChar = False)] " &
"[System.Runtime.InteropServices.PreserveSigAttribute()] " &
"public static pinvokeimpl System.Int32 Foo(" &
"System.Int32 explicitInt, " &
"System.Int32& explicitByRefInt, " &
"System.String explicitString, " &
"System.String& explicitByRefString, " &
"System.String& pString, " &
"System.String& pByRefString, " &
"System.Int32 pInt, " &
"System.Int32& pByRefInt" &
") cil managed preservesig")
})
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
<Fact()>
Public Sub Parameters_Errors()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System.Runtime.InteropServices
Class X
Public Shared Sub f1(<MarshalAs(UnmanagedType.ByValArray)> ByValArray As Integer, <MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1)> ByValTStr As Integer)
End Sub
Public Shared Function f2() As <MarshalAs(UnmanagedType.ByValArray)> Integer
Return 0
End Function
Public Shared Function f3() As <MarshalAs(UnmanagedType.ByValTStr, SizeConst:=1)> Integer
Return 0
End Function
<MarshalAs(UnmanagedType.VBByRefStr)>
Public field As Integer
End Class
]]>
</file>
</compilation>
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValArray").WithArguments("ByValArray"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValTStr").WithArguments("ByValTStr"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValArray").WithArguments("ByValArray"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeOnlyValidForFields, "UnmanagedType.ByValTStr").WithArguments("ByValTStr"),
Diagnostic(ERRID.ERR_MarshalUnmanagedTypeNotValidForFields, "UnmanagedType.VBByRefStr").WithArguments("VBByRefStr"))
End Sub
''' <summary>
''' type only, only on parameters
''' </summary>
<Fact>
Public Sub NativeTypeByValStr()
Dim source =
<compilation>
<file name="a.vb"><![CDATA[
Imports System
Imports System.Runtime.InteropServices
Class X
Shared Function f(
<MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> ByRef VBByRefStr_e1 As Integer,
_
<MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> VBByRefStr_e2 As Char(),
_
<MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> VBByRefStr_e3 As Integer) _
As <MarshalAs(UnmanagedType.VBByRefStr,
ArraySubType:=UnmanagedType.ByValTStr,
IidParameterIndex:=-1,
MarshalCookie:=Nothing,
MarshalType:=Nothing,
MarshalTypeRef:=Nothing,
SafeArraySubType:=VarEnum.VT_BSTR,
SafeArrayUserDefinedSubType:=Nothing,
SizeConst:=-1,
SizeParamIndex:=-1)> Integer
Return 0
End Function
End Class
]]>
</file>
</compilation>
Dim blobs = New Dictionary(Of String, Byte()) From
{
{"f:", New Byte() {&H22}},
{"f:VBByRefStr_e1", New Byte() {&H22}},
{"f:VBByRefStr_e2", New Byte() {&H22}},
{"f:VBByRefStr_e3", New Byte() {&H22}}
}
Dim verifier = CompileAndVerifyFieldMarshal(source, blobs, isField:=False)
VerifyParameterMetadataDecoding(verifier, blobs)
End Sub
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/CommandLine/AnalyzerConfig.SectionNameMatching.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.Diagnostics;
using System.IO;
using System.Text;
using System.Text.RegularExpressions;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
public sealed partial class AnalyzerConfig
{
internal readonly struct SectionNameMatcher
{
private readonly ImmutableArray<(int minValue, int maxValue)> _numberRangePairs;
// internal for testing
internal Regex Regex { get; }
internal SectionNameMatcher(
Regex regex,
ImmutableArray<(int minValue, int maxValue)> numberRangePairs)
{
Debug.Assert(regex.GetGroupNumbers().Length - 1 == numberRangePairs.Length);
Regex = regex;
_numberRangePairs = numberRangePairs;
}
public bool IsMatch(string s)
{
if (_numberRangePairs.IsEmpty)
{
return Regex.IsMatch(s);
}
var match = Regex.Match(s);
if (!match.Success)
{
return false;
}
Debug.Assert(match.Groups.Count - 1 == _numberRangePairs.Length);
for (int i = 0; i < _numberRangePairs.Length; i++)
{
var (minValue, maxValue) = _numberRangePairs[i];
// Index 0 is the whole regex
if (!int.TryParse(match.Groups[i + 1].Value, out int matchedNum) ||
matchedNum < minValue ||
matchedNum > maxValue)
{
return false;
}
}
return true;
}
}
/// <summary>
/// Takes a <see cref="Section.Name"/> and creates a matcher that
/// matches the given language. Returns null if the section name is
/// invalid.
/// </summary>
internal static SectionNameMatcher? TryCreateSectionNameMatcher(string sectionName)
{
// An editorconfig section name is a language for recognizing file paths
// defined by the following grammar:
//
// <path> ::= <path-list>
// <path-list> ::= <path-item> | <path-item> <path-list>
// <path-item> ::= "*" | "**" | "?" | <char> | <choice> | <range>
// <char> ::= any unicode character
// <choice> ::= "{" <choice-list> "}"
// <choice-list> ::= <path-list> | <path-list> "," <choice-list>
// <range> ::= "{" <integer> ".." <integer> "}"
// <integer> ::= "-" <digit-list> | <digit-list>
// <digit-list> ::= <digit> | <digit> <digit-list>
// <digit> ::= 0-9
var sb = new StringBuilder();
sb.Append('^');
// EditorConfig matching depends on the whether or not there are
// directory separators and where they are located in the section
// name. Specifically, the editorconfig core parser says:
// https://github.com/editorconfig/editorconfig-core-c/blob/5d3996811e962a717a7d7fdd0a941192382241a7/src/lib/editorconfig.c#L231
//
// Pattern would be:
// /dir/of/editorconfig/file[double_star]/[section] if section does not contain '/',
// /dir/of/editorconfig/file[section] if section starts with a '/', or
// /dir/of/editorconfig/file/[section] if section contains '/' but does not start with '/'.
if (!sectionName.Contains("/"))
{
sb.Append(".*/");
}
else if (sectionName[0] != '/')
{
sb.Append('/');
}
var lexer = new SectionNameLexer(sectionName);
var numberRangePairs = ArrayBuilder<(int minValue, int maxValue)>.GetInstance();
if (!TryCompilePathList(ref lexer, sb, parsingChoice: false, numberRangePairs))
{
numberRangePairs.Free();
return null;
}
sb.Append('$');
return new SectionNameMatcher(
new Regex(sb.ToString(), RegexOptions.Compiled),
numberRangePairs.ToImmutableAndFree());
}
internal static bool TryUnescapeSectionName(string sectionName, out string? escapedSectionName)
{
var sb = new StringBuilder();
SectionNameLexer lexer = new SectionNameLexer(sectionName);
while (!lexer.IsDone)
{
var tokenKind = lexer.Lex();
if (tokenKind == TokenKind.SimpleCharacter)
{
sb.Append(lexer.EatCurrentCharacter());
}
}
escapedSectionName = sb.ToString();
return true;
}
/// <summary>
/// Test if a section name is an absolute path with no special chars
/// </summary>
internal static bool IsAbsoluteEditorConfigPath(string sectionName)
{
// NOTE: editorconfig paths must use '/' as a directory separator character on all OS.
// on all unix systems this is thus a simple test: does the path start with '/'
// and contain no special chars?
// on windows, a path can be either drive rooted or not (e.g. start with 'c:' or just '')
// in addition to being absolute or relative.
// for example c:myfile.cs is a relative path, but rooted on drive c:
// /myfile2.cs is an absolute path but rooted to the current drive.
// in addition there are UNC paths and volume guids (see https://docs.microsoft.com/en-us/dotnet/standard/io/file-path-formats)
// but these start with \\ (and thus '/' in editor config terminology)
// in this implementation we choose to ignore the drive root for the purposes of
// determining validity. On windows c:/file.cs and /file.cs are both assumed to be
// valid absolute paths, even though the second one is technically relative to
// the current drive of the compiler working directory.
// Note that this check has no impact on config correctness. Files on windows
// will still be compared using their full path (including drive root) so it's
// not possible to target the wrong file. It's just possible that the user won't
// receive a warning that this section is ignored on windows in this edge case.
SectionNameLexer nameLexer = new SectionNameLexer(sectionName);
bool sawStartChar = false;
int logicalIndex = 0;
while (!nameLexer.IsDone)
{
if (nameLexer.Lex() != TokenKind.SimpleCharacter)
{
return false;
}
var simpleChar = nameLexer.EatCurrentCharacter();
// check the path starts with '/'
if (logicalIndex == 0)
{
if (simpleChar == '/')
{
sawStartChar = true;
}
else if (Path.DirectorySeparatorChar == '/')
{
return false;
}
}
// on windows we get a second chance to find the start char
else if (!sawStartChar && Path.DirectorySeparatorChar == '\\')
{
if (logicalIndex == 1 && simpleChar != ':')
{
return false;
}
else if (logicalIndex == 2)
{
if (simpleChar != '/')
{
return false;
}
else
{
sawStartChar = true;
}
}
}
logicalIndex++;
}
return sawStartChar;
}
/// <summary>
/// <![CDATA[
/// <path-list> ::= <path-item> | <path-item> <path-list>
/// <path-item> ::= "*" | "**" | "?" | <char> | <choice> | <range>
/// <char> ::= any unicode character
/// <choice> ::= "{" <choice-list> "}"
/// <choice-list> ::= <path-list> | <path-list> "," <choice-list>
/// ]]>
/// </summary>
private static bool TryCompilePathList(
ref SectionNameLexer lexer,
StringBuilder sb,
bool parsingChoice,
ArrayBuilder<(int minValue, int maxValue)> numberRangePairs)
{
while (!lexer.IsDone)
{
var tokenKind = lexer.Lex();
switch (tokenKind)
{
case TokenKind.BadToken:
// Parsing failure
return false;
case TokenKind.SimpleCharacter:
// Matches just this character
sb.Append(Regex.Escape(lexer.EatCurrentCharacter().ToString()));
break;
case TokenKind.Question:
// '?' matches any single character
sb.Append('.');
break;
case TokenKind.Star:
// Matches any string of characters except directory separator
// Directory separator is defined in editorconfig spec as '/'
sb.Append("[^/]*");
break;
case TokenKind.StarStar:
// Matches any string of characters
sb.Append(".*");
break;
case TokenKind.OpenCurly:
// Back up token stream. The following helpers all expect a '{'
lexer.Position--;
// This is ambiguous between {num..num} and {item1,item2}
// We need to look ahead to disambiguate. Looking for {num..num}
// is easier because it can't be recursive.
(string numStart, string numEnd)? rangeOpt = TryParseNumberRange(ref lexer);
if (rangeOpt is null)
{
// Not a number range. Try a choice expression
if (!TryCompileChoice(ref lexer, sb, numberRangePairs))
{
return false;
}
// Keep looping. There may be more after the '}'.
break;
}
else
{
(string numStart, string numEnd) = rangeOpt.GetValueOrDefault();
if (int.TryParse(numStart, out var intStart) && int.TryParse(numEnd, out var intEnd))
{
var pair = intStart < intEnd ? (intStart, intEnd) : (intEnd, intStart);
numberRangePairs.Add(pair);
// Group allowing any digit sequence. The validity will be checked outside of the regex
sb.Append("(-?[0-9]+)");
// Keep looping
break;
}
return false;
}
case TokenKind.CloseCurly:
// Either the end of a choice, or a failed parse
return parsingChoice;
case TokenKind.Comma:
// The end of a choice section, or a failed parse
return parsingChoice;
case TokenKind.OpenBracket:
sb.Append('[');
if (!TryCompileCharacterClass(ref lexer, sb))
{
return false;
}
break;
default:
throw ExceptionUtilities.UnexpectedValue(tokenKind);
}
}
// If we're parsing a choice we should not exit without a closing '}'
return !parsingChoice;
}
/// <summary>
/// Compile a globbing character class of the form [...]. Returns true if
/// the character class was successfully compiled. False if there was a syntax
/// error. The starting character is expected to be directly after the '['.
/// </summary>
private static bool TryCompileCharacterClass(ref SectionNameLexer lexer, StringBuilder sb)
{
// [...] should match any of the characters in the brackets, with special
// behavior for four characters: '!' immediately after the opening bracket
// implies the negation of the character class, '-' implies matching
// between the locale-dependent range of the previous and next characters,
// '\' escapes the following character, and ']' ends the range
if (!lexer.IsDone && lexer.CurrentCharacter == '!')
{
sb.Append('^');
lexer.Position++;
}
while (!lexer.IsDone)
{
var currentChar = lexer.EatCurrentCharacter();
switch (currentChar)
{
case '-':
// '-' means the same thing in regex as it does in the glob, so
// put it in verbatim
sb.Append(currentChar);
break;
case '\\':
// Escape the next char
if (lexer.IsDone)
{
return false;
}
sb.Append('\\');
sb.Append(lexer.EatCurrentCharacter());
break;
case ']':
sb.Append(currentChar);
return true;
default:
sb.Append(Regex.Escape(currentChar.ToString()));
break;
}
}
// Stream ended without a closing bracket
return false;
}
/// <summary>
/// Parses choice defined by the following grammar:
/// <![CDATA[
/// <choice> ::= "{" <choice-list> "}"
/// <choice-list> ::= <path-list> | <path-list> "," <choice-list>
/// ]]>
/// </summary>
private static bool TryCompileChoice(
ref SectionNameLexer lexer,
StringBuilder sb,
ArrayBuilder<(int, int)> numberRangePairs)
{
if (lexer.Lex() != TokenKind.OpenCurly)
{
return false;
}
// Start a non-capturing group for the choice
sb.Append("(?:");
// We start immediately after a '{'
// Try to compile the nested <path-list>
while (TryCompilePathList(ref lexer, sb, parsingChoice: true, numberRangePairs))
{
// If we've successfully compiled a <path-list> the last token should
// have been a ',' or a '}'
char lastChar = lexer[lexer.Position - 1];
if (lastChar == ',')
{
// Another option
sb.Append("|");
}
else if (lastChar == '}')
{
// Close out the capture group
sb.Append(")");
return true;
}
else
{
throw ExceptionUtilities.UnexpectedValue(lastChar);
}
}
// Propagate failure
return false;
}
/// <summary>
/// Parses range defined by the following grammar.
/// <![CDATA[
/// <range> ::= "{" <integer> ".." <integer> "}"
/// <integer> ::= "-" <digit-list> | <digit-list>
/// <digit-list> ::= <digit> | <digit> <digit-list>
/// <digit> ::= 0-9
/// ]]>
/// </summary>
private static (string numStart, string numEnd)? TryParseNumberRange(ref SectionNameLexer lexer)
{
var saved = lexer.Position;
if (lexer.Lex() != TokenKind.OpenCurly)
{
lexer.Position = saved;
return null;
}
var numStart = lexer.TryLexNumber();
if (numStart is null)
{
// Not a number
lexer.Position = saved;
return null;
}
// The next two characters must be ".."
if (!lexer.TryEatCurrentCharacter(out char c) || c != '.' ||
!lexer.TryEatCurrentCharacter(out c) || c != '.')
{
lexer.Position = saved;
return null;
}
// Now another number
var numEnd = lexer.TryLexNumber();
if (numEnd is null || lexer.IsDone || lexer.Lex() != TokenKind.CloseCurly)
{
// Not a number or no '}'
lexer.Position = saved;
return null;
}
return (numStart, numEnd);
}
private struct SectionNameLexer
{
private readonly string _sectionName;
public int Position { get; set; }
public SectionNameLexer(string sectionName)
{
_sectionName = sectionName;
Position = 0;
}
public bool IsDone => Position >= _sectionName.Length;
public TokenKind Lex()
{
int lexemeStart = Position;
switch (_sectionName[Position])
{
case '*':
{
int nextPos = Position + 1;
if (nextPos < _sectionName.Length &&
_sectionName[nextPos] == '*')
{
Position += 2;
return TokenKind.StarStar;
}
else
{
Position++;
return TokenKind.Star;
}
}
case '?':
Position++;
return TokenKind.Question;
case '{':
Position++;
return TokenKind.OpenCurly;
case ',':
Position++;
return TokenKind.Comma;
case '}':
Position++;
return TokenKind.CloseCurly;
case '[':
Position++;
return TokenKind.OpenBracket;
case '\\':
{
// Backslash escapes the next character
Position++;
if (IsDone)
{
return TokenKind.BadToken;
}
return TokenKind.SimpleCharacter;
}
default:
// Don't increment position, since caller needs to fetch the character
return TokenKind.SimpleCharacter;
}
}
public char CurrentCharacter => _sectionName[Position];
/// <summary>
/// Call after getting <see cref="TokenKind.SimpleCharacter" /> from <see cref="Lex()" />
/// </summary>
public char EatCurrentCharacter() => _sectionName[Position++];
/// <summary>
/// Returns false if there are no more characters in the lex stream.
/// Otherwise, produces the next character in the stream and returns true.
/// </summary>
public bool TryEatCurrentCharacter(out char nextChar)
{
if (IsDone)
{
nextChar = default;
return false;
}
else
{
nextChar = EatCurrentCharacter();
return true;
}
}
public char this[int position] => _sectionName[position];
/// <summary>
/// Returns the string representation of a decimal integer, or null if
/// the current lexeme is not an integer.
/// </summary>
public string? TryLexNumber()
{
bool start = true;
var sb = new StringBuilder();
while (!IsDone)
{
char currentChar = CurrentCharacter;
if (start && currentChar == '-')
{
Position++;
sb.Append('-');
}
else if (char.IsDigit(currentChar))
{
Position++;
sb.Append(currentChar);
}
else
{
break;
}
start = false;
}
var str = sb.ToString();
return str.Length == 0 || str == "-"
? null
: str;
}
}
private enum TokenKind
{
BadToken,
SimpleCharacter,
Star,
StarStar,
Question,
OpenCurly,
CloseCurly,
Comma,
DoubleDot,
OpenBracket,
}
}
}
| // 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.Diagnostics;
using System.IO;
using System.Text;
using System.Text.RegularExpressions;
using Microsoft.CodeAnalysis.PooledObjects;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
public sealed partial class AnalyzerConfig
{
internal readonly struct SectionNameMatcher
{
private readonly ImmutableArray<(int minValue, int maxValue)> _numberRangePairs;
// internal for testing
internal Regex Regex { get; }
internal SectionNameMatcher(
Regex regex,
ImmutableArray<(int minValue, int maxValue)> numberRangePairs)
{
Debug.Assert(regex.GetGroupNumbers().Length - 1 == numberRangePairs.Length);
Regex = regex;
_numberRangePairs = numberRangePairs;
}
public bool IsMatch(string s)
{
if (_numberRangePairs.IsEmpty)
{
return Regex.IsMatch(s);
}
var match = Regex.Match(s);
if (!match.Success)
{
return false;
}
Debug.Assert(match.Groups.Count - 1 == _numberRangePairs.Length);
for (int i = 0; i < _numberRangePairs.Length; i++)
{
var (minValue, maxValue) = _numberRangePairs[i];
// Index 0 is the whole regex
if (!int.TryParse(match.Groups[i + 1].Value, out int matchedNum) ||
matchedNum < minValue ||
matchedNum > maxValue)
{
return false;
}
}
return true;
}
}
/// <summary>
/// Takes a <see cref="Section.Name"/> and creates a matcher that
/// matches the given language. Returns null if the section name is
/// invalid.
/// </summary>
internal static SectionNameMatcher? TryCreateSectionNameMatcher(string sectionName)
{
// An editorconfig section name is a language for recognizing file paths
// defined by the following grammar:
//
// <path> ::= <path-list>
// <path-list> ::= <path-item> | <path-item> <path-list>
// <path-item> ::= "*" | "**" | "?" | <char> | <choice> | <range>
// <char> ::= any unicode character
// <choice> ::= "{" <choice-list> "}"
// <choice-list> ::= <path-list> | <path-list> "," <choice-list>
// <range> ::= "{" <integer> ".." <integer> "}"
// <integer> ::= "-" <digit-list> | <digit-list>
// <digit-list> ::= <digit> | <digit> <digit-list>
// <digit> ::= 0-9
var sb = new StringBuilder();
sb.Append('^');
// EditorConfig matching depends on the whether or not there are
// directory separators and where they are located in the section
// name. Specifically, the editorconfig core parser says:
// https://github.com/editorconfig/editorconfig-core-c/blob/5d3996811e962a717a7d7fdd0a941192382241a7/src/lib/editorconfig.c#L231
//
// Pattern would be:
// /dir/of/editorconfig/file[double_star]/[section] if section does not contain '/',
// /dir/of/editorconfig/file[section] if section starts with a '/', or
// /dir/of/editorconfig/file/[section] if section contains '/' but does not start with '/'.
if (!sectionName.Contains("/"))
{
sb.Append(".*/");
}
else if (sectionName[0] != '/')
{
sb.Append('/');
}
var lexer = new SectionNameLexer(sectionName);
var numberRangePairs = ArrayBuilder<(int minValue, int maxValue)>.GetInstance();
if (!TryCompilePathList(ref lexer, sb, parsingChoice: false, numberRangePairs))
{
numberRangePairs.Free();
return null;
}
sb.Append('$');
return new SectionNameMatcher(
new Regex(sb.ToString(), RegexOptions.Compiled),
numberRangePairs.ToImmutableAndFree());
}
internal static bool TryUnescapeSectionName(string sectionName, out string? escapedSectionName)
{
var sb = new StringBuilder();
SectionNameLexer lexer = new SectionNameLexer(sectionName);
while (!lexer.IsDone)
{
var tokenKind = lexer.Lex();
if (tokenKind == TokenKind.SimpleCharacter)
{
sb.Append(lexer.EatCurrentCharacter());
}
}
escapedSectionName = sb.ToString();
return true;
}
/// <summary>
/// Test if a section name is an absolute path with no special chars
/// </summary>
internal static bool IsAbsoluteEditorConfigPath(string sectionName)
{
// NOTE: editorconfig paths must use '/' as a directory separator character on all OS.
// on all unix systems this is thus a simple test: does the path start with '/'
// and contain no special chars?
// on windows, a path can be either drive rooted or not (e.g. start with 'c:' or just '')
// in addition to being absolute or relative.
// for example c:myfile.cs is a relative path, but rooted on drive c:
// /myfile2.cs is an absolute path but rooted to the current drive.
// in addition there are UNC paths and volume guids (see https://docs.microsoft.com/en-us/dotnet/standard/io/file-path-formats)
// but these start with \\ (and thus '/' in editor config terminology)
// in this implementation we choose to ignore the drive root for the purposes of
// determining validity. On windows c:/file.cs and /file.cs are both assumed to be
// valid absolute paths, even though the second one is technically relative to
// the current drive of the compiler working directory.
// Note that this check has no impact on config correctness. Files on windows
// will still be compared using their full path (including drive root) so it's
// not possible to target the wrong file. It's just possible that the user won't
// receive a warning that this section is ignored on windows in this edge case.
SectionNameLexer nameLexer = new SectionNameLexer(sectionName);
bool sawStartChar = false;
int logicalIndex = 0;
while (!nameLexer.IsDone)
{
if (nameLexer.Lex() != TokenKind.SimpleCharacter)
{
return false;
}
var simpleChar = nameLexer.EatCurrentCharacter();
// check the path starts with '/'
if (logicalIndex == 0)
{
if (simpleChar == '/')
{
sawStartChar = true;
}
else if (Path.DirectorySeparatorChar == '/')
{
return false;
}
}
// on windows we get a second chance to find the start char
else if (!sawStartChar && Path.DirectorySeparatorChar == '\\')
{
if (logicalIndex == 1 && simpleChar != ':')
{
return false;
}
else if (logicalIndex == 2)
{
if (simpleChar != '/')
{
return false;
}
else
{
sawStartChar = true;
}
}
}
logicalIndex++;
}
return sawStartChar;
}
/// <summary>
/// <![CDATA[
/// <path-list> ::= <path-item> | <path-item> <path-list>
/// <path-item> ::= "*" | "**" | "?" | <char> | <choice> | <range>
/// <char> ::= any unicode character
/// <choice> ::= "{" <choice-list> "}"
/// <choice-list> ::= <path-list> | <path-list> "," <choice-list>
/// ]]>
/// </summary>
private static bool TryCompilePathList(
ref SectionNameLexer lexer,
StringBuilder sb,
bool parsingChoice,
ArrayBuilder<(int minValue, int maxValue)> numberRangePairs)
{
while (!lexer.IsDone)
{
var tokenKind = lexer.Lex();
switch (tokenKind)
{
case TokenKind.BadToken:
// Parsing failure
return false;
case TokenKind.SimpleCharacter:
// Matches just this character
sb.Append(Regex.Escape(lexer.EatCurrentCharacter().ToString()));
break;
case TokenKind.Question:
// '?' matches any single character
sb.Append('.');
break;
case TokenKind.Star:
// Matches any string of characters except directory separator
// Directory separator is defined in editorconfig spec as '/'
sb.Append("[^/]*");
break;
case TokenKind.StarStar:
// Matches any string of characters
sb.Append(".*");
break;
case TokenKind.OpenCurly:
// Back up token stream. The following helpers all expect a '{'
lexer.Position--;
// This is ambiguous between {num..num} and {item1,item2}
// We need to look ahead to disambiguate. Looking for {num..num}
// is easier because it can't be recursive.
(string numStart, string numEnd)? rangeOpt = TryParseNumberRange(ref lexer);
if (rangeOpt is null)
{
// Not a number range. Try a choice expression
if (!TryCompileChoice(ref lexer, sb, numberRangePairs))
{
return false;
}
// Keep looping. There may be more after the '}'.
break;
}
else
{
(string numStart, string numEnd) = rangeOpt.GetValueOrDefault();
if (int.TryParse(numStart, out var intStart) && int.TryParse(numEnd, out var intEnd))
{
var pair = intStart < intEnd ? (intStart, intEnd) : (intEnd, intStart);
numberRangePairs.Add(pair);
// Group allowing any digit sequence. The validity will be checked outside of the regex
sb.Append("(-?[0-9]+)");
// Keep looping
break;
}
return false;
}
case TokenKind.CloseCurly:
// Either the end of a choice, or a failed parse
return parsingChoice;
case TokenKind.Comma:
// The end of a choice section, or a failed parse
return parsingChoice;
case TokenKind.OpenBracket:
sb.Append('[');
if (!TryCompileCharacterClass(ref lexer, sb))
{
return false;
}
break;
default:
throw ExceptionUtilities.UnexpectedValue(tokenKind);
}
}
// If we're parsing a choice we should not exit without a closing '}'
return !parsingChoice;
}
/// <summary>
/// Compile a globbing character class of the form [...]. Returns true if
/// the character class was successfully compiled. False if there was a syntax
/// error. The starting character is expected to be directly after the '['.
/// </summary>
private static bool TryCompileCharacterClass(ref SectionNameLexer lexer, StringBuilder sb)
{
// [...] should match any of the characters in the brackets, with special
// behavior for four characters: '!' immediately after the opening bracket
// implies the negation of the character class, '-' implies matching
// between the locale-dependent range of the previous and next characters,
// '\' escapes the following character, and ']' ends the range
if (!lexer.IsDone && lexer.CurrentCharacter == '!')
{
sb.Append('^');
lexer.Position++;
}
while (!lexer.IsDone)
{
var currentChar = lexer.EatCurrentCharacter();
switch (currentChar)
{
case '-':
// '-' means the same thing in regex as it does in the glob, so
// put it in verbatim
sb.Append(currentChar);
break;
case '\\':
// Escape the next char
if (lexer.IsDone)
{
return false;
}
sb.Append('\\');
sb.Append(lexer.EatCurrentCharacter());
break;
case ']':
sb.Append(currentChar);
return true;
default:
sb.Append(Regex.Escape(currentChar.ToString()));
break;
}
}
// Stream ended without a closing bracket
return false;
}
/// <summary>
/// Parses choice defined by the following grammar:
/// <![CDATA[
/// <choice> ::= "{" <choice-list> "}"
/// <choice-list> ::= <path-list> | <path-list> "," <choice-list>
/// ]]>
/// </summary>
private static bool TryCompileChoice(
ref SectionNameLexer lexer,
StringBuilder sb,
ArrayBuilder<(int, int)> numberRangePairs)
{
if (lexer.Lex() != TokenKind.OpenCurly)
{
return false;
}
// Start a non-capturing group for the choice
sb.Append("(?:");
// We start immediately after a '{'
// Try to compile the nested <path-list>
while (TryCompilePathList(ref lexer, sb, parsingChoice: true, numberRangePairs))
{
// If we've successfully compiled a <path-list> the last token should
// have been a ',' or a '}'
char lastChar = lexer[lexer.Position - 1];
if (lastChar == ',')
{
// Another option
sb.Append("|");
}
else if (lastChar == '}')
{
// Close out the capture group
sb.Append(")");
return true;
}
else
{
throw ExceptionUtilities.UnexpectedValue(lastChar);
}
}
// Propagate failure
return false;
}
/// <summary>
/// Parses range defined by the following grammar.
/// <![CDATA[
/// <range> ::= "{" <integer> ".." <integer> "}"
/// <integer> ::= "-" <digit-list> | <digit-list>
/// <digit-list> ::= <digit> | <digit> <digit-list>
/// <digit> ::= 0-9
/// ]]>
/// </summary>
private static (string numStart, string numEnd)? TryParseNumberRange(ref SectionNameLexer lexer)
{
var saved = lexer.Position;
if (lexer.Lex() != TokenKind.OpenCurly)
{
lexer.Position = saved;
return null;
}
var numStart = lexer.TryLexNumber();
if (numStart is null)
{
// Not a number
lexer.Position = saved;
return null;
}
// The next two characters must be ".."
if (!lexer.TryEatCurrentCharacter(out char c) || c != '.' ||
!lexer.TryEatCurrentCharacter(out c) || c != '.')
{
lexer.Position = saved;
return null;
}
// Now another number
var numEnd = lexer.TryLexNumber();
if (numEnd is null || lexer.IsDone || lexer.Lex() != TokenKind.CloseCurly)
{
// Not a number or no '}'
lexer.Position = saved;
return null;
}
return (numStart, numEnd);
}
private struct SectionNameLexer
{
private readonly string _sectionName;
public int Position { get; set; }
public SectionNameLexer(string sectionName)
{
_sectionName = sectionName;
Position = 0;
}
public bool IsDone => Position >= _sectionName.Length;
public TokenKind Lex()
{
int lexemeStart = Position;
switch (_sectionName[Position])
{
case '*':
{
int nextPos = Position + 1;
if (nextPos < _sectionName.Length &&
_sectionName[nextPos] == '*')
{
Position += 2;
return TokenKind.StarStar;
}
else
{
Position++;
return TokenKind.Star;
}
}
case '?':
Position++;
return TokenKind.Question;
case '{':
Position++;
return TokenKind.OpenCurly;
case ',':
Position++;
return TokenKind.Comma;
case '}':
Position++;
return TokenKind.CloseCurly;
case '[':
Position++;
return TokenKind.OpenBracket;
case '\\':
{
// Backslash escapes the next character
Position++;
if (IsDone)
{
return TokenKind.BadToken;
}
return TokenKind.SimpleCharacter;
}
default:
// Don't increment position, since caller needs to fetch the character
return TokenKind.SimpleCharacter;
}
}
public char CurrentCharacter => _sectionName[Position];
/// <summary>
/// Call after getting <see cref="TokenKind.SimpleCharacter" /> from <see cref="Lex()" />
/// </summary>
public char EatCurrentCharacter() => _sectionName[Position++];
/// <summary>
/// Returns false if there are no more characters in the lex stream.
/// Otherwise, produces the next character in the stream and returns true.
/// </summary>
public bool TryEatCurrentCharacter(out char nextChar)
{
if (IsDone)
{
nextChar = default;
return false;
}
else
{
nextChar = EatCurrentCharacter();
return true;
}
}
public char this[int position] => _sectionName[position];
/// <summary>
/// Returns the string representation of a decimal integer, or null if
/// the current lexeme is not an integer.
/// </summary>
public string? TryLexNumber()
{
bool start = true;
var sb = new StringBuilder();
while (!IsDone)
{
char currentChar = CurrentCharacter;
if (start && currentChar == '-')
{
Position++;
sb.Append('-');
}
else if (char.IsDigit(currentChar))
{
Position++;
sb.Append(currentChar);
}
else
{
break;
}
start = false;
}
var str = sb.ToString();
return str.Length == 0 || str == "-"
? null
: str;
}
}
private enum TokenKind
{
BadToken,
SimpleCharacter,
Star,
StarStar,
Question,
OpenCurly,
CloseCurly,
Comma,
DoubleDot,
OpenBracket,
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Core/Portable/Workspace/Solution/ProjectState_Checksum.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.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.ErrorReporting;
using Microsoft.CodeAnalysis.Internal.Log;
using Microsoft.CodeAnalysis.Serialization;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
internal partial class ProjectState
{
public bool TryGetStateChecksums(out ProjectStateChecksums stateChecksums)
=> _lazyChecksums.TryGetValue(out stateChecksums);
public Task<ProjectStateChecksums> GetStateChecksumsAsync(CancellationToken cancellationToken)
=> _lazyChecksums.GetValueAsync(cancellationToken);
public async Task<Checksum> GetChecksumAsync(CancellationToken cancellationToken)
{
var collection = await _lazyChecksums.GetValueAsync(cancellationToken).ConfigureAwait(false);
return collection.Checksum;
}
public Checksum GetParseOptionsChecksum()
=> GetParseOptionsChecksum(_solutionServices.Workspace.Services.GetService<ISerializerService>());
private Checksum GetParseOptionsChecksum(ISerializerService serializer)
=> this.SupportsCompilation
? ChecksumCache.GetOrCreate(this.ParseOptions, _ => serializer.CreateParseOptionsChecksum(this.ParseOptions))
: Checksum.Null;
private async Task<ProjectStateChecksums> ComputeChecksumsAsync(CancellationToken cancellationToken)
{
try
{
using (Logger.LogBlock(FunctionId.ProjectState_ComputeChecksumsAsync, FilePath, cancellationToken))
{
var documentChecksumsTasks = DocumentStates.SelectAsArray(static (state, token) => state.GetChecksumAsync(token), cancellationToken);
var additionalDocumentChecksumTasks = AdditionalDocumentStates.SelectAsArray(static (state, token) => state.GetChecksumAsync(token), cancellationToken);
var analyzerConfigDocumentChecksumTasks = AnalyzerConfigDocumentStates.SelectAsArray(static (state, token) => state.GetChecksumAsync(token), cancellationToken);
var serializer = _solutionServices.Workspace.Services.GetService<ISerializerService>();
var infoChecksum = serializer.CreateChecksum(ProjectInfo.Attributes, cancellationToken);
// these compiler objects doesn't have good place to cache checksum. but rarely ever get changed.
var compilationOptionsChecksum = SupportsCompilation ? ChecksumCache.GetOrCreate(CompilationOptions, _ => serializer.CreateChecksum(CompilationOptions, cancellationToken)) : Checksum.Null;
cancellationToken.ThrowIfCancellationRequested();
var parseOptionsChecksum = GetParseOptionsChecksum(serializer);
var projectReferenceChecksums = ChecksumCache.GetOrCreate<ChecksumCollection>(ProjectReferences, _ => new ChecksumCollection(ProjectReferences.Select(r => serializer.CreateChecksum(r, cancellationToken)).ToArray()));
var metadataReferenceChecksums = ChecksumCache.GetOrCreate<ChecksumCollection>(MetadataReferences, _ => new ChecksumCollection(MetadataReferences.Select(r => serializer.CreateChecksum(r, cancellationToken)).ToArray()));
var analyzerReferenceChecksums = ChecksumCache.GetOrCreate<ChecksumCollection>(AnalyzerReferences, _ => new ChecksumCollection(AnalyzerReferences.Select(r => serializer.CreateChecksum(r, cancellationToken)).ToArray()));
var documentChecksums = await Task.WhenAll(documentChecksumsTasks).ConfigureAwait(false);
var additionalChecksums = await Task.WhenAll(additionalDocumentChecksumTasks).ConfigureAwait(false);
var analyzerConfigDocumentChecksums = await Task.WhenAll(analyzerConfigDocumentChecksumTasks).ConfigureAwait(false);
return new ProjectStateChecksums(
infoChecksum,
compilationOptionsChecksum,
parseOptionsChecksum,
documentChecksums: new ChecksumCollection(documentChecksums),
projectReferenceChecksums,
metadataReferenceChecksums,
analyzerReferenceChecksums,
additionalDocumentChecksums: new ChecksumCollection(additionalChecksums),
analyzerConfigDocumentChecksumCollection: new ChecksumCollection(analyzerConfigDocumentChecksums));
}
}
catch (Exception e) when (FatalError.ReportAndPropagateUnlessCanceled(e, cancellationToken))
{
throw ExceptionUtilities.Unreachable;
}
}
}
}
| // 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.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.ErrorReporting;
using Microsoft.CodeAnalysis.Internal.Log;
using Microsoft.CodeAnalysis.Serialization;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis
{
internal partial class ProjectState
{
public bool TryGetStateChecksums(out ProjectStateChecksums stateChecksums)
=> _lazyChecksums.TryGetValue(out stateChecksums);
public Task<ProjectStateChecksums> GetStateChecksumsAsync(CancellationToken cancellationToken)
=> _lazyChecksums.GetValueAsync(cancellationToken);
public async Task<Checksum> GetChecksumAsync(CancellationToken cancellationToken)
{
var collection = await _lazyChecksums.GetValueAsync(cancellationToken).ConfigureAwait(false);
return collection.Checksum;
}
public Checksum GetParseOptionsChecksum()
=> GetParseOptionsChecksum(_solutionServices.Workspace.Services.GetService<ISerializerService>());
private Checksum GetParseOptionsChecksum(ISerializerService serializer)
=> this.SupportsCompilation
? ChecksumCache.GetOrCreate(this.ParseOptions, _ => serializer.CreateParseOptionsChecksum(this.ParseOptions))
: Checksum.Null;
private async Task<ProjectStateChecksums> ComputeChecksumsAsync(CancellationToken cancellationToken)
{
try
{
using (Logger.LogBlock(FunctionId.ProjectState_ComputeChecksumsAsync, FilePath, cancellationToken))
{
var documentChecksumsTasks = DocumentStates.SelectAsArray(static (state, token) => state.GetChecksumAsync(token), cancellationToken);
var additionalDocumentChecksumTasks = AdditionalDocumentStates.SelectAsArray(static (state, token) => state.GetChecksumAsync(token), cancellationToken);
var analyzerConfigDocumentChecksumTasks = AnalyzerConfigDocumentStates.SelectAsArray(static (state, token) => state.GetChecksumAsync(token), cancellationToken);
var serializer = _solutionServices.Workspace.Services.GetService<ISerializerService>();
var infoChecksum = serializer.CreateChecksum(ProjectInfo.Attributes, cancellationToken);
// these compiler objects doesn't have good place to cache checksum. but rarely ever get changed.
var compilationOptionsChecksum = SupportsCompilation ? ChecksumCache.GetOrCreate(CompilationOptions, _ => serializer.CreateChecksum(CompilationOptions, cancellationToken)) : Checksum.Null;
cancellationToken.ThrowIfCancellationRequested();
var parseOptionsChecksum = GetParseOptionsChecksum(serializer);
var projectReferenceChecksums = ChecksumCache.GetOrCreate<ChecksumCollection>(ProjectReferences, _ => new ChecksumCollection(ProjectReferences.Select(r => serializer.CreateChecksum(r, cancellationToken)).ToArray()));
var metadataReferenceChecksums = ChecksumCache.GetOrCreate<ChecksumCollection>(MetadataReferences, _ => new ChecksumCollection(MetadataReferences.Select(r => serializer.CreateChecksum(r, cancellationToken)).ToArray()));
var analyzerReferenceChecksums = ChecksumCache.GetOrCreate<ChecksumCollection>(AnalyzerReferences, _ => new ChecksumCollection(AnalyzerReferences.Select(r => serializer.CreateChecksum(r, cancellationToken)).ToArray()));
var documentChecksums = await Task.WhenAll(documentChecksumsTasks).ConfigureAwait(false);
var additionalChecksums = await Task.WhenAll(additionalDocumentChecksumTasks).ConfigureAwait(false);
var analyzerConfigDocumentChecksums = await Task.WhenAll(analyzerConfigDocumentChecksumTasks).ConfigureAwait(false);
return new ProjectStateChecksums(
infoChecksum,
compilationOptionsChecksum,
parseOptionsChecksum,
documentChecksums: new ChecksumCollection(documentChecksums),
projectReferenceChecksums,
metadataReferenceChecksums,
analyzerReferenceChecksums,
additionalDocumentChecksums: new ChecksumCollection(additionalChecksums),
analyzerConfigDocumentChecksumCollection: new ChecksumCollection(analyzerConfigDocumentChecksums));
}
}
catch (Exception e) when (FatalError.ReportAndPropagateUnlessCanceled(e, cancellationToken))
{
throw ExceptionUtilities.Unreachable;
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/Portable/DiagnosticAnalyzer/AnalysisState.SyntaxReferenceAnalyzerStateData.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.Diagnostics;
using Microsoft.CodeAnalysis.Operations;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.Diagnostics
{
internal partial class AnalysisState
{
/// <summary>
/// Stores the partial analysis state for a specific symbol declaration for a specific analyzer.
/// </summary>
internal sealed class DeclarationAnalyzerStateData : SyntaxNodeAnalyzerStateData
{
/// <summary>
/// Partial analysis state for code block actions executed on the declaration.
/// </summary>
public CodeBlockAnalyzerStateData CodeBlockAnalysisState { get; }
/// <summary>
/// Partial analysis state for operation block actions executed on the declaration.
/// </summary>
public OperationBlockAnalyzerStateData OperationBlockAnalysisState { get; }
public static new readonly DeclarationAnalyzerStateData FullyProcessedInstance = CreateFullyProcessedInstance();
public DeclarationAnalyzerStateData()
{
CodeBlockAnalysisState = new CodeBlockAnalyzerStateData();
OperationBlockAnalysisState = new OperationBlockAnalyzerStateData();
}
private static DeclarationAnalyzerStateData CreateFullyProcessedInstance()
{
var instance = new DeclarationAnalyzerStateData();
instance.SetStateKind(StateKind.FullyProcessed);
return instance;
}
public override void SetStateKind(StateKind stateKind)
{
CodeBlockAnalysisState.SetStateKind(stateKind);
OperationBlockAnalysisState.SetStateKind(stateKind);
base.SetStateKind(stateKind);
}
public override void Free()
{
base.Free();
CodeBlockAnalysisState.Free();
OperationBlockAnalysisState.Free();
}
}
/// <summary>
/// Stores the partial analysis state for syntax node actions executed on the declaration.
/// </summary>
internal class SyntaxNodeAnalyzerStateData : AnalyzerStateData
{
public HashSet<SyntaxNode> ProcessedNodes { get; }
public SyntaxNode CurrentNode { get; set; }
public SyntaxNodeAnalyzerStateData()
{
CurrentNode = null;
ProcessedNodes = new HashSet<SyntaxNode>();
}
public void ClearNodeAnalysisState()
{
CurrentNode = null;
ProcessedActions.Clear();
}
public override void Free()
{
base.Free();
CurrentNode = null;
ProcessedNodes.Clear();
}
}
/// <summary>
/// Stores the partial analysis state for operation actions executed on the declaration.
/// </summary>
internal class OperationAnalyzerStateData : AnalyzerStateData
{
public HashSet<IOperation> ProcessedOperations { get; }
public IOperation CurrentOperation { get; set; }
public OperationAnalyzerStateData()
{
CurrentOperation = null;
ProcessedOperations = new HashSet<IOperation>();
}
public void ClearNodeAnalysisState()
{
CurrentOperation = null;
ProcessedActions.Clear();
}
public override void Free()
{
base.Free();
CurrentOperation = null;
ProcessedOperations.Clear();
}
}
/// <summary>
/// Stores the partial analysis state for code block actions or operation block actions executed on the declaration.
/// </summary>
internal abstract class BlockAnalyzerStateData<TBlockAction, TNodeStateData> : AnalyzerStateData
where TBlockAction : AnalyzerAction
where TNodeStateData : AnalyzerStateData, new()
{
public TNodeStateData ExecutableNodesAnalysisState { get; }
public ImmutableHashSet<TBlockAction> CurrentBlockEndActions { get; set; }
public ImmutableHashSet<AnalyzerAction> CurrentBlockNodeActions { get; set; }
public BlockAnalyzerStateData()
{
ExecutableNodesAnalysisState = new TNodeStateData();
CurrentBlockEndActions = null;
CurrentBlockNodeActions = null;
}
public override void SetStateKind(StateKind stateKind)
{
ExecutableNodesAnalysisState.SetStateKind(stateKind);
base.SetStateKind(stateKind);
}
public override void Free()
{
base.Free();
ExecutableNodesAnalysisState.Free();
CurrentBlockEndActions = null;
CurrentBlockNodeActions = null;
}
}
/// <summary>
/// Stores the partial analysis state for code block actions executed on the declaration.
/// </summary>
internal sealed class CodeBlockAnalyzerStateData : BlockAnalyzerStateData<CodeBlockAnalyzerAction, SyntaxNodeAnalyzerStateData>
{
}
/// <summary>
/// Stores the partial analysis state for operation block actions executed on the declaration.
/// </summary>
internal sealed class OperationBlockAnalyzerStateData : BlockAnalyzerStateData<OperationBlockAnalyzerAction, OperationAnalyzerStateData>
{
}
}
}
| // 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.Diagnostics;
using Microsoft.CodeAnalysis.Operations;
using Roslyn.Utilities;
namespace Microsoft.CodeAnalysis.Diagnostics
{
internal partial class AnalysisState
{
/// <summary>
/// Stores the partial analysis state for a specific symbol declaration for a specific analyzer.
/// </summary>
internal sealed class DeclarationAnalyzerStateData : SyntaxNodeAnalyzerStateData
{
/// <summary>
/// Partial analysis state for code block actions executed on the declaration.
/// </summary>
public CodeBlockAnalyzerStateData CodeBlockAnalysisState { get; }
/// <summary>
/// Partial analysis state for operation block actions executed on the declaration.
/// </summary>
public OperationBlockAnalyzerStateData OperationBlockAnalysisState { get; }
public static new readonly DeclarationAnalyzerStateData FullyProcessedInstance = CreateFullyProcessedInstance();
public DeclarationAnalyzerStateData()
{
CodeBlockAnalysisState = new CodeBlockAnalyzerStateData();
OperationBlockAnalysisState = new OperationBlockAnalyzerStateData();
}
private static DeclarationAnalyzerStateData CreateFullyProcessedInstance()
{
var instance = new DeclarationAnalyzerStateData();
instance.SetStateKind(StateKind.FullyProcessed);
return instance;
}
public override void SetStateKind(StateKind stateKind)
{
CodeBlockAnalysisState.SetStateKind(stateKind);
OperationBlockAnalysisState.SetStateKind(stateKind);
base.SetStateKind(stateKind);
}
public override void Free()
{
base.Free();
CodeBlockAnalysisState.Free();
OperationBlockAnalysisState.Free();
}
}
/// <summary>
/// Stores the partial analysis state for syntax node actions executed on the declaration.
/// </summary>
internal class SyntaxNodeAnalyzerStateData : AnalyzerStateData
{
public HashSet<SyntaxNode> ProcessedNodes { get; }
public SyntaxNode CurrentNode { get; set; }
public SyntaxNodeAnalyzerStateData()
{
CurrentNode = null;
ProcessedNodes = new HashSet<SyntaxNode>();
}
public void ClearNodeAnalysisState()
{
CurrentNode = null;
ProcessedActions.Clear();
}
public override void Free()
{
base.Free();
CurrentNode = null;
ProcessedNodes.Clear();
}
}
/// <summary>
/// Stores the partial analysis state for operation actions executed on the declaration.
/// </summary>
internal class OperationAnalyzerStateData : AnalyzerStateData
{
public HashSet<IOperation> ProcessedOperations { get; }
public IOperation CurrentOperation { get; set; }
public OperationAnalyzerStateData()
{
CurrentOperation = null;
ProcessedOperations = new HashSet<IOperation>();
}
public void ClearNodeAnalysisState()
{
CurrentOperation = null;
ProcessedActions.Clear();
}
public override void Free()
{
base.Free();
CurrentOperation = null;
ProcessedOperations.Clear();
}
}
/// <summary>
/// Stores the partial analysis state for code block actions or operation block actions executed on the declaration.
/// </summary>
internal abstract class BlockAnalyzerStateData<TBlockAction, TNodeStateData> : AnalyzerStateData
where TBlockAction : AnalyzerAction
where TNodeStateData : AnalyzerStateData, new()
{
public TNodeStateData ExecutableNodesAnalysisState { get; }
public ImmutableHashSet<TBlockAction> CurrentBlockEndActions { get; set; }
public ImmutableHashSet<AnalyzerAction> CurrentBlockNodeActions { get; set; }
public BlockAnalyzerStateData()
{
ExecutableNodesAnalysisState = new TNodeStateData();
CurrentBlockEndActions = null;
CurrentBlockNodeActions = null;
}
public override void SetStateKind(StateKind stateKind)
{
ExecutableNodesAnalysisState.SetStateKind(stateKind);
base.SetStateKind(stateKind);
}
public override void Free()
{
base.Free();
ExecutableNodesAnalysisState.Free();
CurrentBlockEndActions = null;
CurrentBlockNodeActions = null;
}
}
/// <summary>
/// Stores the partial analysis state for code block actions executed on the declaration.
/// </summary>
internal sealed class CodeBlockAnalyzerStateData : BlockAnalyzerStateData<CodeBlockAnalyzerAction, SyntaxNodeAnalyzerStateData>
{
}
/// <summary>
/// Stores the partial analysis state for operation block actions executed on the declaration.
/// </summary>
internal sealed class OperationBlockAnalyzerStateData : BlockAnalyzerStateData<OperationBlockAnalyzerAction, OperationAnalyzerStateData>
{
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/IntegrationTest/IntegrationTests/CSharp/CSharpAddMissingReference.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 System.Xml.Linq;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.Test.Utilities;
using Microsoft.VisualStudio.IntegrationTest.Utilities;
using Roslyn.Test.Utilities;
using Xunit;
using Xunit.Abstractions;
using ProjectUtils = Microsoft.VisualStudio.IntegrationTest.Utilities.Common.ProjectUtils;
namespace Roslyn.VisualStudio.IntegrationTests.CSharp
{
[Collection(nameof(SharedIntegrationHostFixture))]
public class CSharpAddMissingReference : AbstractEditorTest
{
private const string FileInLibraryProject1 = @"Public Class Class1
Inherits System.Windows.Forms.Form
Public Sub goo()
End Sub
End Class
Public Class class2
Public Sub goo(ByVal x As System.Windows.Forms.Form)
End Sub
Public Event ee As System.Windows.Forms.ColumnClickEventHandler
End Class
Public Class class3
Implements System.Windows.Forms.IButtonControl
Public Property DialogResult() As System.Windows.Forms.DialogResult Implements System.Windows.Forms.IButtonControl.DialogResult
Get
End Get
Set(ByVal Value As System.Windows.Forms.DialogResult)
End Set
End Property
Public Sub NotifyDefault(ByVal value As Boolean) Implements System.Windows.Forms.IButtonControl.NotifyDefault
End Sub
Public Sub PerformClick() Implements System.Windows.Forms.IButtonControl.PerformClick
End Sub
End Class
";
private const string FileInLibraryProject2 = @"Public Class Class1
Inherits System.Xml.XmlAttribute
Sub New()
MyBase.New(Nothing, Nothing, Nothing, Nothing)
End Sub
Sub goo()
End Sub
Public bar As ClassLibrary3.Class1
End Class
";
private const string FileInLibraryProject3 = @"Public Class Class1
Public Enum E
E1
E2
End Enum
Public Function Goo() As ADODB.Recordset
Dim x As ADODB.Recordset = Nothing
Return x
End Function
End Class
";
private const string FileInConsoleProject1 = @"
class Program
{
static void Main(string[] args)
{
var y = new ClassLibrary1.class2();
y.goo(null);
y.ee += (_, __) => { };
var x = new ClassLibrary1.Class1();
ClassLibrary1.class3 z = null;
var a = new ClassLibrary2.Class1();
var d = a.bar;
}
}
";
private const string ClassLibrary1Name = "ClassLibrary1";
private const string ClassLibrary2Name = "ClassLibrary2";
private const string ClassLibrary3Name = "ClassLibrary3";
private const string ConsoleProjectName = "ConsoleApplication1";
protected override string LanguageName => LanguageNames.CSharp;
public CSharpAddMissingReference(VisualStudioInstanceFactory instanceFactory)
: base(instanceFactory)
{
}
public override async Task InitializeAsync()
{
await base.InitializeAsync().ConfigureAwait(true);
VisualStudio.SolutionExplorer.CreateSolution("ReferenceErrors", solutionElement: XElement.Parse(
"<Solution>" +
$" <Project ProjectName=\"{ClassLibrary1Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.WinFormsApplication}\" Language=\"{LanguageNames.VisualBasic}\">" +
" <Document FileName=\"Class1.vb\"><![CDATA[" +
FileInLibraryProject1 +
"]]>" +
" </Document>" +
" </Project>" +
$" <Project ProjectName=\"{ClassLibrary2Name}\" ProjectReferences=\"{ClassLibrary3Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.ClassLibrary}\" Language=\"{LanguageNames.VisualBasic}\">" +
" <Document FileName=\"Class1.vb\"><![CDATA[" +
FileInLibraryProject2 +
"]]>" +
" </Document>" +
" </Project>" +
$" <Project ProjectName=\"{ClassLibrary3Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.ClassLibrary}\" Language=\"{LanguageNames.VisualBasic}\">" +
" <Document FileName=\"Class1.vb\"><![CDATA[" +
FileInLibraryProject3 +
"]]>" +
" </Document>" +
" </Project>" +
$" <Project ProjectName=\"{ConsoleProjectName}\" ProjectReferences=\"{ClassLibrary1Name};{ClassLibrary2Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.ConsoleApplication}\" Language=\"{LanguageNames.CSharp}\">" +
" <Document FileName=\"Program.cs\"><![CDATA[" +
FileInConsoleProject1 +
"]]>" +
" </Document>" +
" </Project>" +
"</Solution>"));
}
[WpfFact, Trait(Traits.Feature, Traits.Features.AddMissingReference)]
public void VerifyAvailableCodeActions()
{
var consoleProject = new ProjectUtils.Project(ConsoleProjectName);
VisualStudio.SolutionExplorer.OpenFile(consoleProject, "Program.cs");
VisualStudio.Editor.PlaceCaret("y.goo", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add reference to 'System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'.", applyFix: false);
VisualStudio.Editor.PlaceCaret("y.ee", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add reference to 'System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'.", applyFix: false);
VisualStudio.Editor.PlaceCaret("a.bar", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add project reference to 'ClassLibrary3'.", applyFix: false);
}
[WpfFact, Trait(Traits.Feature, Traits.Features.AddMissingReference)]
public void InvokeSomeFixesInCSharpThenVerifyReferences()
{
var consoleProject = new ProjectUtils.Project(ConsoleProjectName);
VisualStudio.SolutionExplorer.OpenFile(consoleProject, "Program.cs");
VisualStudio.Editor.PlaceCaret("y.goo", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add reference to 'System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'.", applyFix: true);
VisualStudio.SolutionExplorer.Verify.AssemblyReferencePresent(
project: consoleProject,
assemblyName: "System.Windows.Forms",
assemblyVersion: "4.0.0.0",
assemblyPublicKeyToken: "b77a5c561934e089");
VisualStudio.Editor.PlaceCaret("a.bar", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add project reference to 'ClassLibrary3'.", applyFix: true);
VisualStudio.SolutionExplorer.Verify.ProjectReferencePresent(
project: consoleProject,
referencedProjectName: ClassLibrary3Name);
}
}
}
| // 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 System.Xml.Linq;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.Test.Utilities;
using Microsoft.VisualStudio.IntegrationTest.Utilities;
using Roslyn.Test.Utilities;
using Xunit;
using Xunit.Abstractions;
using ProjectUtils = Microsoft.VisualStudio.IntegrationTest.Utilities.Common.ProjectUtils;
namespace Roslyn.VisualStudio.IntegrationTests.CSharp
{
[Collection(nameof(SharedIntegrationHostFixture))]
public class CSharpAddMissingReference : AbstractEditorTest
{
private const string FileInLibraryProject1 = @"Public Class Class1
Inherits System.Windows.Forms.Form
Public Sub goo()
End Sub
End Class
Public Class class2
Public Sub goo(ByVal x As System.Windows.Forms.Form)
End Sub
Public Event ee As System.Windows.Forms.ColumnClickEventHandler
End Class
Public Class class3
Implements System.Windows.Forms.IButtonControl
Public Property DialogResult() As System.Windows.Forms.DialogResult Implements System.Windows.Forms.IButtonControl.DialogResult
Get
End Get
Set(ByVal Value As System.Windows.Forms.DialogResult)
End Set
End Property
Public Sub NotifyDefault(ByVal value As Boolean) Implements System.Windows.Forms.IButtonControl.NotifyDefault
End Sub
Public Sub PerformClick() Implements System.Windows.Forms.IButtonControl.PerformClick
End Sub
End Class
";
private const string FileInLibraryProject2 = @"Public Class Class1
Inherits System.Xml.XmlAttribute
Sub New()
MyBase.New(Nothing, Nothing, Nothing, Nothing)
End Sub
Sub goo()
End Sub
Public bar As ClassLibrary3.Class1
End Class
";
private const string FileInLibraryProject3 = @"Public Class Class1
Public Enum E
E1
E2
End Enum
Public Function Goo() As ADODB.Recordset
Dim x As ADODB.Recordset = Nothing
Return x
End Function
End Class
";
private const string FileInConsoleProject1 = @"
class Program
{
static void Main(string[] args)
{
var y = new ClassLibrary1.class2();
y.goo(null);
y.ee += (_, __) => { };
var x = new ClassLibrary1.Class1();
ClassLibrary1.class3 z = null;
var a = new ClassLibrary2.Class1();
var d = a.bar;
}
}
";
private const string ClassLibrary1Name = "ClassLibrary1";
private const string ClassLibrary2Name = "ClassLibrary2";
private const string ClassLibrary3Name = "ClassLibrary3";
private const string ConsoleProjectName = "ConsoleApplication1";
protected override string LanguageName => LanguageNames.CSharp;
public CSharpAddMissingReference(VisualStudioInstanceFactory instanceFactory)
: base(instanceFactory)
{
}
public override async Task InitializeAsync()
{
await base.InitializeAsync().ConfigureAwait(true);
VisualStudio.SolutionExplorer.CreateSolution("ReferenceErrors", solutionElement: XElement.Parse(
"<Solution>" +
$" <Project ProjectName=\"{ClassLibrary1Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.WinFormsApplication}\" Language=\"{LanguageNames.VisualBasic}\">" +
" <Document FileName=\"Class1.vb\"><![CDATA[" +
FileInLibraryProject1 +
"]]>" +
" </Document>" +
" </Project>" +
$" <Project ProjectName=\"{ClassLibrary2Name}\" ProjectReferences=\"{ClassLibrary3Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.ClassLibrary}\" Language=\"{LanguageNames.VisualBasic}\">" +
" <Document FileName=\"Class1.vb\"><![CDATA[" +
FileInLibraryProject2 +
"]]>" +
" </Document>" +
" </Project>" +
$" <Project ProjectName=\"{ClassLibrary3Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.ClassLibrary}\" Language=\"{LanguageNames.VisualBasic}\">" +
" <Document FileName=\"Class1.vb\"><![CDATA[" +
FileInLibraryProject3 +
"]]>" +
" </Document>" +
" </Project>" +
$" <Project ProjectName=\"{ConsoleProjectName}\" ProjectReferences=\"{ClassLibrary1Name};{ClassLibrary2Name}\" ProjectTemplate=\"{WellKnownProjectTemplates.ConsoleApplication}\" Language=\"{LanguageNames.CSharp}\">" +
" <Document FileName=\"Program.cs\"><![CDATA[" +
FileInConsoleProject1 +
"]]>" +
" </Document>" +
" </Project>" +
"</Solution>"));
}
[WpfFact, Trait(Traits.Feature, Traits.Features.AddMissingReference)]
public void VerifyAvailableCodeActions()
{
var consoleProject = new ProjectUtils.Project(ConsoleProjectName);
VisualStudio.SolutionExplorer.OpenFile(consoleProject, "Program.cs");
VisualStudio.Editor.PlaceCaret("y.goo", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add reference to 'System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'.", applyFix: false);
VisualStudio.Editor.PlaceCaret("y.ee", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add reference to 'System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'.", applyFix: false);
VisualStudio.Editor.PlaceCaret("a.bar", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add project reference to 'ClassLibrary3'.", applyFix: false);
}
[WpfFact, Trait(Traits.Feature, Traits.Features.AddMissingReference)]
public void InvokeSomeFixesInCSharpThenVerifyReferences()
{
var consoleProject = new ProjectUtils.Project(ConsoleProjectName);
VisualStudio.SolutionExplorer.OpenFile(consoleProject, "Program.cs");
VisualStudio.Editor.PlaceCaret("y.goo", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add reference to 'System.Windows.Forms, Version=4.0.0.0, Culture=neutral, PublicKeyToken=b77a5c561934e089'.", applyFix: true);
VisualStudio.SolutionExplorer.Verify.AssemblyReferencePresent(
project: consoleProject,
assemblyName: "System.Windows.Forms",
assemblyVersion: "4.0.0.0",
assemblyPublicKeyToken: "b77a5c561934e089");
VisualStudio.Editor.PlaceCaret("a.bar", charsOffset: 1);
VisualStudio.Editor.InvokeCodeActionList();
VisualStudio.Editor.Verify.CodeAction("Add project reference to 'ClassLibrary3'.", applyFix: true);
VisualStudio.SolutionExplorer.Verify.ProjectReferencePresent(
project: consoleProject,
referencedProjectName: ClassLibrary3Name);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/Emit/ExpressionTrees/Sources/UserDefinedBinaryOperators.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.
Public Structure UserDefinedBinaryOperator{2}
Public Shared Operator +(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator -(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator *(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator /(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator \(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Mod(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator ^(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator =(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <>(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator >(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <=(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator >=(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Like(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator &(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator And(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Or(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Xor(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <<(x As UserDefinedBinaryOperator{2}{0}, y As Integer) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator >>(x As UserDefinedBinaryOperator{2}{0}, y As Integer) As UserDefinedBinaryOperator{2}
Return x
End Operator
End Structure
| ' 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.
Public Structure UserDefinedBinaryOperator{2}
Public Shared Operator +(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator -(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator *(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator /(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator \(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Mod(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator ^(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator =(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <>(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator >(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <=(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator >=(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Like(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator &(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator And(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Or(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator Xor(x As UserDefinedBinaryOperator{2}{0}, y As UserDefinedBinaryOperator{2}{1}) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator <<(x As UserDefinedBinaryOperator{2}{0}, y As Integer) As UserDefinedBinaryOperator{2}
Return x
End Operator
Public Shared Operator >>(x As UserDefinedBinaryOperator{2}{0}, y As Integer) As UserDefinedBinaryOperator{2}
Return x
End Operator
End Structure
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/CSharpTest/Structure/SwitchStatementStructureTests.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.CSharp.Structure;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.Structure;
using Microsoft.CodeAnalysis.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.Structure
{
public class SwitchStatementStructureTests : AbstractCSharpSyntaxNodeStructureTests<SwitchStatementSyntax>
{
internal override AbstractSyntaxStructureProvider CreateProvider() => new SwitchStatementStructureProvider();
[Fact, Trait(Traits.Feature, Traits.Features.Outlining)]
public async Task TestSwitchStatement1()
{
const string code = @"
class C
{
void M()
{
{|hint:$$switch (expr){|textspan:
{
}|}|}
}
}";
await VerifyBlockSpansAsync(code,
Region("textspan", "hint", CSharpStructureHelpers.Ellipsis, autoCollapse: 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 System.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.Structure;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.Structure;
using Microsoft.CodeAnalysis.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.CSharp.UnitTests.Structure
{
public class SwitchStatementStructureTests : AbstractCSharpSyntaxNodeStructureTests<SwitchStatementSyntax>
{
internal override AbstractSyntaxStructureProvider CreateProvider() => new SwitchStatementStructureProvider();
[Fact, Trait(Traits.Feature, Traits.Features.Outlining)]
public async Task TestSwitchStatement1()
{
const string code = @"
class C
{
void M()
{
{|hint:$$switch (expr){|textspan:
{
}|}|}
}
}";
await VerifyBlockSpansAsync(code,
Region("textspan", "hint", CSharpStructureHelpers.Ellipsis, autoCollapse: false));
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Remote/ServiceHub/Host/TemporaryWorkspace.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 Microsoft.CodeAnalysis.Host;
using Microsoft.CodeAnalysis.Host.Mef;
using Microsoft.CodeAnalysis.Options;
namespace Microsoft.CodeAnalysis.Remote
{
/// <summary>
/// this lets us have isolated workspace services between solutions such as option services.
///
/// otherwise, mutating service in one service call such as changing options, can affect result of other service call
/// </summary>
internal class TemporaryWorkspace : Workspace
{
public TemporaryWorkspace(HostServices hostServices, string? workspaceKind, SolutionInfo solutionInfo, SerializableOptionSet options)
: base(hostServices, workspaceKind)
{
SetOptions(Options.WithChangedOption(CacheOptions.RecoverableTreeLengthThreshold, 0));
var documentOptionsProviderFactories = ((IMefHostExportProvider)Services.HostServices).GetExports<IDocumentOptionsProviderFactory, OrderableMetadata>();
RegisterDocumentOptionProviders(documentOptionsProviderFactories);
OnSolutionAdded(solutionInfo);
SetCurrentSolution(CurrentSolution.WithOptions(options));
}
}
}
| // 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 Microsoft.CodeAnalysis.Host;
using Microsoft.CodeAnalysis.Host.Mef;
using Microsoft.CodeAnalysis.Options;
namespace Microsoft.CodeAnalysis.Remote
{
/// <summary>
/// this lets us have isolated workspace services between solutions such as option services.
///
/// otherwise, mutating service in one service call such as changing options, can affect result of other service call
/// </summary>
internal class TemporaryWorkspace : Workspace
{
public TemporaryWorkspace(HostServices hostServices, string? workspaceKind, SolutionInfo solutionInfo, SerializableOptionSet options)
: base(hostServices, workspaceKind)
{
SetOptions(Options.WithChangedOption(CacheOptions.RecoverableTreeLengthThreshold, 0));
var documentOptionsProviderFactories = ((IMefHostExportProvider)Services.HostServices).GetExports<IDocumentOptionsProviderFactory, OrderableMetadata>();
RegisterDocumentOptionProviders(documentOptionsProviderFactories);
OnSolutionAdded(solutionInfo);
SetCurrentSolution(CurrentSolution.WithOptions(options));
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/Emit/ExpressionTrees/Tests/TestConversion_TypeMatrix_UserTypes.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
Imports System.Linq.Expressions
Public Class Clazz1
End Class
Public Class Clazz2
Inherits Clazz1
End Class
Public Structure Struct1
End Structure
Public Class TestClass
Public Sub Test()
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree1 As Expression(Of Func(Of Object, Object)) = Function(x As Object) x
Console.WriteLine(exprtree1.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree2 As Expression(Of Func(Of Object, Object)) = Function(x As Object) CType(x, Object)
Console.WriteLine(exprtree2.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree3 As Expression(Of Func(Of Object, Object)) = Function(x As Object) DirectCast(x, Object)
Console.WriteLine(exprtree3.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Object, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree4 As Expression(Of Func(Of Object, Object)) = Function(x As Object) TryCast(x, Object)
Console.WriteLine(exprtree4.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree5 As Expression(Of Func(Of Object, Object)) = Function(x As Object) CObj(x)
Console.WriteLine(exprtree5.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> String -=-=-=-=-=-=-=-=-")
Dim exprtree6 As Expression(Of Func(Of Object, String)) = Function(x As Object) x
Console.WriteLine(exprtree6.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree7 As Expression(Of Func(Of Object, String)) = Function(x As Object) CType(x, String)
Console.WriteLine(exprtree7.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree8 As Expression(Of Func(Of Object, String)) = Function(x As Object) DirectCast(x, String)
Console.WriteLine(exprtree8.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CStr(Object) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree9 As Expression(Of Func(Of Object, String)) = Function(x As Object) CStr(x)
Console.WriteLine(exprtree9.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree10 As Expression(Of Func(Of Object, Struct1)) = Function(x As Object) x
Console.WriteLine(exprtree10.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree11 As Expression(Of Func(Of Object, Struct1)) = Function(x As Object) CType(x, Struct1)
Console.WriteLine(exprtree11.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree12 As Expression(Of Func(Of Object, Struct1)) = Function(x As Object) DirectCast(x, Struct1)
Console.WriteLine(exprtree12.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree13 As Expression(Of Func(Of Object, Struct1?)) = Function(x As Object) x
Console.WriteLine(exprtree13.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree14 As Expression(Of Func(Of Object, Struct1?)) = Function(x As Object) CType(x, Struct1?)
Console.WriteLine(exprtree14.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree15 As Expression(Of Func(Of Object, Struct1?)) = Function(x As Object) DirectCast(x, Struct1?)
Console.WriteLine(exprtree15.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree16 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) x
Console.WriteLine(exprtree16.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree17 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) CType(x, Clazz1)
Console.WriteLine(exprtree17.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree18 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) DirectCast(x, Clazz1)
Console.WriteLine(exprtree18.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Object, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree19 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) TryCast(x, Clazz1)
Console.WriteLine(exprtree19.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree20 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) x
Console.WriteLine(exprtree20.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree21 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) CType(x, Clazz2)
Console.WriteLine(exprtree21.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree22 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) DirectCast(x, Clazz2)
Console.WriteLine(exprtree22.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Object, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree23 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) TryCast(x, Clazz2)
Console.WriteLine(exprtree23.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- String -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree24 As Expression(Of Func(Of String, Object)) = Function(x As String) x
Console.WriteLine(exprtree24.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(String, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree25 As Expression(Of Func(Of String, Object)) = Function(x As String) CType(x, Object)
Console.WriteLine(exprtree25.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(String, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree26 As Expression(Of Func(Of String, Object)) = Function(x As String) DirectCast(x, Object)
Console.WriteLine(exprtree26.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(String, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree27 As Expression(Of Func(Of String, Object)) = Function(x As String) TryCast(x, Object)
Console.WriteLine(exprtree27.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(String) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree28 As Expression(Of Func(Of String, Object)) = Function(x As String) CObj(x)
Console.WriteLine(exprtree28.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- String -> String -=-=-=-=-=-=-=-=-")
Dim exprtree29 As Expression(Of Func(Of String, String)) = Function(x As String) x
Console.WriteLine(exprtree29.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(String, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree30 As Expression(Of Func(Of String, String)) = Function(x As String) CType(x, String)
Console.WriteLine(exprtree30.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(String, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree31 As Expression(Of Func(Of String, String)) = Function(x As String) DirectCast(x, String)
Console.WriteLine(exprtree31.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CStr(String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree32 As Expression(Of Func(Of String, String)) = Function(x As String) CStr(x)
Console.WriteLine(exprtree32.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1 -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree47 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) x
Console.WriteLine(exprtree47.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree48 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) CType(x, Object)
Console.WriteLine(exprtree48.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree49 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) DirectCast(x, Object)
Console.WriteLine(exprtree49.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Struct1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree50 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) TryCast(x, Object)
Console.WriteLine(exprtree50.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Struct1) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree51 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) CObj(x)
Console.WriteLine(exprtree51.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1 -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree56 As Expression(Of Func(Of Struct1, Struct1)) = Function(x As Struct1) x
Console.WriteLine(exprtree56.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree57 As Expression(Of Func(Of Struct1, Struct1)) = Function(x As Struct1) CType(x, Struct1)
Console.WriteLine(exprtree57.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree58 As Expression(Of Func(Of Struct1, Struct1)) = Function(x As Struct1) DirectCast(x, Struct1)
Console.WriteLine(exprtree58.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1 -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree59 As Expression(Of Func(Of Struct1, Struct1?)) = Function(x As Struct1) x
Console.WriteLine(exprtree59.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree60 As Expression(Of Func(Of Struct1, Struct1?)) = Function(x As Struct1) CType(x, Struct1?)
Console.WriteLine(exprtree60.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1? -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree70 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) x
Console.WriteLine(exprtree70.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1?, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree71 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) CType(x, Object)
Console.WriteLine(exprtree71.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1?, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree72 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) DirectCast(x, Object)
Console.WriteLine(exprtree72.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Struct1?, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree73 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) TryCast(x, Object)
Console.WriteLine(exprtree73.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Struct1?) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree74 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) CObj(x)
Console.WriteLine(exprtree74.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1? -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree79 As Expression(Of Func(Of Struct1?, Struct1)) = Function(x As Struct1?) x
Console.WriteLine(exprtree79.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1?, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree80 As Expression(Of Func(Of Struct1?, Struct1)) = Function(x As Struct1?) CType(x, Struct1)
Console.WriteLine(exprtree80.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1? -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree82 As Expression(Of Func(Of Struct1?, Struct1?)) = Function(x As Struct1?) x
Console.WriteLine(exprtree82.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1?, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree83 As Expression(Of Func(Of Struct1?, Struct1?)) = Function(x As Struct1?) CType(x, Struct1?)
Console.WriteLine(exprtree83.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1?, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree84 As Expression(Of Func(Of Struct1?, Struct1?)) = Function(x As Struct1?) DirectCast(x, Struct1?)
Console.WriteLine(exprtree84.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz1 -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree93 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) x
Console.WriteLine(exprtree93.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree94 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) CType(x, Object)
Console.WriteLine(exprtree94.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree95 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) DirectCast(x, Object)
Console.WriteLine(exprtree95.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree96 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) TryCast(x, Object)
Console.WriteLine(exprtree96.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Clazz1) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree97 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) CObj(x)
Console.WriteLine(exprtree97.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz1 -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree108 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) x
Console.WriteLine(exprtree108.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz1, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree109 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) CType(x, Clazz1)
Console.WriteLine(exprtree109.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz1, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree110 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) DirectCast(x, Clazz1)
Console.WriteLine(exprtree110.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz1, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree111 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) TryCast(x, Clazz1)
Console.WriteLine(exprtree111.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz1 -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree112 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) x
Console.WriteLine(exprtree112.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz1, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree113 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) CType(x, Clazz2)
Console.WriteLine(exprtree113.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz1, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree114 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) DirectCast(x, Clazz2)
Console.WriteLine(exprtree114.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz1, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree115 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) TryCast(x, Clazz2)
Console.WriteLine(exprtree115.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz2 -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree116 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) x
Console.WriteLine(exprtree116.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz2, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree117 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) CType(x, Object)
Console.WriteLine(exprtree117.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz2, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree118 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) DirectCast(x, Object)
Console.WriteLine(exprtree118.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz2, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree119 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) TryCast(x, Object)
Console.WriteLine(exprtree119.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Clazz2) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree120 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) CObj(x)
Console.WriteLine(exprtree120.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz2 -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree131 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) x
Console.WriteLine(exprtree131.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz2, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree132 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) CType(x, Clazz1)
Console.WriteLine(exprtree132.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz2, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree133 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) DirectCast(x, Clazz1)
Console.WriteLine(exprtree133.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz2, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree134 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) TryCast(x, Clazz1)
Console.WriteLine(exprtree134.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz2 -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree135 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) x
Console.WriteLine(exprtree135.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz2, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree136 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) CType(x, Clazz2)
Console.WriteLine(exprtree136.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz2, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree137 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) DirectCast(x, Clazz2)
Console.WriteLine(exprtree137.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz2, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree138 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) TryCast(x, Clazz2)
Console.WriteLine(exprtree138.Dump)
End Sub
End Class
Module Form1
Sub Main()
Dim inst As New TestClass()
inst.Test()
End Sub
End Module
| ' 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
Imports System.Linq.Expressions
Public Class Clazz1
End Class
Public Class Clazz2
Inherits Clazz1
End Class
Public Structure Struct1
End Structure
Public Class TestClass
Public Sub Test()
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree1 As Expression(Of Func(Of Object, Object)) = Function(x As Object) x
Console.WriteLine(exprtree1.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree2 As Expression(Of Func(Of Object, Object)) = Function(x As Object) CType(x, Object)
Console.WriteLine(exprtree2.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree3 As Expression(Of Func(Of Object, Object)) = Function(x As Object) DirectCast(x, Object)
Console.WriteLine(exprtree3.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Object, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree4 As Expression(Of Func(Of Object, Object)) = Function(x As Object) TryCast(x, Object)
Console.WriteLine(exprtree4.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree5 As Expression(Of Func(Of Object, Object)) = Function(x As Object) CObj(x)
Console.WriteLine(exprtree5.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> String -=-=-=-=-=-=-=-=-")
Dim exprtree6 As Expression(Of Func(Of Object, String)) = Function(x As Object) x
Console.WriteLine(exprtree6.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree7 As Expression(Of Func(Of Object, String)) = Function(x As Object) CType(x, String)
Console.WriteLine(exprtree7.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree8 As Expression(Of Func(Of Object, String)) = Function(x As Object) DirectCast(x, String)
Console.WriteLine(exprtree8.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CStr(Object) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree9 As Expression(Of Func(Of Object, String)) = Function(x As Object) CStr(x)
Console.WriteLine(exprtree9.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree10 As Expression(Of Func(Of Object, Struct1)) = Function(x As Object) x
Console.WriteLine(exprtree10.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree11 As Expression(Of Func(Of Object, Struct1)) = Function(x As Object) CType(x, Struct1)
Console.WriteLine(exprtree11.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree12 As Expression(Of Func(Of Object, Struct1)) = Function(x As Object) DirectCast(x, Struct1)
Console.WriteLine(exprtree12.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree13 As Expression(Of Func(Of Object, Struct1?)) = Function(x As Object) x
Console.WriteLine(exprtree13.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree14 As Expression(Of Func(Of Object, Struct1?)) = Function(x As Object) CType(x, Struct1?)
Console.WriteLine(exprtree14.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree15 As Expression(Of Func(Of Object, Struct1?)) = Function(x As Object) DirectCast(x, Struct1?)
Console.WriteLine(exprtree15.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree16 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) x
Console.WriteLine(exprtree16.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree17 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) CType(x, Clazz1)
Console.WriteLine(exprtree17.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree18 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) DirectCast(x, Clazz1)
Console.WriteLine(exprtree18.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Object, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree19 As Expression(Of Func(Of Object, Clazz1)) = Function(x As Object) TryCast(x, Clazz1)
Console.WriteLine(exprtree19.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Object -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree20 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) x
Console.WriteLine(exprtree20.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Object, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree21 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) CType(x, Clazz2)
Console.WriteLine(exprtree21.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Object, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree22 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) DirectCast(x, Clazz2)
Console.WriteLine(exprtree22.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Object, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree23 As Expression(Of Func(Of Object, Clazz2)) = Function(x As Object) TryCast(x, Clazz2)
Console.WriteLine(exprtree23.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- String -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree24 As Expression(Of Func(Of String, Object)) = Function(x As String) x
Console.WriteLine(exprtree24.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(String, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree25 As Expression(Of Func(Of String, Object)) = Function(x As String) CType(x, Object)
Console.WriteLine(exprtree25.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(String, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree26 As Expression(Of Func(Of String, Object)) = Function(x As String) DirectCast(x, Object)
Console.WriteLine(exprtree26.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(String, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree27 As Expression(Of Func(Of String, Object)) = Function(x As String) TryCast(x, Object)
Console.WriteLine(exprtree27.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(String) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree28 As Expression(Of Func(Of String, Object)) = Function(x As String) CObj(x)
Console.WriteLine(exprtree28.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- String -> String -=-=-=-=-=-=-=-=-")
Dim exprtree29 As Expression(Of Func(Of String, String)) = Function(x As String) x
Console.WriteLine(exprtree29.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(String, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree30 As Expression(Of Func(Of String, String)) = Function(x As String) CType(x, String)
Console.WriteLine(exprtree30.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(String, String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree31 As Expression(Of Func(Of String, String)) = Function(x As String) DirectCast(x, String)
Console.WriteLine(exprtree31.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CStr(String) -> String -=-=-=-=-=-=-=-=-")
Dim exprtree32 As Expression(Of Func(Of String, String)) = Function(x As String) CStr(x)
Console.WriteLine(exprtree32.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1 -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree47 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) x
Console.WriteLine(exprtree47.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree48 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) CType(x, Object)
Console.WriteLine(exprtree48.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree49 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) DirectCast(x, Object)
Console.WriteLine(exprtree49.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Struct1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree50 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) TryCast(x, Object)
Console.WriteLine(exprtree50.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Struct1) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree51 As Expression(Of Func(Of Struct1, Object)) = Function(x As Struct1) CObj(x)
Console.WriteLine(exprtree51.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1 -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree56 As Expression(Of Func(Of Struct1, Struct1)) = Function(x As Struct1) x
Console.WriteLine(exprtree56.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree57 As Expression(Of Func(Of Struct1, Struct1)) = Function(x As Struct1) CType(x, Struct1)
Console.WriteLine(exprtree57.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree58 As Expression(Of Func(Of Struct1, Struct1)) = Function(x As Struct1) DirectCast(x, Struct1)
Console.WriteLine(exprtree58.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1 -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree59 As Expression(Of Func(Of Struct1, Struct1?)) = Function(x As Struct1) x
Console.WriteLine(exprtree59.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree60 As Expression(Of Func(Of Struct1, Struct1?)) = Function(x As Struct1) CType(x, Struct1?)
Console.WriteLine(exprtree60.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1? -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree70 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) x
Console.WriteLine(exprtree70.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1?, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree71 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) CType(x, Object)
Console.WriteLine(exprtree71.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1?, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree72 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) DirectCast(x, Object)
Console.WriteLine(exprtree72.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Struct1?, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree73 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) TryCast(x, Object)
Console.WriteLine(exprtree73.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Struct1?) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree74 As Expression(Of Func(Of Struct1?, Object)) = Function(x As Struct1?) CObj(x)
Console.WriteLine(exprtree74.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1? -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree79 As Expression(Of Func(Of Struct1?, Struct1)) = Function(x As Struct1?) x
Console.WriteLine(exprtree79.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1?, Struct1) -> Struct1 -=-=-=-=-=-=-=-=-")
Dim exprtree80 As Expression(Of Func(Of Struct1?, Struct1)) = Function(x As Struct1?) CType(x, Struct1)
Console.WriteLine(exprtree80.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Struct1? -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree82 As Expression(Of Func(Of Struct1?, Struct1?)) = Function(x As Struct1?) x
Console.WriteLine(exprtree82.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Struct1?, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree83 As Expression(Of Func(Of Struct1?, Struct1?)) = Function(x As Struct1?) CType(x, Struct1?)
Console.WriteLine(exprtree83.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Struct1?, Struct1?) -> Struct1? -=-=-=-=-=-=-=-=-")
Dim exprtree84 As Expression(Of Func(Of Struct1?, Struct1?)) = Function(x As Struct1?) DirectCast(x, Struct1?)
Console.WriteLine(exprtree84.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz1 -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree93 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) x
Console.WriteLine(exprtree93.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree94 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) CType(x, Object)
Console.WriteLine(exprtree94.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree95 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) DirectCast(x, Object)
Console.WriteLine(exprtree95.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz1, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree96 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) TryCast(x, Object)
Console.WriteLine(exprtree96.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Clazz1) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree97 As Expression(Of Func(Of Clazz1, Object)) = Function(x As Clazz1) CObj(x)
Console.WriteLine(exprtree97.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz1 -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree108 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) x
Console.WriteLine(exprtree108.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz1, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree109 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) CType(x, Clazz1)
Console.WriteLine(exprtree109.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz1, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree110 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) DirectCast(x, Clazz1)
Console.WriteLine(exprtree110.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz1, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree111 As Expression(Of Func(Of Clazz1, Clazz1)) = Function(x As Clazz1) TryCast(x, Clazz1)
Console.WriteLine(exprtree111.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz1 -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree112 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) x
Console.WriteLine(exprtree112.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz1, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree113 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) CType(x, Clazz2)
Console.WriteLine(exprtree113.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz1, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree114 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) DirectCast(x, Clazz2)
Console.WriteLine(exprtree114.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz1, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree115 As Expression(Of Func(Of Clazz1, Clazz2)) = Function(x As Clazz1) TryCast(x, Clazz2)
Console.WriteLine(exprtree115.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz2 -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree116 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) x
Console.WriteLine(exprtree116.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz2, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree117 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) CType(x, Object)
Console.WriteLine(exprtree117.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz2, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree118 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) DirectCast(x, Object)
Console.WriteLine(exprtree118.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz2, Object) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree119 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) TryCast(x, Object)
Console.WriteLine(exprtree119.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CObj(Clazz2) -> Object -=-=-=-=-=-=-=-=-")
Dim exprtree120 As Expression(Of Func(Of Clazz2, Object)) = Function(x As Clazz2) CObj(x)
Console.WriteLine(exprtree120.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz2 -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree131 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) x
Console.WriteLine(exprtree131.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz2, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree132 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) CType(x, Clazz1)
Console.WriteLine(exprtree132.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz2, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree133 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) DirectCast(x, Clazz1)
Console.WriteLine(exprtree133.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz2, Clazz1) -> Clazz1 -=-=-=-=-=-=-=-=-")
Dim exprtree134 As Expression(Of Func(Of Clazz2, Clazz1)) = Function(x As Clazz2) TryCast(x, Clazz1)
Console.WriteLine(exprtree134.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- Clazz2 -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree135 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) x
Console.WriteLine(exprtree135.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- CType(Clazz2, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree136 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) CType(x, Clazz2)
Console.WriteLine(exprtree136.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- DirectCast(Clazz2, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree137 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) DirectCast(x, Clazz2)
Console.WriteLine(exprtree137.Dump)
Console.WriteLine("-=-=-=-=-=-=-=-=- TryCast(Clazz2, Clazz2) -> Clazz2 -=-=-=-=-=-=-=-=-")
Dim exprtree138 As Expression(Of Func(Of Clazz2, Clazz2)) = Function(x As Clazz2) TryCast(x, Clazz2)
Console.WriteLine(exprtree138.Dump)
End Sub
End Class
Module Form1
Sub Main()
Dim inst As New TestClass()
inst.Test()
End Sub
End Module
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/LanguageServices/AnonymousTypeDisplayService/IAnonymousTypeDisplayService.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.Generic;
using System.Collections.Immutable;
using Microsoft.CodeAnalysis.Host;
namespace Microsoft.CodeAnalysis.LanguageServices
{
internal interface IAnonymousTypeDisplayService : ILanguageService
{
AnonymousTypeDisplayInfo GetNormalAnonymousTypeDisplayInfo(
ISymbol orderSymbol,
IEnumerable<INamedTypeSymbol> directNormalAnonymousTypeReferences,
SemanticModel semanticModel,
int position);
ImmutableArray<SymbolDisplayPart> GetAnonymousTypeParts(
INamedTypeSymbol anonymousType,
SemanticModel semanticModel,
int position);
}
}
| // 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.Generic;
using System.Collections.Immutable;
using Microsoft.CodeAnalysis.Host;
namespace Microsoft.CodeAnalysis.LanguageServices
{
internal interface IAnonymousTypeDisplayService : ILanguageService
{
AnonymousTypeDisplayInfo GetNormalAnonymousTypeDisplayInfo(
ISymbol orderSymbol,
IEnumerable<INamedTypeSymbol> directNormalAnonymousTypeReferences,
SemanticModel semanticModel,
int position);
ImmutableArray<SymbolDisplayPart> GetAnonymousTypeParts(
INamedTypeSymbol anonymousType,
SemanticModel semanticModel,
int position);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Portable/Symbols/Retargeting/RetargetingTypeParameterSymbol.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
Imports System.Collections.Generic
Imports System.Collections.Immutable
Imports System.Globalization
Imports System.Threading
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols.Retargeting
''' <summary>
''' Represents a type parameter in a RetargetingModuleSymbol. Essentially this is a wrapper around
''' another TypeParameterSymbol that is responsible for retargeting symbols from one assembly to another.
''' It can retarget symbols for multiple assemblies at the same time.
''' </summary>
Friend NotInheritable Class RetargetingTypeParameterSymbol
Inherits SubstitutableTypeParameterSymbol
''' <summary>
''' Owning RetargetingModuleSymbol.
''' </summary>
Private ReadOnly _retargetingModule As RetargetingModuleSymbol
''' <summary>
''' The underlying TypeParameterSymbol, cannot be another RetargetingTypeParameterSymbol.
''' </summary>
Private ReadOnly _underlyingTypeParameter As TypeParameterSymbol
Public Sub New(retargetingModule As RetargetingModuleSymbol, underlyingTypeParameter As TypeParameterSymbol)
Debug.Assert(retargetingModule IsNot Nothing)
Debug.Assert(underlyingTypeParameter IsNot Nothing)
If TypeOf underlyingTypeParameter Is RetargetingTypeParameterSymbol Then
Throw New ArgumentException()
End If
_retargetingModule = retargetingModule
_underlyingTypeParameter = underlyingTypeParameter
End Sub
Private ReadOnly Property RetargetingTranslator As RetargetingModuleSymbol.RetargetingSymbolTranslator
Get
Return _retargetingModule.RetargetingTranslator
End Get
End Property
Public ReadOnly Property UnderlyingTypeParameter As TypeParameterSymbol
Get
Return _underlyingTypeParameter
End Get
End Property
Public Overrides ReadOnly Property TypeParameterKind As TypeParameterKind
Get
Return _underlyingTypeParameter.TypeParameterKind
End Get
End Property
Public Overrides ReadOnly Property IsImplicitlyDeclared As Boolean
Get
Return _underlyingTypeParameter.IsImplicitlyDeclared
End Get
End Property
Public Overrides ReadOnly Property Ordinal As Integer
Get
Return _underlyingTypeParameter.Ordinal
End Get
End Property
Friend Overrides ReadOnly Property ConstraintTypesNoUseSiteDiagnostics As ImmutableArray(Of TypeSymbol)
Get
Return RetargetingTranslator.Retarget(_underlyingTypeParameter.ConstraintTypesNoUseSiteDiagnostics)
End Get
End Property
Public Overrides ReadOnly Property HasConstructorConstraint As Boolean
Get
Return _underlyingTypeParameter.HasConstructorConstraint
End Get
End Property
Public Overrides ReadOnly Property HasReferenceTypeConstraint As Boolean
Get
Return _underlyingTypeParameter.HasReferenceTypeConstraint
End Get
End Property
Public Overrides ReadOnly Property HasValueTypeConstraint As Boolean
Get
Return _underlyingTypeParameter.HasValueTypeConstraint
End Get
End Property
Public Overrides ReadOnly Property Variance As VarianceKind
Get
Return _underlyingTypeParameter.Variance
End Get
End Property
Public Overrides ReadOnly Property ContainingSymbol As Symbol
Get
Return RetargetingTranslator.Retarget(_underlyingTypeParameter.ContainingSymbol)
End Get
End Property
Public Overrides ReadOnly Property Locations As ImmutableArray(Of Location)
Get
Return _underlyingTypeParameter.Locations
End Get
End Property
Public Overrides ReadOnly Property DeclaringSyntaxReferences As ImmutableArray(Of SyntaxReference)
Get
Return _underlyingTypeParameter.DeclaringSyntaxReferences
End Get
End Property
Public Overrides Function GetAttributes() As ImmutableArray(Of VisualBasicAttributeData)
Return _underlyingTypeParameter.GetAttributes()
End Function
Public Overrides ReadOnly Property ContainingAssembly As AssemblySymbol
Get
Return _retargetingModule.ContainingAssembly
End Get
End Property
Public Overrides ReadOnly Property ContainingModule As ModuleSymbol
Get
Return _retargetingModule
End Get
End Property
Public Overrides ReadOnly Property Name As String
Get
Return _underlyingTypeParameter.Name
End Get
End Property
Public Overrides ReadOnly Property MetadataName As String
Get
Return _underlyingTypeParameter.MetadataName
End Get
End Property
Friend Overrides Sub EnsureAllConstraintsAreResolved()
_underlyingTypeParameter.EnsureAllConstraintsAreResolved()
End Sub
''' <remarks>
''' This is for perf, not for correctness.
''' </remarks>
Friend Overrides ReadOnly Property DeclaringCompilation As VisualBasicCompilation
Get
Return Nothing
End Get
End Property
Public Overrides Function GetDocumentationCommentXml(Optional preferredCulture As CultureInfo = Nothing, Optional expandIncludes As Boolean = False, Optional cancellationToken As CancellationToken = Nothing) As String
Return _underlyingTypeParameter.GetDocumentationCommentXml(preferredCulture, expandIncludes, cancellationToken)
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
Imports System.Collections.Generic
Imports System.Collections.Immutable
Imports System.Globalization
Imports System.Threading
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.VisualBasic.Symbols.Retargeting
''' <summary>
''' Represents a type parameter in a RetargetingModuleSymbol. Essentially this is a wrapper around
''' another TypeParameterSymbol that is responsible for retargeting symbols from one assembly to another.
''' It can retarget symbols for multiple assemblies at the same time.
''' </summary>
Friend NotInheritable Class RetargetingTypeParameterSymbol
Inherits SubstitutableTypeParameterSymbol
''' <summary>
''' Owning RetargetingModuleSymbol.
''' </summary>
Private ReadOnly _retargetingModule As RetargetingModuleSymbol
''' <summary>
''' The underlying TypeParameterSymbol, cannot be another RetargetingTypeParameterSymbol.
''' </summary>
Private ReadOnly _underlyingTypeParameter As TypeParameterSymbol
Public Sub New(retargetingModule As RetargetingModuleSymbol, underlyingTypeParameter As TypeParameterSymbol)
Debug.Assert(retargetingModule IsNot Nothing)
Debug.Assert(underlyingTypeParameter IsNot Nothing)
If TypeOf underlyingTypeParameter Is RetargetingTypeParameterSymbol Then
Throw New ArgumentException()
End If
_retargetingModule = retargetingModule
_underlyingTypeParameter = underlyingTypeParameter
End Sub
Private ReadOnly Property RetargetingTranslator As RetargetingModuleSymbol.RetargetingSymbolTranslator
Get
Return _retargetingModule.RetargetingTranslator
End Get
End Property
Public ReadOnly Property UnderlyingTypeParameter As TypeParameterSymbol
Get
Return _underlyingTypeParameter
End Get
End Property
Public Overrides ReadOnly Property TypeParameterKind As TypeParameterKind
Get
Return _underlyingTypeParameter.TypeParameterKind
End Get
End Property
Public Overrides ReadOnly Property IsImplicitlyDeclared As Boolean
Get
Return _underlyingTypeParameter.IsImplicitlyDeclared
End Get
End Property
Public Overrides ReadOnly Property Ordinal As Integer
Get
Return _underlyingTypeParameter.Ordinal
End Get
End Property
Friend Overrides ReadOnly Property ConstraintTypesNoUseSiteDiagnostics As ImmutableArray(Of TypeSymbol)
Get
Return RetargetingTranslator.Retarget(_underlyingTypeParameter.ConstraintTypesNoUseSiteDiagnostics)
End Get
End Property
Public Overrides ReadOnly Property HasConstructorConstraint As Boolean
Get
Return _underlyingTypeParameter.HasConstructorConstraint
End Get
End Property
Public Overrides ReadOnly Property HasReferenceTypeConstraint As Boolean
Get
Return _underlyingTypeParameter.HasReferenceTypeConstraint
End Get
End Property
Public Overrides ReadOnly Property HasValueTypeConstraint As Boolean
Get
Return _underlyingTypeParameter.HasValueTypeConstraint
End Get
End Property
Public Overrides ReadOnly Property Variance As VarianceKind
Get
Return _underlyingTypeParameter.Variance
End Get
End Property
Public Overrides ReadOnly Property ContainingSymbol As Symbol
Get
Return RetargetingTranslator.Retarget(_underlyingTypeParameter.ContainingSymbol)
End Get
End Property
Public Overrides ReadOnly Property Locations As ImmutableArray(Of Location)
Get
Return _underlyingTypeParameter.Locations
End Get
End Property
Public Overrides ReadOnly Property DeclaringSyntaxReferences As ImmutableArray(Of SyntaxReference)
Get
Return _underlyingTypeParameter.DeclaringSyntaxReferences
End Get
End Property
Public Overrides Function GetAttributes() As ImmutableArray(Of VisualBasicAttributeData)
Return _underlyingTypeParameter.GetAttributes()
End Function
Public Overrides ReadOnly Property ContainingAssembly As AssemblySymbol
Get
Return _retargetingModule.ContainingAssembly
End Get
End Property
Public Overrides ReadOnly Property ContainingModule As ModuleSymbol
Get
Return _retargetingModule
End Get
End Property
Public Overrides ReadOnly Property Name As String
Get
Return _underlyingTypeParameter.Name
End Get
End Property
Public Overrides ReadOnly Property MetadataName As String
Get
Return _underlyingTypeParameter.MetadataName
End Get
End Property
Friend Overrides Sub EnsureAllConstraintsAreResolved()
_underlyingTypeParameter.EnsureAllConstraintsAreResolved()
End Sub
''' <remarks>
''' This is for perf, not for correctness.
''' </remarks>
Friend Overrides ReadOnly Property DeclaringCompilation As VisualBasicCompilation
Get
Return Nothing
End Get
End Property
Public Overrides Function GetDocumentationCommentXml(Optional preferredCulture As CultureInfo = Nothing, Optional expandIncludes As Boolean = False, Optional cancellationToken As CancellationToken = Nothing) As String
Return _underlyingTypeParameter.GetDocumentationCommentXml(preferredCulture, expandIncludes, cancellationToken)
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Analyzers/CSharp/CodeFixes/RemoveUnnecessaryParentheses/CSharpRemoveUnnecessaryParenthesesCodeFixProvider.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.Composition;
using System.Diagnostics.CodeAnalysis;
using System.Threading;
using Microsoft.CodeAnalysis.CodeFixes;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.RemoveUnnecessaryParentheses;
namespace Microsoft.CodeAnalysis.CSharp.RemoveUnnecessaryParentheses
{
[ExportCodeFixProvider(LanguageNames.CSharp, Name = PredefinedCodeFixProviderNames.RemoveUnnecessaryParentheses), Shared]
internal class CSharpRemoveUnnecessaryParenthesesCodeFixProvider :
AbstractRemoveUnnecessaryParenthesesCodeFixProvider<SyntaxNode>
{
[ImportingConstructor]
[SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification = "Used in test code: https://github.com/dotnet/roslyn/issues/42814")]
public CSharpRemoveUnnecessaryParenthesesCodeFixProvider()
{
}
protected override bool CanRemoveParentheses(SyntaxNode current, SemanticModel semanticModel, CancellationToken cancellationToken)
=> current switch
{
ParenthesizedExpressionSyntax p => CSharpRemoveUnnecessaryExpressionParenthesesDiagnosticAnalyzer.CanRemoveParenthesesHelper(p, semanticModel, cancellationToken, out _, out _),
ParenthesizedPatternSyntax p => CSharpRemoveUnnecessaryPatternParenthesesDiagnosticAnalyzer.CanRemoveParenthesesHelper(p, out _, out _),
_ => 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 System.Composition;
using System.Diagnostics.CodeAnalysis;
using System.Threading;
using Microsoft.CodeAnalysis.CodeFixes;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.RemoveUnnecessaryParentheses;
namespace Microsoft.CodeAnalysis.CSharp.RemoveUnnecessaryParentheses
{
[ExportCodeFixProvider(LanguageNames.CSharp, Name = PredefinedCodeFixProviderNames.RemoveUnnecessaryParentheses), Shared]
internal class CSharpRemoveUnnecessaryParenthesesCodeFixProvider :
AbstractRemoveUnnecessaryParenthesesCodeFixProvider<SyntaxNode>
{
[ImportingConstructor]
[SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification = "Used in test code: https://github.com/dotnet/roslyn/issues/42814")]
public CSharpRemoveUnnecessaryParenthesesCodeFixProvider()
{
}
protected override bool CanRemoveParentheses(SyntaxNode current, SemanticModel semanticModel, CancellationToken cancellationToken)
=> current switch
{
ParenthesizedExpressionSyntax p => CSharpRemoveUnnecessaryExpressionParenthesesDiagnosticAnalyzer.CanRemoveParenthesesHelper(p, semanticModel, cancellationToken, out _, out _),
ParenthesizedPatternSyntax p => CSharpRemoveUnnecessaryPatternParenthesesDiagnosticAnalyzer.CanRemoveParenthesesHelper(p, out _, out _),
_ => false,
};
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/Test/SymbolKey/SymbolKeyCrossLanguageTests.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.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.Editor.UnitTests.Workspaces;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.UnitTests.SymbolKeyTests
{
[UseExportProvider]
public class SymbolKeyCrossLanguageTests
{
[Theory]
[InlineData("dynamic")]
[InlineData("int*")]
[InlineData("delegate*<int, void>")]
public async Task TestUnsupportedVBTypes(string parameterType)
{
using var workspace = TestWorkspace.Create(
@$"<Workspace>
<Project Language=""C#"" CommonReferences=""true"" Name=""CSProject"">
<Document>
public class C
{{
public void M({parameterType} d) {{ }}
}}
</Document>
</Project>
<Project Language=""Visual Basic"" CommonReference=""true"">
<ProjectReference>CSProject</ProjectReference>
</Project>
</Workspace>");
var solution = workspace.CurrentSolution;
var csDocument = solution.Projects.Single(p => p.Language == LanguageNames.CSharp).Documents.Single();
var semanticModel = await csDocument.GetRequiredSemanticModelAsync(CancellationToken.None);
var tree = semanticModel.SyntaxTree;
var root = tree.GetRoot();
var method = root.DescendantNodes().OfType<MethodDeclarationSyntax>().Single();
var methodSymbol = semanticModel.GetDeclaredSymbol(method);
var vbProject = solution.Projects.Single(p => p.Language == LanguageNames.VisualBasic);
var vbCompilation = await vbProject.GetRequiredCompilationAsync(CancellationToken.None);
var resolved = SymbolKey.ResolveString(methodSymbol.GetSymbolKey().ToString(), vbCompilation, out var failureReason, CancellationToken.None);
Assert.NotNull(failureReason);
Assert.Null(resolved.GetAnySymbol());
}
}
}
| // 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.Linq;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.Editor.UnitTests.Workspaces;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.Editor.UnitTests.SymbolKeyTests
{
[UseExportProvider]
public class SymbolKeyCrossLanguageTests
{
[Theory]
[InlineData("dynamic")]
[InlineData("int*")]
[InlineData("delegate*<int, void>")]
public async Task TestUnsupportedVBTypes(string parameterType)
{
using var workspace = TestWorkspace.Create(
@$"<Workspace>
<Project Language=""C#"" CommonReferences=""true"" Name=""CSProject"">
<Document>
public class C
{{
public void M({parameterType} d) {{ }}
}}
</Document>
</Project>
<Project Language=""Visual Basic"" CommonReference=""true"">
<ProjectReference>CSProject</ProjectReference>
</Project>
</Workspace>");
var solution = workspace.CurrentSolution;
var csDocument = solution.Projects.Single(p => p.Language == LanguageNames.CSharp).Documents.Single();
var semanticModel = await csDocument.GetRequiredSemanticModelAsync(CancellationToken.None);
var tree = semanticModel.SyntaxTree;
var root = tree.GetRoot();
var method = root.DescendantNodes().OfType<MethodDeclarationSyntax>().Single();
var methodSymbol = semanticModel.GetDeclaredSymbol(method);
var vbProject = solution.Projects.Single(p => p.Language == LanguageNames.VisualBasic);
var vbCompilation = await vbProject.GetRequiredCompilationAsync(CancellationToken.None);
var resolved = SymbolKey.ResolveString(methodSymbol.GetSymbolKey().ToString(), vbCompilation, out var failureReason, CancellationToken.None);
Assert.NotNull(failureReason);
Assert.Null(resolved.GetAnySymbol());
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/Core/Def/EditorConfigSettings/ServiceProviderExtensions.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.Diagnostics.CodeAnalysis;
using Microsoft.VisualStudio.Shell;
namespace Microsoft.VisualStudio.LanguageServices.EditorConfigSettings
{
internal static class ServiceProviderExtensions
{
public static bool TryGetService<TService, TInterface>(this IServiceProvider sp, [NotNullWhen(true)] out TInterface? @interface)
where TInterface : class
{
@interface = sp.GetService<TService, TInterface>(throwOnFailure: false);
return @interface is not null;
}
public static bool TryGetService<TInterface>(this IServiceProvider sp, [NotNullWhen(true)] out TInterface? @interface)
where TInterface : class
{
@interface = sp.GetService<TInterface>();
return @interface is not null;
}
public static TInterface? GetService<TInterface>(this IServiceProvider sp)
where TInterface : class
{
return sp.GetService<TInterface, TInterface>(throwOnFailure: 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.
using System;
using System.Diagnostics.CodeAnalysis;
using Microsoft.VisualStudio.Shell;
namespace Microsoft.VisualStudio.LanguageServices.EditorConfigSettings
{
internal static class ServiceProviderExtensions
{
public static bool TryGetService<TService, TInterface>(this IServiceProvider sp, [NotNullWhen(true)] out TInterface? @interface)
where TInterface : class
{
@interface = sp.GetService<TService, TInterface>(throwOnFailure: false);
return @interface is not null;
}
public static bool TryGetService<TInterface>(this IServiceProvider sp, [NotNullWhen(true)] out TInterface? @interface)
where TInterface : class
{
@interface = sp.GetService<TInterface>();
return @interface is not null;
}
public static TInterface? GetService<TInterface>(this IServiceProvider sp)
where TInterface : class
{
return sp.GetService<TInterface, TInterface>(throwOnFailure: false);
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/Semantic/Compilation/GetSemanticInfoBrokenCodeTests.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.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Roslyn.Test.Utilities
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests
Public Class GetSemanticInfoBrokenCodeTests
Inherits SemanticModelTestBase
<WorkItem(544328, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544328")>
<Fact>
Public Sub Bug12601()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntimeAndReferences(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M()
Dim x As New {
End Sub
End Module
]]></file>
</compilation>, {SystemCoreRef})
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
<WorkItem(544455, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544455")>
<Fact>
Public Sub EmptyDefaultPropertyName()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntimeAndReferences(
<compilation>
<file name="a.vb"><![CDATA[
Class C
Default Property
End Class
Module M
Function F(o As C) As Object
Return o()
End Function
End Module
]]></file>
</compilation>, {SystemCoreRef})
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
<WorkItem(545233, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545233")>
<Fact>
Public Sub Bug13538()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Class C
Sub M()
SyncLock
End Sub
End Class
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
''' <summary>
''' The BoundNode tree will contain a BoundPropertyGroup
''' if property overload resolution fails.
''' </summary>
<Fact>
Public Sub AnalyzePropertyGroup()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntimeAndReferences(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M(c As Char, s As String)
If c <> s(
End Sub
End Module
]]></file>
</compilation>, {SystemCoreRef})
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each node In GetAllExpressions(tree.GetCompilationUnitRoot())
model.AnalyzeDataFlow(node)
Next
End Sub
<WorkItem(545667, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545667")>
<Fact()>
Public Sub Bug14266()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Enum E
A
End Enum
]]></file>
</compilation>)
Dim oldTree = compilation.SyntaxTrees(0)
Dim oldText = oldTree.GetText()
Dim model = compilation.GetSemanticModel(oldTree)
VisitAllDeclarations(model, oldTree.GetCompilationUnitRoot())
' Insert a single character at the beginning.
Dim newText = oldText.Replace(start:=0, length:=0, newText:="B")
Dim newTree = oldTree.WithChangedText(newText)
compilation = compilation.ReplaceSyntaxTree(oldTree, newTree)
model = compilation.GetSemanticModel(newTree)
VisitAllDeclarations(model, newTree.GetCompilationUnitRoot())
End Sub
<WorkItem(546685, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546685")>
<Fact()>
Public Sub Bug16557()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntime(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M(b As Boolean)
If b Then
End If
End Sub
End Module
]]></file>
</compilation>)
compilation.AssertNoDiagnostics()
' Change "End Module" to "End module".
Dim oldTree = compilation.SyntaxTrees(0)
Dim oldText = oldTree.GetText()
Dim position = oldText.ToString().LastIndexOf("Module", StringComparison.Ordinal)
Dim newText = oldText.Replace(start:=position, length:=1, newText:="m")
Dim newTree = oldTree.WithChangedText(newText)
compilation = compilation.ReplaceSyntaxTree(oldTree, newTree)
compilation.AssertNoDiagnostics()
End Sub
<Fact()>
Public Sub ExpressionInStructuredTrivia()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
#If e=True
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each expr In GetAllExpressions(tree.GetCompilationUnitRoot())
model.GetTypeInfo(expr)
Next
End Sub
''' <summary>
''' Me references are not valid within a Module.
''' </summary>
<WorkItem(546570, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546570")>
<Fact()>
Public Sub AnalyzeForEachMeInModule()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M()
For Each Me
Next
End Sub
End Module
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each node In GetAllStatements(tree.GetCompilationUnitRoot())
model.AnalyzeDataFlow(node)
Next
End Sub
<WorkItem(546914, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546914")>
<Fact()>
Public Sub Bug17230_If()
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
If True Then
Dim x = Sub() If False : ElseIf
End If
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
If True Then
Dim x = Sub() If False : Else
End If
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() If False
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() If False Then
End Sub
End Module
]]></file>
</compilation>))
End Sub
<WorkItem(546914, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546914")>
<Fact()>
Public Sub Bug17230_Other()
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() With False : End With
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() SyncLock False : End SyncLock
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() Select Case False : End Select
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() While False : End While
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() Do While False : Loop
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() For b = True To False : Next
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() For Each b in { False } : Next
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() Using False : End Using
End Sub
End Module
]]></file>
</compilation>))
End Sub
<WorkItem(571062, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/571062")>
<Fact()>
Public Sub Bug571062()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntime(
<compilation>
<file name="a.vb"><![CDATA[
Class A
End Clas 'Class is intentionally misspelled here
Namespace N
Class B
Sub M(Optional o = Nothing)
End Sub
ReadOnly Property P(Optional o = Nothing)
Get
Return Nothing
End Get
End Property
Event E(Optional o = Nothing)
Private F = Function(Optional o = Nothing) Nothing
Delegate Sub D(Optional o = Nothing)
End Class
End Namespace
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
<WorkItem(578141, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/578141")>
<Fact()>
Public Sub IsImplicitlyDeclared()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Dim F
MustOverride Property P
MustOverride Sub M()
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
Dim type = compilation.GlobalNamespace.GetMember(Of NamedTypeSymbol)(TypeSymbol.ImplicitTypeName)
Assert.True(type.IsImplicitlyDeclared)
Dim member As Symbol
member = type.GetMember(Of FieldSymbol)("F")
Assert.False(member.IsImplicitlyDeclared)
member = type.GetMember(Of PropertySymbol)("P")
Assert.False(member.IsImplicitlyDeclared)
member = type.GetMember(Of MethodSymbol)("M")
Assert.False(member.IsImplicitlyDeclared)
End Sub
<WorkItem(578141, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/578141")>
<ConditionalFact(GetType(NoUsedAssembliesValidation))> ' https://github.com/dotnet/roslyn/issues/40682: The test hook is blocked by this issue.
<WorkItem(40682, "https://github.com/dotnet/roslyn/issues/40682")>
Public Sub MustOverrideMember()
' MustOverride method in script class.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40({VisualBasicSyntaxTree.ParseText(<![CDATA[
MustOverride Sub M()
]]>.Value,
options:=TestOptions.Script)}))
' MustOverride method in invalid class.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
MClass C
MustOverride Sub M()
End Class
]]></file>
</compilation>))
' MustOverride property in script class.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
MClass C
MustOverride Property P
End Class
]]></file>
</compilation>))
' MustOverride constructor.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
MustInherit Class C
MustOverride Sub New()
End Class
]]></file>
</compilation>))
' MustOverride method in class not MustInherit
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Class C
MustOverride Sub M()
End Class
]]></file>
</compilation>))
End Sub
Private Sub MustOverrideMemberCore(compilation As VisualBasicCompilation)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
End Sub
<WorkItem(611707, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/611707")>
<Fact()>
Public Sub UnexpectedVarianceKeyword()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Interface(Await
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
End Sub
<WorkItem(611707, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/611707")>
<Fact()>
Public Sub UnexpectedVarianceKeyword_2()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Delegate Sub D(Of From
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
End Sub
<WorkItem(762034, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/762034")>
<Fact()>
Public Sub Bug762034()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Dim t = !Str
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each expr In GetAllExpressions(tree.GetCompilationUnitRoot())
Dim symbolInfo = model.GetSymbolInfo(expr)
Assert.NotNull(symbolInfo)
model.AnalyzeDataFlow(expr)
Next
End Sub
Private Sub AnalyzeExpressionDataFlow(compilation As VisualBasicCompilation)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each expr In GetAllExpressions(tree.GetCompilationUnitRoot())
model.AnalyzeDataFlow(expr)
Next
End Sub
Private Sub VisitAllExpressions(model As SemanticModel, node As VisualBasicSyntaxNode)
For Each expr In GetAllExpressions(node)
Dim symbolInfo = model.GetSymbolInfo(expr)
Assert.NotNull(symbolInfo)
Dim typeInfo = model.GetTypeInfo(expr)
Assert.NotNull(typeInfo)
Next
End Sub
Private Sub VisitAllDeclarations(model As SemanticModel, node As VisualBasicSyntaxNode)
For Each node In node.DescendantNodesAndSelf()
model.GetDeclaredSymbol(node)
Next
End Sub
Private Shared Function GetAllExpressions(node As VisualBasicSyntaxNode) As IEnumerable(Of ExpressionSyntax)
Return node.DescendantNodesAndSelf(descendIntoTrivia:=True).OfType(Of ExpressionSyntax)()
End Function
Private Shared Function GetAllStatements(node As VisualBasicSyntaxNode) As IEnumerable(Of ExecutableStatementSyntax)
Return node.DescendantNodesAndSelf().OfType(Of ExecutableStatementSyntax)()
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.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Symbols
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Imports Roslyn.Test.Utilities
Namespace Microsoft.CodeAnalysis.VisualBasic.UnitTests
Public Class GetSemanticInfoBrokenCodeTests
Inherits SemanticModelTestBase
<WorkItem(544328, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544328")>
<Fact>
Public Sub Bug12601()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntimeAndReferences(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M()
Dim x As New {
End Sub
End Module
]]></file>
</compilation>, {SystemCoreRef})
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
<WorkItem(544455, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544455")>
<Fact>
Public Sub EmptyDefaultPropertyName()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntimeAndReferences(
<compilation>
<file name="a.vb"><![CDATA[
Class C
Default Property
End Class
Module M
Function F(o As C) As Object
Return o()
End Function
End Module
]]></file>
</compilation>, {SystemCoreRef})
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
<WorkItem(545233, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545233")>
<Fact>
Public Sub Bug13538()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Class C
Sub M()
SyncLock
End Sub
End Class
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
''' <summary>
''' The BoundNode tree will contain a BoundPropertyGroup
''' if property overload resolution fails.
''' </summary>
<Fact>
Public Sub AnalyzePropertyGroup()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntimeAndReferences(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M(c As Char, s As String)
If c <> s(
End Sub
End Module
]]></file>
</compilation>, {SystemCoreRef})
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each node In GetAllExpressions(tree.GetCompilationUnitRoot())
model.AnalyzeDataFlow(node)
Next
End Sub
<WorkItem(545667, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545667")>
<Fact()>
Public Sub Bug14266()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Enum E
A
End Enum
]]></file>
</compilation>)
Dim oldTree = compilation.SyntaxTrees(0)
Dim oldText = oldTree.GetText()
Dim model = compilation.GetSemanticModel(oldTree)
VisitAllDeclarations(model, oldTree.GetCompilationUnitRoot())
' Insert a single character at the beginning.
Dim newText = oldText.Replace(start:=0, length:=0, newText:="B")
Dim newTree = oldTree.WithChangedText(newText)
compilation = compilation.ReplaceSyntaxTree(oldTree, newTree)
model = compilation.GetSemanticModel(newTree)
VisitAllDeclarations(model, newTree.GetCompilationUnitRoot())
End Sub
<WorkItem(546685, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546685")>
<Fact()>
Public Sub Bug16557()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntime(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M(b As Boolean)
If b Then
End If
End Sub
End Module
]]></file>
</compilation>)
compilation.AssertNoDiagnostics()
' Change "End Module" to "End module".
Dim oldTree = compilation.SyntaxTrees(0)
Dim oldText = oldTree.GetText()
Dim position = oldText.ToString().LastIndexOf("Module", StringComparison.Ordinal)
Dim newText = oldText.Replace(start:=position, length:=1, newText:="m")
Dim newTree = oldTree.WithChangedText(newText)
compilation = compilation.ReplaceSyntaxTree(oldTree, newTree)
compilation.AssertNoDiagnostics()
End Sub
<Fact()>
Public Sub ExpressionInStructuredTrivia()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
#If e=True
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each expr In GetAllExpressions(tree.GetCompilationUnitRoot())
model.GetTypeInfo(expr)
Next
End Sub
''' <summary>
''' Me references are not valid within a Module.
''' </summary>
<WorkItem(546570, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546570")>
<Fact()>
Public Sub AnalyzeForEachMeInModule()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module M
Sub M()
For Each Me
Next
End Sub
End Module
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each node In GetAllStatements(tree.GetCompilationUnitRoot())
model.AnalyzeDataFlow(node)
Next
End Sub
<WorkItem(546914, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546914")>
<Fact()>
Public Sub Bug17230_If()
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
If True Then
Dim x = Sub() If False : ElseIf
End If
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
If True Then
Dim x = Sub() If False : Else
End If
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() If False
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() If False Then
End Sub
End Module
]]></file>
</compilation>))
End Sub
<WorkItem(546914, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546914")>
<Fact()>
Public Sub Bug17230_Other()
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() With False : End With
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() SyncLock False : End SyncLock
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() Select Case False : End Select
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() While False : End While
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() Do While False : Loop
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() For b = True To False : Next
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() For Each b in { False } : Next
End Sub
End Module
]]></file>
</compilation>))
AnalyzeExpressionDataFlow(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Module Program
Sub Main()
Dim x = Sub() Using False : End Using
End Sub
End Module
]]></file>
</compilation>))
End Sub
<WorkItem(571062, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/571062")>
<Fact()>
Public Sub Bug571062()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40AndVBRuntime(
<compilation>
<file name="a.vb"><![CDATA[
Class A
End Clas 'Class is intentionally misspelled here
Namespace N
Class B
Sub M(Optional o = Nothing)
End Sub
ReadOnly Property P(Optional o = Nothing)
Get
Return Nothing
End Get
End Property
Event E(Optional o = Nothing)
Private F = Function(Optional o = Nothing) Nothing
Delegate Sub D(Optional o = Nothing)
End Class
End Namespace
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
VisitAllExpressions(model, tree.GetCompilationUnitRoot())
End Sub
<WorkItem(578141, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/578141")>
<Fact()>
Public Sub IsImplicitlyDeclared()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Dim F
MustOverride Property P
MustOverride Sub M()
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
Dim type = compilation.GlobalNamespace.GetMember(Of NamedTypeSymbol)(TypeSymbol.ImplicitTypeName)
Assert.True(type.IsImplicitlyDeclared)
Dim member As Symbol
member = type.GetMember(Of FieldSymbol)("F")
Assert.False(member.IsImplicitlyDeclared)
member = type.GetMember(Of PropertySymbol)("P")
Assert.False(member.IsImplicitlyDeclared)
member = type.GetMember(Of MethodSymbol)("M")
Assert.False(member.IsImplicitlyDeclared)
End Sub
<WorkItem(578141, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/578141")>
<ConditionalFact(GetType(NoUsedAssembliesValidation))> ' https://github.com/dotnet/roslyn/issues/40682: The test hook is blocked by this issue.
<WorkItem(40682, "https://github.com/dotnet/roslyn/issues/40682")>
Public Sub MustOverrideMember()
' MustOverride method in script class.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40({VisualBasicSyntaxTree.ParseText(<![CDATA[
MustOverride Sub M()
]]>.Value,
options:=TestOptions.Script)}))
' MustOverride method in invalid class.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
MClass C
MustOverride Sub M()
End Class
]]></file>
</compilation>))
' MustOverride property in script class.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
MClass C
MustOverride Property P
End Class
]]></file>
</compilation>))
' MustOverride constructor.
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
MustInherit Class C
MustOverride Sub New()
End Class
]]></file>
</compilation>))
' MustOverride method in class not MustInherit
MustOverrideMemberCore(CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Class C
MustOverride Sub M()
End Class
]]></file>
</compilation>))
End Sub
Private Sub MustOverrideMemberCore(compilation As VisualBasicCompilation)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
End Sub
<WorkItem(611707, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/611707")>
<Fact()>
Public Sub UnexpectedVarianceKeyword()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Interface(Await
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
End Sub
<WorkItem(611707, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/611707")>
<Fact()>
Public Sub UnexpectedVarianceKeyword_2()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Delegate Sub D(Of From
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
Dim diagnostics = model.GetDiagnostics().ToArray()
Assert.NotEmpty(diagnostics)
End Sub
<WorkItem(762034, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/762034")>
<Fact()>
Public Sub Bug762034()
Dim compilation = CompilationUtils.CreateCompilationWithMscorlib40(
<compilation>
<file name="a.vb"><![CDATA[
Dim t = !Str
]]></file>
</compilation>)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each expr In GetAllExpressions(tree.GetCompilationUnitRoot())
Dim symbolInfo = model.GetSymbolInfo(expr)
Assert.NotNull(symbolInfo)
model.AnalyzeDataFlow(expr)
Next
End Sub
Private Sub AnalyzeExpressionDataFlow(compilation As VisualBasicCompilation)
Dim tree = compilation.SyntaxTrees(0)
Dim model = compilation.GetSemanticModel(tree)
For Each expr In GetAllExpressions(tree.GetCompilationUnitRoot())
model.AnalyzeDataFlow(expr)
Next
End Sub
Private Sub VisitAllExpressions(model As SemanticModel, node As VisualBasicSyntaxNode)
For Each expr In GetAllExpressions(node)
Dim symbolInfo = model.GetSymbolInfo(expr)
Assert.NotNull(symbolInfo)
Dim typeInfo = model.GetTypeInfo(expr)
Assert.NotNull(typeInfo)
Next
End Sub
Private Sub VisitAllDeclarations(model As SemanticModel, node As VisualBasicSyntaxNode)
For Each node In node.DescendantNodesAndSelf()
model.GetDeclaredSymbol(node)
Next
End Sub
Private Shared Function GetAllExpressions(node As VisualBasicSyntaxNode) As IEnumerable(Of ExpressionSyntax)
Return node.DescendantNodesAndSelf(descendIntoTrivia:=True).OfType(Of ExpressionSyntax)()
End Function
Private Shared Function GetAllStatements(node As VisualBasicSyntaxNode) As IEnumerable(Of ExecutableStatementSyntax)
Return node.DescendantNodesAndSelf().OfType(Of ExecutableStatementSyntax)()
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/Core/InheritanceMargin/AbstractInheritanceMarginService.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.Generic;
using System.Collections.Immutable;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.PooledObjects;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.SymbolMapping;
using Microsoft.CodeAnalysis.Text;
using static Microsoft.CodeAnalysis.InheritanceMargin.InheritanceMarginServiceHelper;
namespace Microsoft.CodeAnalysis.InheritanceMargin
{
internal abstract class AbstractInheritanceMarginService : IInheritanceMarginService
{
/// <summary>
/// Given the syntax nodes to search,
/// get all the method, event, property and type declaration syntax nodes.
/// </summary>
protected abstract ImmutableArray<SyntaxNode> GetMembers(IEnumerable<SyntaxNode> nodesToSearch);
/// <summary>
/// Get the token that represents declaration node.
/// e.g. Identifier for method/property/event and this keyword for indexer.
/// </summary>
protected abstract SyntaxToken GetDeclarationToken(SyntaxNode declarationNode);
public async ValueTask<ImmutableArray<InheritanceMarginItem>> GetInheritanceMemberItemsAsync(
Document document,
TextSpan spanToSearch,
CancellationToken cancellationToken)
{
var root = await document.GetRequiredSyntaxRootAsync(cancellationToken).ConfigureAwait(false);
var allDeclarationNodes = GetMembers(root.DescendantNodes(spanToSearch));
if (allDeclarationNodes.IsEmpty)
{
return ImmutableArray<InheritanceMarginItem>.Empty;
}
var sourceText = await document.GetTextAsync(cancellationToken).ConfigureAwait(false);
var semanticModel = await document.GetRequiredSemanticModelAsync(cancellationToken).ConfigureAwait(false);
var mappingService = document.Project.Solution.Workspace.Services.GetRequiredService<ISymbolMappingService>();
using var _ = ArrayBuilder<(SymbolKey symbolKey, int lineNumber)>.GetInstance(out var builder);
Project? project = null;
foreach (var memberDeclarationNode in allDeclarationNodes)
{
var member = semanticModel.GetDeclaredSymbol(memberDeclarationNode, cancellationToken);
if (member == null || !CanHaveInheritanceTarget(member))
{
continue;
}
// Use mapping service to find correct solution & symbol. (e.g. metadata symbol)
var mappingResult = await mappingService.MapSymbolAsync(document, member, cancellationToken).ConfigureAwait(false);
if (mappingResult == null)
{
continue;
}
// All the symbols here are declared in the same document, they should belong to the same project.
// So here it is enough to get the project once.
project ??= mappingResult.Project;
builder.Add((mappingResult.Symbol.GetSymbolKey(cancellationToken), sourceText.Lines.GetLineFromPosition(GetDeclarationToken(memberDeclarationNode).SpanStart).LineNumber));
}
var symbolKeyAndLineNumbers = builder.ToImmutable();
if (symbolKeyAndLineNumbers.IsEmpty || project == null)
{
return ImmutableArray<InheritanceMarginItem>.Empty;
}
var solution = project.Solution;
var serializedInheritanceMarginItems = await GetInheritanceMemberItemAsync(
solution,
project.Id,
symbolKeyAndLineNumbers,
cancellationToken).ConfigureAwait(false);
return await serializedInheritanceMarginItems.SelectAsArrayAsync(
(serializedItem, _) => InheritanceMarginItem.ConvertAsync(solution, serializedItem, cancellationToken), cancellationToken).ConfigureAwait(false);
}
private static bool CanHaveInheritanceTarget(ISymbol symbol)
{
if (symbol is INamedTypeSymbol namedType)
{
return !symbol.IsStatic && namedType.TypeKind is TypeKind.Interface or TypeKind.Class or TypeKind.Struct;
}
if (symbol is IEventSymbol or IPropertySymbol
or IMethodSymbol
{
MethodKind: MethodKind.Ordinary or MethodKind.ExplicitInterfaceImplementation or MethodKind.UserDefinedOperator or MethodKind.Conversion
})
{
return true;
}
return 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.
using System.Collections.Generic;
using System.Collections.Immutable;
using System.Threading;
using System.Threading.Tasks;
using Microsoft.CodeAnalysis.PooledObjects;
using Microsoft.CodeAnalysis.Shared.Extensions;
using Microsoft.CodeAnalysis.SymbolMapping;
using Microsoft.CodeAnalysis.Text;
using static Microsoft.CodeAnalysis.InheritanceMargin.InheritanceMarginServiceHelper;
namespace Microsoft.CodeAnalysis.InheritanceMargin
{
internal abstract class AbstractInheritanceMarginService : IInheritanceMarginService
{
/// <summary>
/// Given the syntax nodes to search,
/// get all the method, event, property and type declaration syntax nodes.
/// </summary>
protected abstract ImmutableArray<SyntaxNode> GetMembers(IEnumerable<SyntaxNode> nodesToSearch);
/// <summary>
/// Get the token that represents declaration node.
/// e.g. Identifier for method/property/event and this keyword for indexer.
/// </summary>
protected abstract SyntaxToken GetDeclarationToken(SyntaxNode declarationNode);
public async ValueTask<ImmutableArray<InheritanceMarginItem>> GetInheritanceMemberItemsAsync(
Document document,
TextSpan spanToSearch,
CancellationToken cancellationToken)
{
var root = await document.GetRequiredSyntaxRootAsync(cancellationToken).ConfigureAwait(false);
var allDeclarationNodes = GetMembers(root.DescendantNodes(spanToSearch));
if (allDeclarationNodes.IsEmpty)
{
return ImmutableArray<InheritanceMarginItem>.Empty;
}
var sourceText = await document.GetTextAsync(cancellationToken).ConfigureAwait(false);
var semanticModel = await document.GetRequiredSemanticModelAsync(cancellationToken).ConfigureAwait(false);
var mappingService = document.Project.Solution.Workspace.Services.GetRequiredService<ISymbolMappingService>();
using var _ = ArrayBuilder<(SymbolKey symbolKey, int lineNumber)>.GetInstance(out var builder);
Project? project = null;
foreach (var memberDeclarationNode in allDeclarationNodes)
{
var member = semanticModel.GetDeclaredSymbol(memberDeclarationNode, cancellationToken);
if (member == null || !CanHaveInheritanceTarget(member))
{
continue;
}
// Use mapping service to find correct solution & symbol. (e.g. metadata symbol)
var mappingResult = await mappingService.MapSymbolAsync(document, member, cancellationToken).ConfigureAwait(false);
if (mappingResult == null)
{
continue;
}
// All the symbols here are declared in the same document, they should belong to the same project.
// So here it is enough to get the project once.
project ??= mappingResult.Project;
builder.Add((mappingResult.Symbol.GetSymbolKey(cancellationToken), sourceText.Lines.GetLineFromPosition(GetDeclarationToken(memberDeclarationNode).SpanStart).LineNumber));
}
var symbolKeyAndLineNumbers = builder.ToImmutable();
if (symbolKeyAndLineNumbers.IsEmpty || project == null)
{
return ImmutableArray<InheritanceMarginItem>.Empty;
}
var solution = project.Solution;
var serializedInheritanceMarginItems = await GetInheritanceMemberItemAsync(
solution,
project.Id,
symbolKeyAndLineNumbers,
cancellationToken).ConfigureAwait(false);
return await serializedInheritanceMarginItems.SelectAsArrayAsync(
(serializedItem, _) => InheritanceMarginItem.ConvertAsync(solution, serializedItem, cancellationToken), cancellationToken).ConfigureAwait(false);
}
private static bool CanHaveInheritanceTarget(ISymbol symbol)
{
if (symbol is INamedTypeSymbol namedType)
{
return !symbol.IsStatic && namedType.TypeKind is TypeKind.Interface or TypeKind.Class or TypeKind.Struct;
}
if (symbol is IEventSymbol or IPropertySymbol
or IMethodSymbol
{
MethodKind: MethodKind.Ordinary or MethodKind.ExplicitInterfaceImplementation or MethodKind.UserDefinedOperator or MethodKind.Conversion
})
{
return true;
}
return false;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/VisualBasic/AutomaticCompletion/VisualBasicBraceCompletions.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.AutomaticCompletion
Friend Module VisualBasicBraceCompletions
End Module
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.AutomaticCompletion
Friend Module VisualBasicBraceCompletions
End Module
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Core/Portable/Storage/SQLite/Interop/SafeSqliteHandle.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.Runtime.InteropServices;
using Microsoft.CodeAnalysis.Shared.Extensions;
using SQLitePCL;
namespace Microsoft.CodeAnalysis.SQLite.Interop
{
internal sealed class SafeSqliteHandle : SafeHandle
{
private readonly sqlite3? _wrapper;
private readonly SafeHandleLease _lease;
public SafeSqliteHandle(sqlite3? wrapper)
: base(invalidHandleValue: IntPtr.Zero, ownsHandle: true)
{
_wrapper = wrapper;
if (wrapper is not null)
{
_lease = wrapper.Lease();
SetHandle(wrapper.DangerousGetHandle());
}
else
{
_lease = default;
SetHandle(IntPtr.Zero);
}
}
public override bool IsInvalid => handle == IntPtr.Zero;
public sqlite3 DangerousGetWrapper()
=> _wrapper!;
protected override bool ReleaseHandle()
{
using var _ = _wrapper;
_lease.Dispose();
SetHandle(IntPtr.Zero);
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.
using System;
using System.Runtime.InteropServices;
using Microsoft.CodeAnalysis.Shared.Extensions;
using SQLitePCL;
namespace Microsoft.CodeAnalysis.SQLite.Interop
{
internal sealed class SafeSqliteHandle : SafeHandle
{
private readonly sqlite3? _wrapper;
private readonly SafeHandleLease _lease;
public SafeSqliteHandle(sqlite3? wrapper)
: base(invalidHandleValue: IntPtr.Zero, ownsHandle: true)
{
_wrapper = wrapper;
if (wrapper is not null)
{
_lease = wrapper.Lease();
SetHandle(wrapper.DangerousGetHandle());
}
else
{
_lease = default;
SetHandle(IntPtr.Zero);
}
}
public override bool IsInvalid => handle == IntPtr.Zero;
public sqlite3 DangerousGetWrapper()
=> _wrapper!;
protected override bool ReleaseHandle()
{
using var _ = _wrapper;
_lease.Dispose();
SetHandle(IntPtr.Zero);
return true;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Tools/ExternalAccess/FSharp/PublicAPI.Shipped.txt | -1 |
||
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Analyzers/Core/CodeFixes/xlf/CodeFixesResources.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="../CodeFixesResources.resx">
<body>
<trans-unit id="Add_blank_line_after_block">
<source>Add blank line after block</source>
<target state="translated">ブロックの後に空白行を追加する</target>
<note />
</trans-unit>
<trans-unit id="Add_both">
<source>Add both</source>
<target state="translated">両方を追加する</target>
<note />
</trans-unit>
<trans-unit id="Add_default_case">
<source>Add default case</source>
<target state="translated">既定のケースの追加</target>
<note />
</trans-unit>
<trans-unit id="Add_file_header">
<source>Add file header</source>
<target state="translated">ファイル ヘッダーの追加</target>
<note />
</trans-unit>
<trans-unit id="Fix_Name_Violation_colon_0">
<source>Fix Name Violation: {0}</source>
<target state="translated">名前の違反を修正します: {0}</target>
<note />
</trans-unit>
<trans-unit id="Fix_all_occurrences_in">
<source>Fix all occurrences in</source>
<target state="translated">次の場所のすべての出現箇所を修正します</target>
<note />
</trans-unit>
<trans-unit id="Remove_extra_blank_lines">
<source>Remove extra blank lines</source>
<target state="translated">余分な空白行を削除する</target>
<note />
</trans-unit>
<trans-unit id="Remove_redundant_assignment">
<source>Remove redundant assignment</source>
<target state="translated">冗長な代入を削除します</target>
<note />
</trans-unit>
<trans-unit id="Suppress_or_Configure_issues">
<source>Suppress or Configure issues</source>
<target state="translated">問題の抑制または構成</target>
<note />
</trans-unit>
<trans-unit id="Update_suppression_format">
<source>Update suppression format</source>
<target state="translated">抑制の形式の更新</target>
<note />
</trans-unit>
<trans-unit id="Use_discard_underscore">
<source>Use discard '_'</source>
<target state="translated">破棄 '_' を使用</target>
<note />
</trans-unit>
<trans-unit id="Use_discarded_local">
<source>Use discarded local</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="ja" original="../CodeFixesResources.resx">
<body>
<trans-unit id="Add_blank_line_after_block">
<source>Add blank line after block</source>
<target state="translated">ブロックの後に空白行を追加する</target>
<note />
</trans-unit>
<trans-unit id="Add_both">
<source>Add both</source>
<target state="translated">両方を追加する</target>
<note />
</trans-unit>
<trans-unit id="Add_default_case">
<source>Add default case</source>
<target state="translated">既定のケースの追加</target>
<note />
</trans-unit>
<trans-unit id="Add_file_header">
<source>Add file header</source>
<target state="translated">ファイル ヘッダーの追加</target>
<note />
</trans-unit>
<trans-unit id="Fix_Name_Violation_colon_0">
<source>Fix Name Violation: {0}</source>
<target state="translated">名前の違反を修正します: {0}</target>
<note />
</trans-unit>
<trans-unit id="Fix_all_occurrences_in">
<source>Fix all occurrences in</source>
<target state="translated">次の場所のすべての出現箇所を修正します</target>
<note />
</trans-unit>
<trans-unit id="Remove_extra_blank_lines">
<source>Remove extra blank lines</source>
<target state="translated">余分な空白行を削除する</target>
<note />
</trans-unit>
<trans-unit id="Remove_redundant_assignment">
<source>Remove redundant assignment</source>
<target state="translated">冗長な代入を削除します</target>
<note />
</trans-unit>
<trans-unit id="Suppress_or_Configure_issues">
<source>Suppress or Configure issues</source>
<target state="translated">問題の抑制または構成</target>
<note />
</trans-unit>
<trans-unit id="Update_suppression_format">
<source>Update suppression format</source>
<target state="translated">抑制の形式の更新</target>
<note />
</trans-unit>
<trans-unit id="Use_discard_underscore">
<source>Use discard '_'</source>
<target state="translated">破棄 '_' を使用</target>
<note />
</trans-unit>
<trans-unit id="Use_discarded_local">
<source>Use discarded local</source>
<target state="translated">破棄されたローカルを使用します</target>
<note />
</trans-unit>
</body>
</file>
</xliff> | -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Workspaces/Remote/Core/ExternalAccess/UnitTesting/Api/UnitTestingRemoteServiceCallbackDispatcher.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 Microsoft.CodeAnalysis.Remote;
namespace Microsoft.CodeAnalysis.ExternalAccess.UnitTesting.Api
{
internal abstract class UnitTestingRemoteServiceCallbackDispatcher : IRemoteServiceCallbackDispatcher
{
private readonly RemoteServiceCallbackDispatcher _dispatcher = new();
public object GetCallback(UnitTestingRemoteServiceCallbackIdWrapper callbackId)
=> _dispatcher.GetCallback(callbackId.UnderlyingObject);
RemoteServiceCallbackDispatcher.Handle IRemoteServiceCallbackDispatcher.CreateHandle(object? instance)
=> _dispatcher.CreateHandle(instance);
}
}
| // 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 Microsoft.CodeAnalysis.Remote;
namespace Microsoft.CodeAnalysis.ExternalAccess.UnitTesting.Api
{
internal abstract class UnitTestingRemoteServiceCallbackDispatcher : IRemoteServiceCallbackDispatcher
{
private readonly RemoteServiceCallbackDispatcher _dispatcher = new();
public object GetCallback(UnitTestingRemoteServiceCallbackIdWrapper callbackId)
=> _dispatcher.GetCallback(callbackId.UnderlyingObject);
RemoteServiceCallbackDispatcher.Handle IRemoteServiceCallbackDispatcher.CreateHandle(object? instance)
=> _dispatcher.CreateHandle(instance);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Test/Emit/Attributes/AttributeTests_Locations.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.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.CSharp.Test.Utilities;
using Microsoft.CodeAnalysis.Test.Utilities;
using Roslyn.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.UnitTests
{
public class AttributeTests_Locations : CSharpTestBase
{
[Fact]
public void Global1()
{
var source1 = @"
[assembly: A]
[module: A]
";
var source2 = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CreateCompilation(new[] { source1, source2 }).VerifyDiagnostics();
}
[Fact]
public void Global2()
{
var source1 = @"
namespace N
{
[assembly: A]
}
";
var source2 = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CreateCompilation(new[] { source1, source2 }).VerifyDiagnostics(
// (4,6): error CS1730: Assembly and module attributes must precede all other elements defined in a file except using clauses and extern alias declarations
Diagnostic(ErrorCode.ERR_GlobalAttributesNotFirst, "assembly"));
}
[Fact]
public void Global3()
{
var source1 = @"
class X
{
[A]
}
";
var source2 = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CreateCompilation(new[] { source1, source2 }).VerifyDiagnostics(
// (5,1): error CS1519: Unexpected token '}', member declaration expected.
Diagnostic(ErrorCode.ERR_InvalidMemberDecl, "}").WithArguments("}"));
}
[Fact]
public void OnClass()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
class C
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnStruct()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
struct S
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnRecordStruct()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
record struct S
{
}
";
CreateCompilation(source, parseOptions: TestOptions.Regular10).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnRecordClass()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
record class S
{
}
";
CreateCompilation(source, parseOptions: TestOptions.Regular10).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnEnum()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
enum E
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnInterface()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
interface I
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnDelegate()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
delegate void D(int a);
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type, return"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type, return"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type, return"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type, return"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type, return"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type, return"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type, return"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type, return"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type, return"));
}
[Fact]
public void OnMethod()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
void M(int a) { }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, return"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, return"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, return"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, return"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, return"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, return"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, return"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, return"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, return"));
}
[Fact]
public void OnField()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int a;
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "field"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "field"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "field"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "field"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "field"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "field"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "field"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "field"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "field"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "field"),
// (21,9): warning CS0169: The field 'C.a' is never used
Diagnostic(ErrorCode.WRN_UnreferencedField, "a").WithArguments("C.a"));
}
[Fact]
public void OnEnumField()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
enum E
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
x
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "field"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "field"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "field"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "field"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "field"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "field"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "field"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "field"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "field"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "field"));
}
[Fact]
public void OnProperty()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int a { get; set; }
}
";
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "field, property").WithLocation(10, 6),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "field, property").WithLocation(11, 6),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "field, property").WithLocation(12, 6),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "field, property").WithLocation(13, 6),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "field, property").WithLocation(16, 6),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "field, property").WithLocation(17, 6),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "field, property").WithLocation(18, 6),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "field, property").WithLocation(19, 6),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "field, property").WithLocation(20, 6));
}
[Fact]
public void OnPropertyGetter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
int Goo
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
get { return 0; }
set { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (12,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, return"),
// (13,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, return"),
// (14,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, return"),
// (16,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, return"),
// (17,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, return"),
// (18,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, return"),
// (20,10): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, return"),
// (21,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, return"),
// (22,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, return"));
}
[Fact]
public void OnPropertySetter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
int Goo
{
get { return 0; }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
set { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (14,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, param, return"),
// (15,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, param, return"),
// (16,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, param, return"),
// (18,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, param, return"),
// (19,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, param, return"),
// (20,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, param, return"),
// (23,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, param, return"),
// (24,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, param, return"));
}
[Fact]
public void OnFieldEvent()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
event System.Action e;
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, field, event"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, field, event"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, field, event"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, field, event"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "method, field, event"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, field, event"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, field, event"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, field, event"),
// (21,25): warning CS0067: The event 'C.e' is never used
Diagnostic(ErrorCode.WRN_UnreferencedEvent, "e").WithArguments("C.e"));
}
[Fact, WorkItem(543977, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543977")]
public void OnInterfaceFieldEvent()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
interface I
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
event System.Action e;
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, event"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, event"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, event"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, event"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, event"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "method, event"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, event"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, event"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, event"));
}
[Fact]
public void OnCustomEvent()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
event Action E { add { } remove { } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "event"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "event"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "event"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "event"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "event"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "event"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "event"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "event"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "event"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "event"));
}
[Fact]
public void OnEventAdder()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
event Action Goo
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
add { }
remove { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (12,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, param, return"),
// (13,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, param, return"),
// (14,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, param, return"),
// (16,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, param, return"),
// (17,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, param, return"),
// (18,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, param, return"),
// (21,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, param, return"),
// (22,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, param, return"));
}
[Fact]
public void OnEventRemover()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
event Action Goo
{
add { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
remove { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (14,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, param, return"),
// (15,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, param, return"),
// (16,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, param, return"),
// (18,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, param, return"),
// (19,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, param, return"),
// (20,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, param, return"),
// (23,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, param, return"),
// (24,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, param, return"));
}
[Fact]
public void OnTypeParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
<
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
T
>
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "typevar"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "typevar"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "typevar"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "typevar"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "typevar"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "typevar"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "typevar"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "typevar"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "typevar"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "typevar"));
}
[Fact]
public void OnMethodParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
void f(
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int x
) { }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (11,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "param"),
// (12,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "param"),
// (13,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "param"),
// (14,10): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "param"),
// (15,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "param"),
// (16,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "param"),
// (17,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "param"),
// (18,10): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "param"),
// (20,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "param"),
// (21,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "param"));
}
[Fact]
public void OnDelegateParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
delegate void D(
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int x
);
";
CreateCompilation(source).VerifyDiagnostics(
// (9,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "param"),
// (10,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "param"),
// (11,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "param"),
// (12,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "param"),
// (13,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "param"),
// (14,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "param"),
// (15,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "param"),
// (16,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "param"),
// (18,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "param"),
// (19,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "param"));
}
[Fact]
public void OnIndexerParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
int this[
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int x]
{
get { return 0; }
set { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (11,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "param"),
// (12,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "param"),
// (13,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "param"),
// (14,10): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "param"),
// (15,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "param"),
// (16,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "param"),
// (17,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "param"),
// (18,10): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "param"),
// (20,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "param"),
// (21,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "param"));
}
[Fact]
public void UnrecognizedLocations()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[class: A]
[struct: A]
[interface: A]
[delegate: A]
[enum: A]
[add: A]
[remove: A]
[get: A]
[set: A]
class C
{
}";
CreateCompilation(source).VerifyDiagnostics(
// (7,2): warning CS0658: 'class' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "class").WithArguments("class", "type"),
// (8,2): warning CS0658: 'struct' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "struct").WithArguments("struct", "type"),
// (9,2): warning CS0658: 'interface' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "interface").WithArguments("interface", "type"),
// (10,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"),
// (11,2): warning CS0658: 'enum' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "enum").WithArguments("enum", "type"),
// (12,2): warning CS0658: 'add' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "add").WithArguments("add", "type"),
// (13,2): warning CS0658: 'remove' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "remove").WithArguments("remove", "type"),
// (14,2): warning CS0658: 'get' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "get").WithArguments("get", "type"),
// (15,2): warning CS0658: 'set' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "set").WithArguments("set", "type"));
}
[Fact, WorkItem(545555, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545555")]
public void AttributesWithInvalidLocationNotEmitted()
{
var source = @"
using System;
public class goo
{
public static void Main()
{
object[] o = typeof(goo).GetMethod(""Boo"").GetCustomAttributes(typeof(A), false);
Console.WriteLine(""Attribute Count={0}"", o.Length);
}
[goo: A]
[method: A]
public int Boo(int i)
{
return 1;
}
}
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CompileAndVerify(source, expectedOutput: "Attribute Count=1").VerifyDiagnostics(
// (12,6): warning CS0658: 'goo' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "goo").WithArguments("goo", "method, return"));
}
[WorkItem(537613, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537613"), WorkItem(537738, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537738")]
[Fact]
public void CS0246ERR_SingleTypeNameNotFound_VerbatimIdentifierAttributeTarget()
{
CreateCompilation(@"class A { [@return:X] void B() { } }").VerifyDiagnostics(
// (1,20): error CS0246: The type or namespace name 'XAttribute' could not be found (are you missing a using directive or an assembly reference?)
// class A { [@return:X] void B() { } }
Diagnostic(ErrorCode.ERR_SingleTypeNameNotFound, "X").WithArguments("XAttribute").WithLocation(1, 20),
// (1,20): error CS0246: The type or namespace name 'X' could not be found (are you missing a using directive or an assembly reference?)
// class A { [@return:X] void B() { } }
Diagnostic(ErrorCode.ERR_SingleTypeNameNotFound, "X").WithArguments("X").WithLocation(1, 20));
}
[WorkItem(537613, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537613"), WorkItem(537738, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537738")]
[Fact]
public void CS0246ERR_SingleTypeNameNotFound_VerbatimIdentifierAttributeTargetAndAttribute()
{
var source = @"
using System;
class X: Attribute {}
class XAttribute: Attribute {}
class A { [return:X] void M() { } } // Ambiguous
class B { [@return:X] void M() { } } // Ambiguous
class C { [return:@X] void M() { } } // Fine, binds to X
class D { [@return:@X] void M() { } } // Fine, binds to X
";
CreateCompilation(source).VerifyDiagnostics(
// (7,19): error CS1614: 'X' is ambiguous between 'X' and 'XAttribute'; use either '@X' or 'XAttribute'
// class A { [return:X] void M() { } } // Ambiguous
Diagnostic(ErrorCode.ERR_AmbiguousAttribute, "X").WithArguments("X", "X", "XAttribute"),
// (8,20): error CS1614: 'X' is ambiguous between 'X' and 'XAttribute'; use either '@X' or 'XAttribute'
// class B { [@return:X] void M() { } } // Ambiguous
Diagnostic(ErrorCode.ERR_AmbiguousAttribute, "X").WithArguments("X", "X", "XAttribute"));
}
}
}
| // 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.Symbols;
using Microsoft.CodeAnalysis.CSharp.Syntax;
using Microsoft.CodeAnalysis.CSharp.Test.Utilities;
using Microsoft.CodeAnalysis.Test.Utilities;
using Roslyn.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.UnitTests
{
public class AttributeTests_Locations : CSharpTestBase
{
[Fact]
public void Global1()
{
var source1 = @"
[assembly: A]
[module: A]
";
var source2 = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CreateCompilation(new[] { source1, source2 }).VerifyDiagnostics();
}
[Fact]
public void Global2()
{
var source1 = @"
namespace N
{
[assembly: A]
}
";
var source2 = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CreateCompilation(new[] { source1, source2 }).VerifyDiagnostics(
// (4,6): error CS1730: Assembly and module attributes must precede all other elements defined in a file except using clauses and extern alias declarations
Diagnostic(ErrorCode.ERR_GlobalAttributesNotFirst, "assembly"));
}
[Fact]
public void Global3()
{
var source1 = @"
class X
{
[A]
}
";
var source2 = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CreateCompilation(new[] { source1, source2 }).VerifyDiagnostics(
// (5,1): error CS1519: Unexpected token '}', member declaration expected.
Diagnostic(ErrorCode.ERR_InvalidMemberDecl, "}").WithArguments("}"));
}
[Fact]
public void OnClass()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
class C
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnStruct()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
struct S
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnRecordStruct()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
record struct S
{
}
";
CreateCompilation(source, parseOptions: TestOptions.Regular10).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnRecordClass()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
record class S
{
}
";
CreateCompilation(source, parseOptions: TestOptions.Regular10).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnEnum()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
enum E
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnInterface()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
interface I
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type"),
// (15,2): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "type"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"));
}
[Fact]
public void OnDelegate()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
delegate void D(int a);
";
CreateCompilation(source).VerifyDiagnostics(
// (8,2): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "type, return"),
// (9,2): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "type, return"),
// (11,2): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "type, return"),
// (12,2): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "type, return"),
// (13,2): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "type, return"),
// (14,2): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "type, return"),
// (16,2): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "type, return"),
// (17,2): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "type, return"),
// (18,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type, return"));
}
[Fact]
public void OnMethod()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
void M(int a) { }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, return"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, return"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, return"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, return"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, return"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, return"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, return"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, return"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, return"));
}
[Fact]
public void OnField()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int a;
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "field"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "field"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "field"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "field"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "field"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "field"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "field"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "field"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "field"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "field"),
// (21,9): warning CS0169: The field 'C.a' is never used
Diagnostic(ErrorCode.WRN_UnreferencedField, "a").WithArguments("C.a"));
}
[Fact]
public void OnEnumField()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
enum E
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
x
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "field"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "field"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "field"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "field"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "field"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "field"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "field"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "field"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "field"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'field'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "field"));
}
[Fact]
public void OnProperty()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int a { get; set; }
}
";
CreateCompilationWithMscorlib40(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "field, property").WithLocation(10, 6),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "field, property").WithLocation(11, 6),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "field, property").WithLocation(12, 6),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "field, property").WithLocation(13, 6),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "field, property").WithLocation(16, 6),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "field, property").WithLocation(17, 6),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "field, property").WithLocation(18, 6),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "field, property").WithLocation(19, 6),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'field, property'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "field, property").WithLocation(20, 6));
}
[Fact]
public void OnPropertyGetter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
int Goo
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
get { return 0; }
set { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (12,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, return"),
// (13,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, return"),
// (14,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, return"),
// (16,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, return"),
// (17,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, return"),
// (18,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, return"),
// (20,10): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, return"),
// (21,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, return"),
// (22,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, return"));
}
[Fact]
public void OnPropertySetter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
int Goo
{
get { return 0; }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
set { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (14,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, param, return"),
// (15,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, param, return"),
// (16,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, param, return"),
// (18,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, param, return"),
// (19,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, param, return"),
// (20,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, param, return"),
// (23,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, param, return"),
// (24,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, param, return"));
}
[Fact]
public void OnFieldEvent()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
event System.Action e;
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, field, event"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, field, event"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, field, event"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, field, event"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "method, field, event"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, field, event"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, field, event"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, field, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, field, event"),
// (21,25): warning CS0067: The event 'C.e' is never used
Diagnostic(ErrorCode.WRN_UnreferencedEvent, "e").WithArguments("C.e"));
}
[Fact, WorkItem(543977, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/543977")]
public void OnInterfaceFieldEvent()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
interface I
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
event System.Action e;
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, event"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, event"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, event"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, event"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, event"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "method, event"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "method, event"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, event"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, event"));
}
[Fact]
public void OnCustomEvent()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
event Action E { add { } remove { } }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "event"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "event"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "event"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "event"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "event"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "event"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "event"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "event"),
// (19,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "event"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'event'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "event"));
}
[Fact]
public void OnEventAdder()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
event Action Goo
{
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
add { }
remove { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (12,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, param, return"),
// (13,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, param, return"),
// (14,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, param, return"),
// (16,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, param, return"),
// (17,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, param, return"),
// (18,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, param, return"),
// (21,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, param, return"),
// (22,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, param, return"));
}
[Fact]
public void OnEventRemover()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
event Action Goo
{
add { }
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
remove { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (14,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "method, param, return"),
// (15,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "method, param, return"),
// (16,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "method, param, return"),
// (18,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "method, param, return"),
// (19,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "method, param, return"),
// (20,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "method, param, return"),
// (23,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "method, param, return"),
// (24,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, param, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "method, param, return"));
}
[Fact]
public void OnTypeParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
<
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
T
>
{
}
";
CreateCompilation(source).VerifyDiagnostics(
// (10,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "typevar"),
// (11,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "typevar"),
// (12,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "typevar"),
// (13,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "typevar"),
// (14,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "typevar"),
// (15,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "typevar"),
// (16,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "typevar"),
// (17,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "typevar"),
// (18,6): warning CS0657: 'param' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "param").WithArguments("param", "typevar"),
// (20,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'typevar'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "typevar"));
}
[Fact]
public void OnMethodParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
void f(
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int x
) { }
}
";
CreateCompilation(source).VerifyDiagnostics(
// (11,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "param"),
// (12,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "param"),
// (13,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "param"),
// (14,10): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "param"),
// (15,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "param"),
// (16,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "param"),
// (17,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "param"),
// (18,10): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "param"),
// (20,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "param"),
// (21,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "param"));
}
[Fact]
public void OnDelegateParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
delegate void D(
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int x
);
";
CreateCompilation(source).VerifyDiagnostics(
// (9,6): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "param"),
// (10,6): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "param"),
// (11,6): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "param"),
// (12,6): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "param"),
// (13,6): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "param"),
// (14,6): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "param"),
// (15,6): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "param"),
// (16,6): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "param"),
// (18,6): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "param"),
// (19,6): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "param"));
}
[Fact]
public void OnIndexerParameter()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
class C
{
int this[
[A]
[assembly: A]
[module: A]
[type: A]
[method: A]
[field: A]
[property: A]
[event: A]
[return: A]
[param: A]
[typevar: A]
[delegate: A]
int x]
{
get { return 0; }
set { }
}
}
";
CreateCompilation(source).VerifyDiagnostics(
// (11,10): warning CS0657: 'assembly' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "assembly").WithArguments("assembly", "param"),
// (12,10): warning CS0657: 'module' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "module").WithArguments("module", "param"),
// (13,10): warning CS0657: 'type' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "type").WithArguments("type", "param"),
// (14,10): warning CS0657: 'method' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "method").WithArguments("method", "param"),
// (15,10): warning CS0657: 'field' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "field").WithArguments("field", "param"),
// (16,10): warning CS0657: 'property' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "property").WithArguments("property", "param"),
// (17,10): warning CS0657: 'event' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "event").WithArguments("event", "param"),
// (18,10): warning CS0657: 'return' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "return").WithArguments("return", "param"),
// (20,10): warning CS0657: 'typevar' is not a valid attribute location for this declaration. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_AttributeLocationOnBadDeclaration, "typevar").WithArguments("typevar", "param"),
// (21,10): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'param'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "param"));
}
[Fact]
public void UnrecognizedLocations()
{
var source = @"
using System;
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
[class: A]
[struct: A]
[interface: A]
[delegate: A]
[enum: A]
[add: A]
[remove: A]
[get: A]
[set: A]
class C
{
}";
CreateCompilation(source).VerifyDiagnostics(
// (7,2): warning CS0658: 'class' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "class").WithArguments("class", "type"),
// (8,2): warning CS0658: 'struct' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "struct").WithArguments("struct", "type"),
// (9,2): warning CS0658: 'interface' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "interface").WithArguments("interface", "type"),
// (10,2): warning CS0658: 'delegate' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "delegate").WithArguments("delegate", "type"),
// (11,2): warning CS0658: 'enum' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "enum").WithArguments("enum", "type"),
// (12,2): warning CS0658: 'add' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "add").WithArguments("add", "type"),
// (13,2): warning CS0658: 'remove' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "remove").WithArguments("remove", "type"),
// (14,2): warning CS0658: 'get' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "get").WithArguments("get", "type"),
// (15,2): warning CS0658: 'set' is not a recognized attribute location. Valid attribute locations for this declaration are 'type'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "set").WithArguments("set", "type"));
}
[Fact, WorkItem(545555, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545555")]
public void AttributesWithInvalidLocationNotEmitted()
{
var source = @"
using System;
public class goo
{
public static void Main()
{
object[] o = typeof(goo).GetMethod(""Boo"").GetCustomAttributes(typeof(A), false);
Console.WriteLine(""Attribute Count={0}"", o.Length);
}
[goo: A]
[method: A]
public int Boo(int i)
{
return 1;
}
}
[AttributeUsage(AttributeTargets.All, AllowMultiple = true)]
public class A : Attribute { }
";
CompileAndVerify(source, expectedOutput: "Attribute Count=1").VerifyDiagnostics(
// (12,6): warning CS0658: 'goo' is not a recognized attribute location. Valid attribute locations for this declaration are 'method, return'. All attributes in this block will be ignored.
Diagnostic(ErrorCode.WRN_InvalidAttributeLocation, "goo").WithArguments("goo", "method, return"));
}
[WorkItem(537613, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537613"), WorkItem(537738, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537738")]
[Fact]
public void CS0246ERR_SingleTypeNameNotFound_VerbatimIdentifierAttributeTarget()
{
CreateCompilation(@"class A { [@return:X] void B() { } }").VerifyDiagnostics(
// (1,20): error CS0246: The type or namespace name 'XAttribute' could not be found (are you missing a using directive or an assembly reference?)
// class A { [@return:X] void B() { } }
Diagnostic(ErrorCode.ERR_SingleTypeNameNotFound, "X").WithArguments("XAttribute").WithLocation(1, 20),
// (1,20): error CS0246: The type or namespace name 'X' could not be found (are you missing a using directive or an assembly reference?)
// class A { [@return:X] void B() { } }
Diagnostic(ErrorCode.ERR_SingleTypeNameNotFound, "X").WithArguments("X").WithLocation(1, 20));
}
[WorkItem(537613, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537613"), WorkItem(537738, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/537738")]
[Fact]
public void CS0246ERR_SingleTypeNameNotFound_VerbatimIdentifierAttributeTargetAndAttribute()
{
var source = @"
using System;
class X: Attribute {}
class XAttribute: Attribute {}
class A { [return:X] void M() { } } // Ambiguous
class B { [@return:X] void M() { } } // Ambiguous
class C { [return:@X] void M() { } } // Fine, binds to X
class D { [@return:@X] void M() { } } // Fine, binds to X
";
CreateCompilation(source).VerifyDiagnostics(
// (7,19): error CS1614: 'X' is ambiguous between 'X' and 'XAttribute'; use either '@X' or 'XAttribute'
// class A { [return:X] void M() { } } // Ambiguous
Diagnostic(ErrorCode.ERR_AmbiguousAttribute, "X").WithArguments("X", "X", "XAttribute"),
// (8,20): error CS1614: 'X' is ambiguous between 'X' and 'XAttribute'; use either '@X' or 'XAttribute'
// class B { [@return:X] void M() { } } // Ambiguous
Diagnostic(ErrorCode.ERR_AmbiguousAttribute, "X").WithArguments("X", "X", "XAttribute"));
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/ExtractMethod/SelectionValidator.NullSelectionResult.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;
namespace Microsoft.CodeAnalysis.ExtractMethod
{
internal partial class SelectionValidator
{
// null object
protected class NullSelectionResult : SelectionResult
{
public NullSelectionResult()
: this(OperationStatus.FailedWithUnknownReason)
{
}
protected NullSelectionResult(OperationStatus status)
: base(status)
{
}
protected override bool UnderAnonymousOrLocalMethod(SyntaxToken token, SyntaxToken firstToken, SyntaxToken lastToken)
=> throw new InvalidOperationException();
public override bool ContainingScopeHasAsyncKeyword()
=> throw new InvalidOperationException();
public override SyntaxNode GetContainingScope()
=> throw new InvalidOperationException();
public override ITypeSymbol GetContainingScopeType()
=> throw new InvalidOperationException();
}
protected class ErrorSelectionResult : NullSelectionResult
{
public ErrorSelectionResult(OperationStatus status)
: base(status.MakeFail())
{
}
}
}
}
| // 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;
namespace Microsoft.CodeAnalysis.ExtractMethod
{
internal partial class SelectionValidator
{
// null object
protected class NullSelectionResult : SelectionResult
{
public NullSelectionResult()
: this(OperationStatus.FailedWithUnknownReason)
{
}
protected NullSelectionResult(OperationStatus status)
: base(status)
{
}
protected override bool UnderAnonymousOrLocalMethod(SyntaxToken token, SyntaxToken firstToken, SyntaxToken lastToken)
=> throw new InvalidOperationException();
public override bool ContainingScopeHasAsyncKeyword()
=> throw new InvalidOperationException();
public override SyntaxNode GetContainingScope()
=> throw new InvalidOperationException();
public override ITypeSymbol GetContainingScopeType()
=> throw new InvalidOperationException();
}
protected class ErrorSelectionResult : NullSelectionResult
{
public ErrorSelectionResult(OperationStatus status)
: base(status.MakeFail())
{
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/Core/Def/Implementation/CommonControls/MemberSelection.xaml | <UserControl x:Class="Microsoft.VisualStudio.LanguageServices.Implementation.CommonControls.MemberSelection"
x:ClassModifier="internal"
x:Name="MemberSelectionControl"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:utilities="clr-namespace:Microsoft.VisualStudio.LanguageServices.Implementation.Utilities" xmlns:commoncontrols="clr-namespace:Microsoft.VisualStudio.LanguageServices.Implementation.CommonControls"
mc:Ignorable="d"
d:DesignHeight="450" d:DesignWidth="800">
<UserControl.Resources>
<Thickness x:Key="ButtonControlsPadding">2, 4, 4, 2</Thickness>
<utilities:BooleanReverseConverter x:Key="BooleanReverseConverter"/>
</UserControl.Resources>
<Grid>
<Grid.ColumnDefinitions>
<ColumnDefinition Width="*"/>
<ColumnDefinition Width="Auto"/>
</Grid.ColumnDefinitions>
<DataGrid
x:Uid="MemberSelectionGrid"
x:Name="MemberSelectionGrid"
Grid.Column="0"
Margin="2, 5, 12, 2"
SelectionMode="Extended"
AutoGenerateColumns="False"
HeadersVisibility="Column"
HorizontalContentAlignment="Stretch"
VerticalContentAlignment="Stretch"
CanUserResizeColumns="False"
CanUserResizeRows="False"
IsReadOnly="True"
CanUserAddRows="False"
CanUserDeleteRows="False"
CanUserSortColumns="False"
GridLinesVisibility="None"
ScrollViewer.VerticalScrollBarVisibility="Auto"
CanUserReorderColumns="False"
Focusable="True"
MinWidth="334"
Height="Auto"
Background="White"
AutomationProperties.Name="{Binding SelectMemberListViewAutomationText}"
ItemsSource="{Binding Members, UpdateSourceTrigger=PropertyChanged, NotifyOnSourceUpdated=True, Mode=TwoWay}">
<DataGrid.CellStyle>
<Style TargetType="DataGridCell">
<Setter Property="BorderThickness" Value="0"/>
<Setter Property="Focusable" Value="False"/>
<Setter Property="AutomationProperties.Name" Value="{Binding SymbolName}" />
</Style>
</DataGrid.CellStyle>
<DataGrid.RowStyle>
<Style TargetType="DataGridRow">
<Setter Property="AutomationProperties.Name" Value="{Binding RowSelectionAutomationText}"/>
</Style>
</DataGrid.RowStyle>
<DataGrid.Columns>
<DataGridTemplateColumn Width="Auto">
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<CheckBox
AutomationProperties.Name="{Binding SymbolAutomationText}"
AutomationProperties.AutomationId="{Binding SymbolName}"
IsChecked="{Binding IsChecked, UpdateSourceTrigger=PropertyChanged}"
Width="Auto"
IsEnabled="{Binding IsCheckable, UpdateSourceTrigger=PropertyChanged}"
Focusable="True"
ToolTipService.ShowOnDisabled="True"
ToolTipService.IsEnabled="{Binding IsCheckable, Converter={StaticResource BooleanReverseConverter}, UpdateSourceTrigger=PropertyChanged}"
ToolTipService.ToolTip="{Binding HelpText}"/>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
<DataGridTemplateColumn Width="*">
<DataGridTemplateColumn.Header>
<TextBlock Text="{Binding ElementName=MemberSelectionControl, Path=MembersHeader}"/>
</DataGridTemplateColumn.Header>
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<StackPanel
Orientation="Horizontal"
HorizontalAlignment="Left"
MinWidth="186"
Width="Auto"
Margin="5, 2, 0, 2">
<Image
x:Name="GlyphOfMember"
Margin="8, 0, 5, 0"
Source="{Binding Glyph}"/>
<TextBlock
x:Name="MemberName"
Text="{Binding SymbolName}"
Margin="0, 0, 5, 0"
ToolTip="{Binding Accessibility}"/>
</StackPanel>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
<DataGridTemplateColumn Width="100">
<DataGridTemplateColumn.Header>
<TextBlock Text="{Binding ElementName=MemberSelectionControl, Path=MakeAbstractHeader}"/>
</DataGridTemplateColumn.Header>
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<CheckBox
HorizontalAlignment="Center"
HorizontalContentAlignment="Center"
VerticalAlignment="Center"
VerticalContentAlignment="Center"
Visibility="{Binding MakeAbstractVisibility}"
IsEnabled="{Binding IsMakeAbstractCheckable, UpdateSourceTrigger=PropertyChanged}"
AutomationProperties.Name="{Binding MakeAbstractCheckBoxAutomationText}"
Focusable="True"
Margin="0, 2, 0, 2"
IsChecked="{Binding MakeAbstract, UpdateSourceTrigger=PropertyChanged}">
</CheckBox>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
</DataGrid.Columns>
</DataGrid>
<StackPanel
Grid.Column="1"
Orientation="Vertical"
VerticalAlignment="Top"
HorizontalAlignment="Center"
Margin="0, 4, 0, 0"
Width="Auto">
<Button
x:Name="SelectAllButton"
x:Uid="SelectAllButton"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Content="{Binding ElementName=MemberSelectionControl, Path=SelectAll}"
Click="SelectAllButton_Click"
Margin="2, 2, 2, 7"
Width="Auto"
Height="Auto" />
<Button
x:Name="DeselectAllButton"
x:Uid="DeselectAllButton"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Content="{Binding ElementName=MemberSelectionControl, Path=DeselectAll}"
Click="DeselectAllButton_Click"
Margin="2, 2, 2, 7"
Width="Auto"
Height="Auto" />
<Button
x:Name="SelecDependentsButton"
x:Uid="SelecDependentsButton"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Content="{Binding ElementName=MemberSelectionControl, Path=SelectDependents}"
Click="SelectDependentsButton_Click"
Margin="2, 2, 2, 7"
Width="Auto"
Height="Auto"/>
<Button
x:Name="SelectPublicButton"
x:Uid="SelectPublicButton"
Content="{Binding ElementName=MemberSelectionControl, Path=SelectPublic}"
Margin="2, 0, 2, 0"
Click="SelectPublic_Click"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Width="Auto"
Height="Auto"/>
</StackPanel>
</Grid>
</UserControl>
| <UserControl x:Class="Microsoft.VisualStudio.LanguageServices.Implementation.CommonControls.MemberSelection"
x:ClassModifier="internal"
x:Name="MemberSelectionControl"
xmlns="http://schemas.microsoft.com/winfx/2006/xaml/presentation"
xmlns:x="http://schemas.microsoft.com/winfx/2006/xaml"
xmlns:mc="http://schemas.openxmlformats.org/markup-compatibility/2006"
xmlns:d="http://schemas.microsoft.com/expression/blend/2008"
xmlns:utilities="clr-namespace:Microsoft.VisualStudio.LanguageServices.Implementation.Utilities" xmlns:commoncontrols="clr-namespace:Microsoft.VisualStudio.LanguageServices.Implementation.CommonControls"
mc:Ignorable="d"
d:DesignHeight="450" d:DesignWidth="800">
<UserControl.Resources>
<Thickness x:Key="ButtonControlsPadding">2, 4, 4, 2</Thickness>
<utilities:BooleanReverseConverter x:Key="BooleanReverseConverter"/>
</UserControl.Resources>
<Grid>
<Grid.ColumnDefinitions>
<ColumnDefinition Width="*"/>
<ColumnDefinition Width="Auto"/>
</Grid.ColumnDefinitions>
<DataGrid
x:Uid="MemberSelectionGrid"
x:Name="MemberSelectionGrid"
Grid.Column="0"
Margin="2, 5, 12, 2"
SelectionMode="Extended"
AutoGenerateColumns="False"
HeadersVisibility="Column"
HorizontalContentAlignment="Stretch"
VerticalContentAlignment="Stretch"
CanUserResizeColumns="False"
CanUserResizeRows="False"
IsReadOnly="True"
CanUserAddRows="False"
CanUserDeleteRows="False"
CanUserSortColumns="False"
GridLinesVisibility="None"
ScrollViewer.VerticalScrollBarVisibility="Auto"
CanUserReorderColumns="False"
Focusable="True"
MinWidth="334"
Height="Auto"
Background="White"
AutomationProperties.Name="{Binding SelectMemberListViewAutomationText}"
ItemsSource="{Binding Members, UpdateSourceTrigger=PropertyChanged, NotifyOnSourceUpdated=True, Mode=TwoWay}">
<DataGrid.CellStyle>
<Style TargetType="DataGridCell">
<Setter Property="BorderThickness" Value="0"/>
<Setter Property="Focusable" Value="False"/>
<Setter Property="AutomationProperties.Name" Value="{Binding SymbolName}" />
</Style>
</DataGrid.CellStyle>
<DataGrid.RowStyle>
<Style TargetType="DataGridRow">
<Setter Property="AutomationProperties.Name" Value="{Binding RowSelectionAutomationText}"/>
</Style>
</DataGrid.RowStyle>
<DataGrid.Columns>
<DataGridTemplateColumn Width="Auto">
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<CheckBox
AutomationProperties.Name="{Binding SymbolAutomationText}"
AutomationProperties.AutomationId="{Binding SymbolName}"
IsChecked="{Binding IsChecked, UpdateSourceTrigger=PropertyChanged}"
Width="Auto"
IsEnabled="{Binding IsCheckable, UpdateSourceTrigger=PropertyChanged}"
Focusable="True"
ToolTipService.ShowOnDisabled="True"
ToolTipService.IsEnabled="{Binding IsCheckable, Converter={StaticResource BooleanReverseConverter}, UpdateSourceTrigger=PropertyChanged}"
ToolTipService.ToolTip="{Binding HelpText}"/>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
<DataGridTemplateColumn Width="*">
<DataGridTemplateColumn.Header>
<TextBlock Text="{Binding ElementName=MemberSelectionControl, Path=MembersHeader}"/>
</DataGridTemplateColumn.Header>
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<StackPanel
Orientation="Horizontal"
HorizontalAlignment="Left"
MinWidth="186"
Width="Auto"
Margin="5, 2, 0, 2">
<Image
x:Name="GlyphOfMember"
Margin="8, 0, 5, 0"
Source="{Binding Glyph}"/>
<TextBlock
x:Name="MemberName"
Text="{Binding SymbolName}"
Margin="0, 0, 5, 0"
ToolTip="{Binding Accessibility}"/>
</StackPanel>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
<DataGridTemplateColumn Width="100">
<DataGridTemplateColumn.Header>
<TextBlock Text="{Binding ElementName=MemberSelectionControl, Path=MakeAbstractHeader}"/>
</DataGridTemplateColumn.Header>
<DataGridTemplateColumn.CellTemplate>
<DataTemplate>
<CheckBox
HorizontalAlignment="Center"
HorizontalContentAlignment="Center"
VerticalAlignment="Center"
VerticalContentAlignment="Center"
Visibility="{Binding MakeAbstractVisibility}"
IsEnabled="{Binding IsMakeAbstractCheckable, UpdateSourceTrigger=PropertyChanged}"
AutomationProperties.Name="{Binding MakeAbstractCheckBoxAutomationText}"
Focusable="True"
Margin="0, 2, 0, 2"
IsChecked="{Binding MakeAbstract, UpdateSourceTrigger=PropertyChanged}">
</CheckBox>
</DataTemplate>
</DataGridTemplateColumn.CellTemplate>
</DataGridTemplateColumn>
</DataGrid.Columns>
</DataGrid>
<StackPanel
Grid.Column="1"
Orientation="Vertical"
VerticalAlignment="Top"
HorizontalAlignment="Center"
Margin="0, 4, 0, 0"
Width="Auto">
<Button
x:Name="SelectAllButton"
x:Uid="SelectAllButton"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Content="{Binding ElementName=MemberSelectionControl, Path=SelectAll}"
Click="SelectAllButton_Click"
Margin="2, 2, 2, 7"
Width="Auto"
Height="Auto" />
<Button
x:Name="DeselectAllButton"
x:Uid="DeselectAllButton"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Content="{Binding ElementName=MemberSelectionControl, Path=DeselectAll}"
Click="DeselectAllButton_Click"
Margin="2, 2, 2, 7"
Width="Auto"
Height="Auto" />
<Button
x:Name="SelecDependentsButton"
x:Uid="SelecDependentsButton"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Content="{Binding ElementName=MemberSelectionControl, Path=SelectDependents}"
Click="SelectDependentsButton_Click"
Margin="2, 2, 2, 7"
Width="Auto"
Height="Auto"/>
<Button
x:Name="SelectPublicButton"
x:Uid="SelectPublicButton"
Content="{Binding ElementName=MemberSelectionControl, Path=SelectPublic}"
Margin="2, 0, 2, 0"
Click="SelectPublic_Click"
Padding="{StaticResource ResourceKey=ButtonControlsPadding}"
Width="Auto"
Height="Auto"/>
</StackPanel>
</Grid>
</UserControl>
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/EditorFeatures/VisualBasic/EndConstructGeneration/EndConstructStatementVisitor_LambdaHeader.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
Imports Microsoft.CodeAnalysis.Text.Shared.Extensions
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.EndConstructGeneration
Partial Friend Class EndConstructStatementVisitor
Public Overrides Function VisitLambdaHeader(node As LambdaHeaderSyntax) As AbstractEndConstructResult
Dim singleLineExpressionSyntax = TryCast(node.Parent, SingleLineLambdaExpressionSyntax)
If singleLineExpressionSyntax IsNot Nothing Then
Return TransformSingleLineLambda(singleLineExpressionSyntax)
Else
Return SpitNormalLambdaEnding(node)
End If
End Function
Private Function TransformSingleLineLambda(originalNode As SingleLineLambdaExpressionSyntax) As AbstractEndConstructResult
' If there is newline trivia on the end of the node, we need to pull that off to stick it back on at the very end of this transformation
Dim newLineTrivia = originalNode.GetTrailingTrivia().SkipWhile(Function(t) Not t.IsKind(SyntaxKind.EndOfLineTrivia))
Dim node = originalNode.WithTrailingTrivia(originalNode.GetTrailingTrivia().TakeWhile(Function(t) Not t.IsKind(SyntaxKind.EndOfLineTrivia)))
Dim tokenNextToLambda = originalNode.GetLastToken().GetNextToken()
Dim isNextToXmlEmbeddedExpression = tokenNextToLambda.IsKind(SyntaxKind.PercentGreaterThanToken) AndAlso tokenNextToLambda.Parent.IsKind(SyntaxKind.XmlEmbeddedExpression)
Dim aligningWhitespace = _subjectBuffer.CurrentSnapshot.GetAligningWhitespace(originalNode.SpanStart)
Dim indentedWhitespace = aligningWhitespace & " "
' Generate the end statement since we can easily share that code
Dim endStatementKind = If(originalNode.Kind = SyntaxKind.SingleLineSubLambdaExpression, SyntaxKind.EndSubStatement, SyntaxKind.EndFunctionStatement)
Dim endStatement = SyntaxFactory.EndBlockStatement(endStatementKind, SyntaxFactory.Token(originalNode.SubOrFunctionHeader.DeclarationKeyword.Kind).WithLeadingTrivia(SyntaxFactory.WhitespaceTrivia(" "))) _
.WithLeadingTrivia(SyntaxFactory.WhitespaceTrivia(aligningWhitespace)) _
.WithTrailingTrivia(If(isNextToXmlEmbeddedExpression, SyntaxFactory.TriviaList(SyntaxFactory.WhitespaceTrivia(" ")), newLineTrivia))
' We are hitting enter after a single line. Let's transform it to a multi-line form
If node.Kind = SyntaxKind.SingleLineSubLambdaExpression Then
' If we have Sub() End Sub as a lambda, we're better off just doing nothing smart
If node.Body.IsKind(SyntaxKind.EndSubStatement) Then
Return Nothing
End If
' Update the new header
Dim newHeader = node.SubOrFunctionHeader
If newHeader.ParameterList Is Nothing OrElse
(newHeader.ParameterList.OpenParenToken.IsMissing AndAlso newHeader.ParameterList.CloseParenToken.IsMissing) Then
newHeader = newHeader.WithParameterList(SyntaxFactory.ParameterList())
End If
newHeader = newHeader.WithTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
' Update the body with a newline
Dim newBody = DirectCast(node.Body, StatementSyntax).WithAppendedTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
Dim newBodyHasCode = False
' If it actually contains something, intent it too. Otherwise, we'll just let the smart indenter position
If Not String.IsNullOrWhiteSpace(newBody.ToFullString()) Then
newBody = newBody.WithPrependedLeadingTrivia(SyntaxFactory.WhitespaceTrivia(indentedWhitespace))
newBodyHasCode = True
End If
Dim newExpression = SyntaxFactory.MultiLineSubLambdaExpression(
subOrFunctionHeader:=newHeader,
statements:=SyntaxFactory.SingletonList(newBody),
endSubOrFunctionStatement:=endStatement)
Return New ReplaceSpanResult(originalNode.FullSpan.ToSnapshotSpan(_subjectBuffer.CurrentSnapshot),
newExpression.ToFullString(),
If(newBodyHasCode, CType(newExpression.Statements.First().SpanStart, Integer?), Nothing))
Else
If node.Body.IsMissing Then
If node.Body.GetTrailingTrivia().Any(Function(t) t.IsKind(SyntaxKind.SkippedTokensTrivia)) Then
' If we had to skip tokens, we're probably just going to break more than we fix
Return Nothing
End If
' It's still missing entirely, so just spit normally
Return CreateSpitLinesForLambdaHeader(node.SubOrFunctionHeader, isNextToXmlEmbeddedExpression, originalNode.SpanStart)
End If
Dim newHeader = node.SubOrFunctionHeader.WithTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
Dim newBody = SyntaxFactory.ReturnStatement(SyntaxFactory.Token(SyntaxKind.ReturnKeyword).WithTrailingTrivia(SyntaxFactory.WhitespaceTrivia(" ")),
DirectCast(node.Body, ExpressionSyntax)) _
.WithPrependedLeadingTrivia(SyntaxFactory.WhitespaceTrivia(indentedWhitespace)) _
.WithAppendedTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
Dim newExpression = SyntaxFactory.MultiLineSubLambdaExpression(
subOrFunctionHeader:=newHeader,
statements:=SyntaxFactory.SingletonList(Of StatementSyntax)(newBody),
endSubOrFunctionStatement:=endStatement)
' Fish our body back out so we can figure out relative spans
newBody = DirectCast(newExpression.Statements.First(), ReturnStatementSyntax)
Return New ReplaceSpanResult(originalNode.FullSpan.ToSnapshotSpan(_subjectBuffer.CurrentSnapshot),
newExpression.ToFullString(),
newBody.ReturnKeyword.FullSpan.End)
End If
Return Nothing
End Function
Private Function SpitNormalLambdaEnding(node As LambdaHeaderSyntax) As AbstractEndConstructResult
Dim needsEnd = node.GetAncestorsOrThis(Of MultiLineLambdaExpressionSyntax)().Any(Function(block) block.EndSubOrFunctionStatement.IsMissing AndAlso block.IsMultiLineLambda())
' We have to be careful here: just because the Lambda's End isn't missing doesn't mean we shouldn't spit a
' End Sub / End Function. A good example is an unterminated multi-line sub in a sub, like this:
'
' Sub goo()
' Dim x = Sub()
' End Sub
'
' Obviously the parser has an ambiguity here, and so it chooses to parse the End Sub as being the terminator
' for the lambda. In this case, we'll notice that this lambda has a parent method body that uses the same
' Sub/Function keyword and is missing it's end construct, indicating that we should still spit.
Dim containingMethodBlock = node.GetAncestor(Of MethodBlockBaseSyntax)()
If containingMethodBlock IsNot Nothing AndAlso containingMethodBlock.EndBlockStatement.IsMissing Then
' Is this containing method the same type (Sub/Function) as the lambda?
If containingMethodBlock.BlockStatement.DeclarationKeyword.Kind = node.DeclarationKeyword.Kind Then
needsEnd = True
End If
End If
If needsEnd Then
Return CreateSpitLinesForLambdaHeader(node)
Else
Return Nothing
End If
End Function
Private Function CreateSpitLinesForLambdaHeader(node As LambdaHeaderSyntax, Optional isNextToXmlEmbeddedExpression As Boolean = False, Optional originalNodeSpanStart? As Integer = Nothing) As AbstractEndConstructResult
Dim spanStart As Integer = If(originalNodeSpanStart.HasValue, originalNodeSpanStart.Value, node.SpanStart)
Dim endConstruct = _subjectBuffer.CurrentSnapshot.GetAligningWhitespace(spanStart) & "End " & node.DeclarationKeyword.ToString()
' We may wish to spit () at the end of if we are missing our parenthesis
If node.ParameterList Is Nothing OrElse (node.ParameterList.OpenParenToken.IsMissing AndAlso node.ParameterList.CloseParenToken.IsMissing) Then
Return New SpitLinesResult({"()", "", endConstruct}, startOnCurrentLine:=True)
Else
Return New SpitLinesResult({"", If(isNextToXmlEmbeddedExpression, endConstruct & " ", endConstruct)})
End If
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
Imports Microsoft.CodeAnalysis.Text.Shared.Extensions
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
Namespace Microsoft.CodeAnalysis.Editor.VisualBasic.EndConstructGeneration
Partial Friend Class EndConstructStatementVisitor
Public Overrides Function VisitLambdaHeader(node As LambdaHeaderSyntax) As AbstractEndConstructResult
Dim singleLineExpressionSyntax = TryCast(node.Parent, SingleLineLambdaExpressionSyntax)
If singleLineExpressionSyntax IsNot Nothing Then
Return TransformSingleLineLambda(singleLineExpressionSyntax)
Else
Return SpitNormalLambdaEnding(node)
End If
End Function
Private Function TransformSingleLineLambda(originalNode As SingleLineLambdaExpressionSyntax) As AbstractEndConstructResult
' If there is newline trivia on the end of the node, we need to pull that off to stick it back on at the very end of this transformation
Dim newLineTrivia = originalNode.GetTrailingTrivia().SkipWhile(Function(t) Not t.IsKind(SyntaxKind.EndOfLineTrivia))
Dim node = originalNode.WithTrailingTrivia(originalNode.GetTrailingTrivia().TakeWhile(Function(t) Not t.IsKind(SyntaxKind.EndOfLineTrivia)))
Dim tokenNextToLambda = originalNode.GetLastToken().GetNextToken()
Dim isNextToXmlEmbeddedExpression = tokenNextToLambda.IsKind(SyntaxKind.PercentGreaterThanToken) AndAlso tokenNextToLambda.Parent.IsKind(SyntaxKind.XmlEmbeddedExpression)
Dim aligningWhitespace = _subjectBuffer.CurrentSnapshot.GetAligningWhitespace(originalNode.SpanStart)
Dim indentedWhitespace = aligningWhitespace & " "
' Generate the end statement since we can easily share that code
Dim endStatementKind = If(originalNode.Kind = SyntaxKind.SingleLineSubLambdaExpression, SyntaxKind.EndSubStatement, SyntaxKind.EndFunctionStatement)
Dim endStatement = SyntaxFactory.EndBlockStatement(endStatementKind, SyntaxFactory.Token(originalNode.SubOrFunctionHeader.DeclarationKeyword.Kind).WithLeadingTrivia(SyntaxFactory.WhitespaceTrivia(" "))) _
.WithLeadingTrivia(SyntaxFactory.WhitespaceTrivia(aligningWhitespace)) _
.WithTrailingTrivia(If(isNextToXmlEmbeddedExpression, SyntaxFactory.TriviaList(SyntaxFactory.WhitespaceTrivia(" ")), newLineTrivia))
' We are hitting enter after a single line. Let's transform it to a multi-line form
If node.Kind = SyntaxKind.SingleLineSubLambdaExpression Then
' If we have Sub() End Sub as a lambda, we're better off just doing nothing smart
If node.Body.IsKind(SyntaxKind.EndSubStatement) Then
Return Nothing
End If
' Update the new header
Dim newHeader = node.SubOrFunctionHeader
If newHeader.ParameterList Is Nothing OrElse
(newHeader.ParameterList.OpenParenToken.IsMissing AndAlso newHeader.ParameterList.CloseParenToken.IsMissing) Then
newHeader = newHeader.WithParameterList(SyntaxFactory.ParameterList())
End If
newHeader = newHeader.WithTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
' Update the body with a newline
Dim newBody = DirectCast(node.Body, StatementSyntax).WithAppendedTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
Dim newBodyHasCode = False
' If it actually contains something, intent it too. Otherwise, we'll just let the smart indenter position
If Not String.IsNullOrWhiteSpace(newBody.ToFullString()) Then
newBody = newBody.WithPrependedLeadingTrivia(SyntaxFactory.WhitespaceTrivia(indentedWhitespace))
newBodyHasCode = True
End If
Dim newExpression = SyntaxFactory.MultiLineSubLambdaExpression(
subOrFunctionHeader:=newHeader,
statements:=SyntaxFactory.SingletonList(newBody),
endSubOrFunctionStatement:=endStatement)
Return New ReplaceSpanResult(originalNode.FullSpan.ToSnapshotSpan(_subjectBuffer.CurrentSnapshot),
newExpression.ToFullString(),
If(newBodyHasCode, CType(newExpression.Statements.First().SpanStart, Integer?), Nothing))
Else
If node.Body.IsMissing Then
If node.Body.GetTrailingTrivia().Any(Function(t) t.IsKind(SyntaxKind.SkippedTokensTrivia)) Then
' If we had to skip tokens, we're probably just going to break more than we fix
Return Nothing
End If
' It's still missing entirely, so just spit normally
Return CreateSpitLinesForLambdaHeader(node.SubOrFunctionHeader, isNextToXmlEmbeddedExpression, originalNode.SpanStart)
End If
Dim newHeader = node.SubOrFunctionHeader.WithTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
Dim newBody = SyntaxFactory.ReturnStatement(SyntaxFactory.Token(SyntaxKind.ReturnKeyword).WithTrailingTrivia(SyntaxFactory.WhitespaceTrivia(" ")),
DirectCast(node.Body, ExpressionSyntax)) _
.WithPrependedLeadingTrivia(SyntaxFactory.WhitespaceTrivia(indentedWhitespace)) _
.WithAppendedTrailingTrivia(SyntaxFactory.EndOfLineTrivia(_state.NewLineCharacter))
Dim newExpression = SyntaxFactory.MultiLineSubLambdaExpression(
subOrFunctionHeader:=newHeader,
statements:=SyntaxFactory.SingletonList(Of StatementSyntax)(newBody),
endSubOrFunctionStatement:=endStatement)
' Fish our body back out so we can figure out relative spans
newBody = DirectCast(newExpression.Statements.First(), ReturnStatementSyntax)
Return New ReplaceSpanResult(originalNode.FullSpan.ToSnapshotSpan(_subjectBuffer.CurrentSnapshot),
newExpression.ToFullString(),
newBody.ReturnKeyword.FullSpan.End)
End If
Return Nothing
End Function
Private Function SpitNormalLambdaEnding(node As LambdaHeaderSyntax) As AbstractEndConstructResult
Dim needsEnd = node.GetAncestorsOrThis(Of MultiLineLambdaExpressionSyntax)().Any(Function(block) block.EndSubOrFunctionStatement.IsMissing AndAlso block.IsMultiLineLambda())
' We have to be careful here: just because the Lambda's End isn't missing doesn't mean we shouldn't spit a
' End Sub / End Function. A good example is an unterminated multi-line sub in a sub, like this:
'
' Sub goo()
' Dim x = Sub()
' End Sub
'
' Obviously the parser has an ambiguity here, and so it chooses to parse the End Sub as being the terminator
' for the lambda. In this case, we'll notice that this lambda has a parent method body that uses the same
' Sub/Function keyword and is missing it's end construct, indicating that we should still spit.
Dim containingMethodBlock = node.GetAncestor(Of MethodBlockBaseSyntax)()
If containingMethodBlock IsNot Nothing AndAlso containingMethodBlock.EndBlockStatement.IsMissing Then
' Is this containing method the same type (Sub/Function) as the lambda?
If containingMethodBlock.BlockStatement.DeclarationKeyword.Kind = node.DeclarationKeyword.Kind Then
needsEnd = True
End If
End If
If needsEnd Then
Return CreateSpitLinesForLambdaHeader(node)
Else
Return Nothing
End If
End Function
Private Function CreateSpitLinesForLambdaHeader(node As LambdaHeaderSyntax, Optional isNextToXmlEmbeddedExpression As Boolean = False, Optional originalNodeSpanStart? As Integer = Nothing) As AbstractEndConstructResult
Dim spanStart As Integer = If(originalNodeSpanStart.HasValue, originalNodeSpanStart.Value, node.SpanStart)
Dim endConstruct = _subjectBuffer.CurrentSnapshot.GetAligningWhitespace(spanStart) & "End " & node.DeclarationKeyword.ToString()
' We may wish to spit () at the end of if we are missing our parenthesis
If node.ParameterList Is Nothing OrElse (node.ParameterList.OpenParenToken.IsMissing AndAlso node.ParameterList.CloseParenToken.IsMissing) Then
Return New SpitLinesResult({"()", "", endConstruct}, startOnCurrentLine:=True)
Else
Return New SpitLinesResult({"", If(isNextToXmlEmbeddedExpression, endConstruct & " ", endConstruct)})
End If
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/Completion/CompletionList.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;
namespace Microsoft.CodeAnalysis.Completion
{
/// <summary>
/// The set of completions to present to the user.
/// </summary>
public sealed class CompletionList
{
private readonly bool _isExclusive;
/// <summary>
/// The completion items to present to the user.
/// </summary>
public ImmutableArray<CompletionItem> Items { get; }
/// <summary>
/// The span of the syntax element at the caret position when the <see cref="CompletionList"/> was created.
/// Individual <see cref="CompletionItem"/> spans may vary.
/// </summary>
[Obsolete("Not used anymore. CompletionList.Span is used instead.", error: true)]
public TextSpan DefaultSpan { get; }
/// <summary>
/// The span of the syntax element at the caret position when the <see cref="CompletionList"/>
/// was created.
///
/// The span identifies the text in the document that is used to filter the initial list
/// presented to the user, and typically represents the region of the document that will
/// be changed if this item is committed.
/// </summary>
public TextSpan Span { get; }
/// <summary>
/// The rules used to control behavior of the completion list shown to the user during typing.
/// </summary>
public CompletionRules Rules { get; }
/// <summary>
/// An optional <see cref="CompletionItem"/> that appears selected in the list presented to the user during suggestion mode.
/// Suggestion mode disables autoselection of items in the list, giving preference to the text typed by the user unless a specific item is selected manually.
/// Specifying a <see cref="SuggestionModeItem"/> is a request that the completion host operate in suggestion mode.
/// The item specified determines the text displayed and the description associated with it unless a different item is manually selected.
/// No text is ever inserted when this item is completed, leaving the text the user typed instead.
/// </summary>
public CompletionItem SuggestionModeItem { get; }
private CompletionList(
TextSpan defaultSpan,
ImmutableArray<CompletionItem> items,
CompletionRules rules,
CompletionItem suggestionModeItem,
bool isExclusive)
{
Span = defaultSpan;
Items = items.NullToEmpty();
Rules = rules ?? CompletionRules.Default;
SuggestionModeItem = suggestionModeItem;
_isExclusive = isExclusive;
foreach (var item in Items)
{
item.Span = defaultSpan;
}
}
/// <summary>
/// Creates a new <see cref="CompletionList"/> instance.
/// </summary>
/// <param name="defaultSpan">The span of the syntax element at the caret position when the <see cref="CompletionList"/> was created.</param>
/// <param name="items">The completion items to present to the user.</param>
/// <param name="rules">The rules used to control behavior of the completion list shown to the user during typing.</param>
/// <param name="suggestionModeItem">An optional <see cref="CompletionItem"/> that appears selected in the list presented to the user during suggestion mode.</param>
/// <returns></returns>
public static CompletionList Create(
TextSpan defaultSpan,
ImmutableArray<CompletionItem> items,
CompletionRules rules = null,
CompletionItem suggestionModeItem = null)
{
return Create(defaultSpan, items, rules, suggestionModeItem, isExclusive: false);
}
internal static CompletionList Create(
TextSpan defaultSpan,
ImmutableArray<CompletionItem> items,
CompletionRules rules,
CompletionItem suggestionModeItem,
bool isExclusive)
{
return new CompletionList(defaultSpan, items, rules, suggestionModeItem, isExclusive);
}
private CompletionList With(
Optional<TextSpan> span = default,
Optional<ImmutableArray<CompletionItem>> items = default,
Optional<CompletionRules> rules = default,
Optional<CompletionItem> suggestionModeItem = default)
{
var newSpan = span.HasValue ? span.Value : Span;
var newItems = items.HasValue ? items.Value : Items;
var newRules = rules.HasValue ? rules.Value : Rules;
var newSuggestionModeItem = suggestionModeItem.HasValue ? suggestionModeItem.Value : SuggestionModeItem;
if (newSpan == Span &&
newItems == Items &&
newRules == Rules &&
newSuggestionModeItem == SuggestionModeItem)
{
return this;
}
else
{
return Create(newSpan, newItems, newRules, newSuggestionModeItem);
}
}
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="DefaultSpan"/> property changed.
/// </summary>
[Obsolete("Not used anymore. Use WithSpan instead.", error: true)]
public CompletionList WithDefaultSpan(TextSpan span)
=> With(span: span);
public CompletionList WithSpan(TextSpan span)
=> With(span: span);
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="Items"/> property changed.
/// </summary>
public CompletionList WithItems(ImmutableArray<CompletionItem> items)
=> With(items: items);
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="Rules"/> property changed.
/// </summary>
public CompletionList WithRules(CompletionRules rules)
=> With(rules: rules);
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="SuggestionModeItem"/> property changed.
/// </summary>
public CompletionList WithSuggestionModeItem(CompletionItem suggestionModeItem)
=> With(suggestionModeItem: suggestionModeItem);
/// <summary>
/// The default <see cref="CompletionList"/> returned when no items are found to populate the list.
/// </summary>
public static readonly CompletionList Empty = new(
default, default, CompletionRules.Default,
suggestionModeItem: null, isExclusive: false);
internal TestAccessor GetTestAccessor()
=> new(this);
internal readonly struct TestAccessor
{
private readonly CompletionList _completionList;
public TestAccessor(CompletionList completionList)
=> _completionList = completionList;
internal bool IsExclusive => _completionList._isExclusive;
}
}
}
| // 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;
namespace Microsoft.CodeAnalysis.Completion
{
/// <summary>
/// The set of completions to present to the user.
/// </summary>
public sealed class CompletionList
{
private readonly bool _isExclusive;
/// <summary>
/// The completion items to present to the user.
/// </summary>
public ImmutableArray<CompletionItem> Items { get; }
/// <summary>
/// The span of the syntax element at the caret position when the <see cref="CompletionList"/> was created.
/// Individual <see cref="CompletionItem"/> spans may vary.
/// </summary>
[Obsolete("Not used anymore. CompletionList.Span is used instead.", error: true)]
public TextSpan DefaultSpan { get; }
/// <summary>
/// The span of the syntax element at the caret position when the <see cref="CompletionList"/>
/// was created.
///
/// The span identifies the text in the document that is used to filter the initial list
/// presented to the user, and typically represents the region of the document that will
/// be changed if this item is committed.
/// </summary>
public TextSpan Span { get; }
/// <summary>
/// The rules used to control behavior of the completion list shown to the user during typing.
/// </summary>
public CompletionRules Rules { get; }
/// <summary>
/// An optional <see cref="CompletionItem"/> that appears selected in the list presented to the user during suggestion mode.
/// Suggestion mode disables autoselection of items in the list, giving preference to the text typed by the user unless a specific item is selected manually.
/// Specifying a <see cref="SuggestionModeItem"/> is a request that the completion host operate in suggestion mode.
/// The item specified determines the text displayed and the description associated with it unless a different item is manually selected.
/// No text is ever inserted when this item is completed, leaving the text the user typed instead.
/// </summary>
public CompletionItem SuggestionModeItem { get; }
private CompletionList(
TextSpan defaultSpan,
ImmutableArray<CompletionItem> items,
CompletionRules rules,
CompletionItem suggestionModeItem,
bool isExclusive)
{
Span = defaultSpan;
Items = items.NullToEmpty();
Rules = rules ?? CompletionRules.Default;
SuggestionModeItem = suggestionModeItem;
_isExclusive = isExclusive;
foreach (var item in Items)
{
item.Span = defaultSpan;
}
}
/// <summary>
/// Creates a new <see cref="CompletionList"/> instance.
/// </summary>
/// <param name="defaultSpan">The span of the syntax element at the caret position when the <see cref="CompletionList"/> was created.</param>
/// <param name="items">The completion items to present to the user.</param>
/// <param name="rules">The rules used to control behavior of the completion list shown to the user during typing.</param>
/// <param name="suggestionModeItem">An optional <see cref="CompletionItem"/> that appears selected in the list presented to the user during suggestion mode.</param>
/// <returns></returns>
public static CompletionList Create(
TextSpan defaultSpan,
ImmutableArray<CompletionItem> items,
CompletionRules rules = null,
CompletionItem suggestionModeItem = null)
{
return Create(defaultSpan, items, rules, suggestionModeItem, isExclusive: false);
}
internal static CompletionList Create(
TextSpan defaultSpan,
ImmutableArray<CompletionItem> items,
CompletionRules rules,
CompletionItem suggestionModeItem,
bool isExclusive)
{
return new CompletionList(defaultSpan, items, rules, suggestionModeItem, isExclusive);
}
private CompletionList With(
Optional<TextSpan> span = default,
Optional<ImmutableArray<CompletionItem>> items = default,
Optional<CompletionRules> rules = default,
Optional<CompletionItem> suggestionModeItem = default)
{
var newSpan = span.HasValue ? span.Value : Span;
var newItems = items.HasValue ? items.Value : Items;
var newRules = rules.HasValue ? rules.Value : Rules;
var newSuggestionModeItem = suggestionModeItem.HasValue ? suggestionModeItem.Value : SuggestionModeItem;
if (newSpan == Span &&
newItems == Items &&
newRules == Rules &&
newSuggestionModeItem == SuggestionModeItem)
{
return this;
}
else
{
return Create(newSpan, newItems, newRules, newSuggestionModeItem);
}
}
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="DefaultSpan"/> property changed.
/// </summary>
[Obsolete("Not used anymore. Use WithSpan instead.", error: true)]
public CompletionList WithDefaultSpan(TextSpan span)
=> With(span: span);
public CompletionList WithSpan(TextSpan span)
=> With(span: span);
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="Items"/> property changed.
/// </summary>
public CompletionList WithItems(ImmutableArray<CompletionItem> items)
=> With(items: items);
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="Rules"/> property changed.
/// </summary>
public CompletionList WithRules(CompletionRules rules)
=> With(rules: rules);
/// <summary>
/// Creates a copy of this <see cref="CompletionList"/> with the <see cref="SuggestionModeItem"/> property changed.
/// </summary>
public CompletionList WithSuggestionModeItem(CompletionItem suggestionModeItem)
=> With(suggestionModeItem: suggestionModeItem);
/// <summary>
/// The default <see cref="CompletionList"/> returned when no items are found to populate the list.
/// </summary>
public static readonly CompletionList Empty = new(
default, default, CompletionRules.Default,
suggestionModeItem: null, isExclusive: false);
internal TestAccessor GetTestAccessor()
=> new(this);
internal readonly struct TestAccessor
{
private readonly CompletionList _completionList;
public TestAccessor(CompletionList completionList)
=> _completionList = completionList;
internal bool IsExclusive => _completionList._isExclusive;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Test/CommandLine/CommandLineTests.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.Collections.Immutable
Imports System.ComponentModel
Imports System.Globalization
Imports System.IO
Imports System.IO.MemoryMappedFiles
Imports System.Reflection
Imports System.Reflection.Metadata
Imports System.Reflection.PortableExecutable
Imports System.Runtime.InteropServices
Imports System.Security.Cryptography
Imports System.Text
Imports System.Text.RegularExpressions
Imports System.Threading
Imports Microsoft.CodeAnalysis
Imports Microsoft.CodeAnalysis.CommonDiagnosticAnalyzers
Imports Microsoft.CodeAnalysis.Diagnostics
Imports Microsoft.CodeAnalysis.Emit
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.UnitTests
Imports Microsoft.DiaSymReader
Imports Roslyn.Test.PdbUtilities
Imports Roslyn.Test.Utilities
Imports Roslyn.Test.Utilities.SharedResourceHelpers
Imports Roslyn.Utilities
Imports Xunit
Namespace Microsoft.CodeAnalysis.VisualBasic.CommandLine.UnitTests
Partial Public Class CommandLineTests
Inherits BasicTestBase
Private Shared ReadOnly s_basicCompilerExecutable As String = Path.Combine(
Path.GetDirectoryName(GetType(CommandLineTests).Assembly.Location),
Path.Combine("dependency", "vbc.exe"))
Private Shared ReadOnly s_DotnetCscRun As String = If(ExecutionConditionUtil.IsMono, "mono", String.Empty)
Private ReadOnly _baseDirectory As String = TempRoot.Root
Private Shared ReadOnly s_defaultSdkDirectory As String = RuntimeEnvironment.GetRuntimeDirectory()
Private Shared ReadOnly s_compilerVersion As String = CommonCompiler.GetProductVersion(GetType(CommandLineTests))
Private Shared Function DefaultParse(args As IEnumerable(Of String), baseDirectory As String, Optional sdkDirectory As String = Nothing, Optional additionalReferenceDirectories As String = Nothing) As VisualBasicCommandLineArguments
sdkDirectory = If(sdkDirectory, s_defaultSdkDirectory)
Return VisualBasicCommandLineParser.Default.Parse(args, baseDirectory, sdkDirectory, additionalReferenceDirectories)
End Function
Private Shared Function FullParse(commandLine As String, baseDirectory As String, Optional sdkDirectory As String = Nothing, Optional additionalReferenceDirectories As String = Nothing) As VisualBasicCommandLineArguments
sdkDirectory = If(sdkDirectory, s_defaultSdkDirectory)
Dim args = CommandLineParser.SplitCommandLineIntoArguments(commandLine, removeHashComments:=True)
Return VisualBasicCommandLineParser.Default.Parse(args, baseDirectory, sdkDirectory, additionalReferenceDirectories)
End Function
Private Shared Function InteractiveParse(args As IEnumerable(Of String), baseDirectory As String, Optional sdkDirectory As String = Nothing, Optional additionalReferenceDirectories As String = Nothing) As VisualBasicCommandLineArguments
sdkDirectory = If(sdkDirectory, s_defaultSdkDirectory)
Return VisualBasicCommandLineParser.Script.Parse(args, baseDirectory, sdkDirectory, additionalReferenceDirectories)
End Function
<Fact>
Public Sub SimpleAnalyzerConfig()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim additionalFile = dir.CreateFile("file.txt")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.bc42024.severity = none")
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig.Path,
src.Path})
Assert.Equal(analyzerConfig.Path, Assert.Single(cmd.Arguments.AnalyzerConfigPaths))
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString())
Assert.Null(cmd.AnalyzerOptions)
End Sub
<Fact>
Public Sub AnalyzerConfigWithOptions()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim additionalFile = dir.CreateFile("file.txt")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.bc42024.severity = none
dotnet_diagnostic.warning01.severity = none
dotnet_diagnostic.Warning03.severity = none
my_option = my_val
[*.txt]
dotnet_diagnostic.bc42024.severity = none
my_option2 = my_val2")
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig.Path,
"/analyzer:" + Assembly.GetExecutingAssembly().Location,
"/nowarn:42376",
"/additionalfile:" + additionalFile.Path,
src.Path})
Assert.Equal(analyzerConfig.Path, Assert.Single(cmd.Arguments.AnalyzerConfigPaths))
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString())
Dim comp = cmd.Compilation
Dim tree = comp.SyntaxTrees.Single()
Dim syntaxTreeOptions = comp.Options.SyntaxTreeOptionsProvider
Dim report As ReportDiagnostic
Assert.True(syntaxTreeOptions.TryGetDiagnosticValue(tree, "BC42024", CancellationToken.None, report))
Assert.Equal(ReportDiagnostic.Suppress, report)
Assert.True(syntaxTreeOptions.TryGetDiagnosticValue(tree, "warning01", CancellationToken.None, report))
Assert.Equal(ReportDiagnostic.Suppress, report)
Assert.True(syntaxTreeOptions.TryGetDiagnosticValue(tree, "warning03", CancellationToken.None, report))
Assert.Equal(ReportDiagnostic.Suppress, report)
Assert.False(syntaxTreeOptions.TryGetDiagnosticValue(tree, "warning02", CancellationToken.None, report))
Dim provider = cmd.AnalyzerOptions.AnalyzerConfigOptionsProvider
Dim options = provider.GetOptions(tree)
Assert.NotNull(options)
Dim val As String = Nothing
Assert.True(options.TryGetValue("my_option", val))
Assert.Equal("my_val", val)
Assert.False(options.TryGetValue("my_option2", Nothing))
Assert.False(options.TryGetValue("dotnet_diagnostic.bc42024.severity", Nothing))
options = provider.GetOptions(cmd.AnalyzerOptions.AdditionalFiles.Single())
Assert.NotNull(options)
Assert.True(options.TryGetValue("my_option2", val))
Assert.Equal("my_val2", val)
Assert.False(options.TryGetValue("my_option", Nothing))
Assert.False(options.TryGetValue("dotnet_diagnostic.bc42024.severity", Nothing))
End Sub
<Fact>
Public Sub AnalyzerConfigBadSeverity()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.BC42024.severity = garbage")
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig.Path,
src.Path})
Assert.Equal(analyzerConfig.Path, Assert.Single(cmd.Arguments.AnalyzerConfigPaths))
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal(
$"vbc : warning InvalidSeverityInAnalyzerConfig: The diagnostic 'bc42024' was given an invalid severity 'garbage' in the analyzer config file at '{analyzerConfig.Path}'.
{src.Path}(4) : warning BC42024: Unused local variable: 'x'.
Dim x As Integer
~
", outWriter.ToString())
End Sub
<Fact>
Public Sub AnalyzerConfigsInSameDir()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.cs").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim configText = "
[*.cs]
dotnet_diagnostic.cs0169.severity = suppress"
Dim analyzerConfig1 = dir.CreateFile("analyzerconfig1").WriteAllText(configText)
Dim analyzerConfig2 = dir.CreateFile("analyzerconfig2").WriteAllText(configText)
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig1.Path,
"/analyzerconfig:" + analyzerConfig2.Path,
src.Path
})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal(
$"vbc : error BC42500: Multiple analyzer config files cannot be in the same directory ('{dir.Path}').",
outWriter.ToString().TrimEnd())
End Sub
<Fact>
<WorkItem(34101, "https://github.com/dotnet/roslyn/issues/34101")>
Public Sub SuppressedWarnAsErrorsStillEmit()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
#Disable Warning BC42302
Module Module1
Sub Main()
Dim x = 42 ''' <test />
End Sub
End Module")
Const docName As String = "doc.xml"
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/errorlog:errorlog", $"/doc:{docName}", "/warnaserror", src.Path})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal("", outWriter.ToString())
Assert.Equal(0, exitCode)
Dim exePath = Path.Combine(dir.Path, "temp.exe")
Assert.True(File.Exists(exePath))
End Sub
<Fact>
Public Sub XmlMemoryMapped()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.cs").WriteAllText("
Class C
End Class")
Dim docName As String = "doc.xml"
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/t:library", "/preferreduilang:en", $"/doc:{docName}", src.Path})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString())
Dim xmlPath = Path.Combine(dir.Path, docName)
Using fileStream = New FileStream(xmlPath, FileMode.Open, FileAccess.Read, FileShare.ReadWrite)
Using mmf = MemoryMappedFile.CreateFromFile(fileStream, "xmlMap", 0, MemoryMappedFileAccess.Read, HandleInheritability.None, leaveOpen:=True)
exitCode = cmd.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.StartsWith($"vbc : error BC2012: can't open '{xmlPath}' for writing:", outWriter.ToString())
End Using
End Using
End Sub
<Fact>
<WorkItem(946954, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/946954")>
Public Sub CompilerBinariesAreAnyCPU()
Assert.Equal(ProcessorArchitecture.MSIL, AssemblyName.GetAssemblyName(s_basicCompilerExecutable).ProcessorArchitecture)
End Sub
<Fact, WorkItem(546322, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546322")>
Public Sub NowarnWarnaserrorTest()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/nowarn", "/warnaserror-", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/nowarn", "/warnaserror", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Error)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/nowarn", "/warnaserror+", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Error)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/warnaserror-", "/nowarn", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/warnaserror", "/nowarn", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/warnaserror+", "/nowarn", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
<WorkItem(21508, "https://github.com/dotnet/roslyn/issues/21508")>
Public Sub ArgumentStartWithDashAndContainingSlash()
Dim args As VisualBasicCommandLineArguments
Dim folder = Temp.CreateDirectory()
args = DefaultParse({"-debug+/debug:portable"}, folder.Path)
args.Errors.AssertTheseDiagnostics(<errors>
BC2007: unrecognized option '-debug+/debug:portable'; ignored
BC2008: no input sources specified
</errors>)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CommandLineCompilationWithQuotedMainArgument()
' Arguments with quoted rootnamespace and main type are unquoted when
' the arguments are read in by the command line compiler.
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/target:exe", "/rootnamespace:""test""", "/main:""test.Module1""", src})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
End Sub
<Fact>
Public Sub CreateCompilationWithKeyFile()
Dim source = "
Public Class C
Public Shared Sub Main()
End Sub
End Class"
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim cmd = New MockVisualBasicCompiler(dir.Path, {"/nologo", "a.vb", "/keyfile:key.snk"})
Dim comp = cmd.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.IsType(Of DesktopStrongNameProvider)(comp.Options.StrongNameProvider)
End Sub
<Fact>
Public Sub CreateCompilationWithCryptoContainer()
Dim source = "
Public Class C
Public Shared Sub Main()
End Sub
End Class"
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim cmd = New MockVisualBasicCompiler(dir.Path, {"/nologo", "a.vb", "/keycontainer:aaa"})
Dim comp = cmd.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.True(TypeOf comp.Options.StrongNameProvider Is DesktopStrongNameProvider)
End Sub
<Fact>
Public Sub CreateCompilationWithStrongNameFallbackCommand()
Dim source = "
Public Class C
Public Shared Sub Main()
End Sub
End Class"
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim cmd = New MockVisualBasicCompiler(dir.Path, {"/nologo", "a.vb", "/features:UseLegacyStrongNameProvider"})
Dim comp = cmd.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.True(TypeOf comp.Options.StrongNameProvider Is DesktopStrongNameProvider)
End Sub
<Fact>
Public Sub ParseQuotedMainTypeAndRootnamespace()
'These options are always unquoted when parsed in VisualBasicCommandLineParser.Parse.
Dim args = DefaultParse({"/rootnamespace:Test", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.RootNamespace)
args = DefaultParse({"/main:Test", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.MainTypeName)
args = DefaultParse({"/main:""Test""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.MainTypeName)
args = DefaultParse({"/rootnamespace:""Test""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.RootNamespace)
args = DefaultParse({"/rootnamespace:""test""", "/main:""test.Module1""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("test.Module1", args.CompilationOptions.MainTypeName)
Assert.Equal("test", args.CompilationOptions.RootNamespace)
' Use of Cyrillic namespace
args = DefaultParse({"/rootnamespace:""решения""", "/main:""решения.Module1""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("решения.Module1", args.CompilationOptions.MainTypeName)
Assert.Equal("решения", args.CompilationOptions.RootNamespace)
End Sub
<WorkItem(722561, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/722561")>
<Fact>
Public Sub Bug_722561()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Public Class C
End Class
</text>.Value).Path
' Previous versions of the compiler used to report warnings (BC2026, BC2014)
' whenever an unrecognized warning code was supplied via /nowarn or /warnaserror.
' We no longer generate a warning in such cases.
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", "/nowarn:-1", src})
Dim writer As New StringWriter()
Dim result = cmd.Run(writer, Nothing)
Assert.Equal(String.Empty, writer.ToString.Trim)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", "/nowarn:-12345678901234567890", src})
writer = New StringWriter()
result = cmd.Run(writer, Nothing)
Assert.Equal(String.Empty, writer.ToString.Trim)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", "/nowarn:-1234567890123456789", src})
writer = New StringWriter()
result = cmd.Run(writer, Nothing)
Assert.Equal(String.Empty, writer.ToString.Trim)
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcTest()
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:en"})
cmd.Run(output, Nothing)
Assert.True(output.ToString().StartsWith(s_logoLine1, StringComparison.Ordinal), "vbc should print logo and help if no args specified")
End Sub
<Fact>
Public Sub VbcNologo_1()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcNologo_1a()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo+", "/t:library", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcNologo_2()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/preferreduilang:en", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Dim patched As String = Regex.Replace(output.ToString().Trim(), "version \d+\.\d+\.\d+(-[\d\w]+)*", "version A.B.C-d")
patched = ReplaceCommitHash(patched)
Assert.Equal(<text>
Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
</text>.Value.Replace(vbLf, vbCrLf).Trim,
patched)
CleanupAllGeneratedFiles(src)
End Sub
<Theory,
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (<developer build>)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)"),
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (ABCDEF01)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)"),
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (abcdef90)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)"),
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (12345678)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)")>
Public Sub TestReplaceCommitHash(orig As String, expected As String)
Assert.Equal(expected, ReplaceCommitHash(orig))
End Sub
Private Shared Function ReplaceCommitHash(s As String) As String
Return Regex.Replace(s, "(\((<developer build>|[a-fA-F0-9]{8})\))", "(HASH)")
End Function
<Fact>
Public Sub VbcNologo_2a()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo-", "/preferreduilang:en", "/t:library", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Dim patched As String = Regex.Replace(output.ToString().Trim(), "version \d+\.\d+\.\d+(-[\w\d]+)*", "version A.B.C-d")
patched = ReplaceCommitHash(patched)
Assert.Equal(<text>
Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
</text>.Value.Replace(vbLf, vbCrLf).Trim,
patched)
CleanupAllGeneratedFiles(src)
End Sub
<Fact()>
Public Sub VbcUtf8Output_WithRedirecting_Off()
Dim src As String = Temp.CreateFile().WriteAllText("♚", New System.Text.UTF8Encoding(False)).Path
Dim tempOut = Temp.CreateFile()
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C """ & s_basicCompilerExecutable & """ /nologo /preferreduilang:en /t:library " & src & " > " & tempOut.Path, expectedRetCode:=1)
Assert.Equal("", output.Trim())
Assert.Equal(<text>
SRC.VB(1) : error BC30037: Character is not valid.
?
~
</text>.Value.Trim().Replace(vbLf, vbCrLf), tempOut.ReadAllText().Trim().Replace(src, "SRC.VB"))
CleanupAllGeneratedFiles(src)
End Sub
<Fact()>
Public Sub VbcUtf8Output_WithRedirecting_On()
Dim src As String = Temp.CreateFile().WriteAllText("♚", New System.Text.UTF8Encoding(False)).Path
Dim tempOut = Temp.CreateFile()
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C """ & s_basicCompilerExecutable & """ /utf8output /nologo /preferreduilang:en /t:library " & src & " > " & tempOut.Path, expectedRetCode:=1)
Assert.Equal("", output.Trim())
Assert.Equal(<text>
SRC.VB(1) : error BC30037: Character is not valid.
♚
~
</text>.Value.Trim().Replace(vbLf, vbCrLf), tempOut.ReadAllText().Trim().Replace(src, "SRC.VB"))
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcCompile_WithSourceCodeRedirectedViaStandardInput_ProducesRunnableProgram()
Dim result As ProcessResult
Dim tempDir As String = Temp.CreateDirectory().Path
If RuntimeInformation.IsOSPlatform(OSPlatform.Windows) Then
Dim sourceFile = Path.GetTempFileName()
File.WriteAllText(sourceFile, "
Module Program
Sub Main()
System.Console.WriteLine(""Hello World!"")
End Sub
End Module")
result = ProcessUtilities.Run("cmd", $"/C {s_basicCompilerExecutable} /nologo /t:exe - < {sourceFile}", workingDirectory:=tempDir)
File.Delete(sourceFile)
Else
result = ProcessUtilities.Run("/usr/bin/env", $"sh -c ""echo \
Module Program \
Sub Main\(\) \
System.Console.WriteLine\(\\\""Hello World\!\\\""\) \
End Sub \
End Module | {s_basicCompilerExecutable} /nologo /t:exe -""", workingDirectory:=tempDir,
redirectStandardInput:=True)
' we are testing shell's piped/redirected stdin behavior explicitly
' instead of using Process.StandardInput.Write(), so we set
' redirectStandardInput to true, which implies that isatty of child
' process is false and thereby Console.IsInputRedirected will return
' true in vbc code.
End If
Assert.False(result.ContainsErrors, $"Compilation error(s) occurred: {result.Output} {result.Errors}")
Dim output As String = If(RuntimeInformation.IsOSPlatform(OSPlatform.Windows),
ProcessUtilities.RunAndGetOutput("cmd.exe", $"/C ""{s_DotnetCscRun} -.exe""", expectedRetCode:=0, startFolder:=tempDir),
ProcessUtilities.RunAndGetOutput("sh", $"-c ""{s_DotnetCscRun} -.exe""", expectedRetCode:=0, startFolder:=tempDir))
Assert.Equal("Hello World!", output.Trim())
End Sub
<Fact>
Public Sub VbcCompile_WithSourceCodeRedirectedViaStandardInput_ProducesLibrary()
Dim name = Guid.NewGuid().ToString() & ".dll"
Dim tempDir As String = Temp.CreateDirectory().Path
Dim result As ProcessResult
If RuntimeInformation.IsOSPlatform(OSPlatform.Windows) Then
Dim sourceFile = Path.GetTempFileName()
File.WriteAllText(sourceFile, "
Class A
public Function GetVal() As A
Return Nothing
End Function
End Class")
result = ProcessUtilities.Run("cmd", $"/C {s_basicCompilerExecutable} /nologo /t:library /out:{name} - < {sourceFile}", workingDirectory:=tempDir)
File.Delete(sourceFile)
Else
result = ProcessUtilities.Run("/usr/bin/env", $"sh -c ""echo \
Class A \
Public Function GetVal\(\) As A \
Return Nothing \
End Function \
End Class | {s_basicCompilerExecutable} /nologo /t:library /out:{name} -""", workingDirectory:=tempDir,
redirectStandardInput:=True)
' we are testing shell's piped/redirected stdin behavior explicitly
' instead of using Process.StandardInput.Write(), so we set
' redirectStandardInput to true, which implies that isatty of child
' process is false and thereby Console.IsInputRedirected will return
' true in vbc code.
End If
Assert.False(result.ContainsErrors, $"Compilation error(s) occurred: {result.Output} {result.Errors}")
Dim assemblyName = System.Reflection.AssemblyName.GetAssemblyName(Path.Combine(tempDir, name))
Assert.Equal(name.Replace(".dll", ", Version=0.0.0.0, Culture=neutral, PublicKeyToken=null"),
assemblyName.ToString())
End Sub
<Fact>
Public Sub VbcCompile_WithRedirectedInputIndicatorAndStandardInputNotRedirected_ReportsBC56032()
If Console.IsInputRedirected Then
' [applicable to both Windows and Unix]
' if our parent (xunit) process itself has input redirected, we cannot test this
' error case because our child process will inherit it and we cannot achieve what
' we are aiming for: isatty(0):true and thereby Console.IsInputerRedirected:false in
' child. running this case will make StreamReader to hang (waiting for input, that
' we do not propagate: parent.In->child.In).
'
' note: in Unix we can "close" fd0 by appending `0>&-` in the `sh -c` command below,
' but that will also not impact the result of isatty(), and in turn causes a different
' compiler error.
Return
End If
Dim tempDir As String = Temp.CreateDirectory().Path
Dim result As ProcessResult = If(RuntimeInformation.IsOSPlatform(OSPlatform.Windows),
ProcessUtilities.Run("cmd", $"/C ""{s_basicCompilerExecutable} /nologo /t:exe -""", workingDirectory:=tempDir),
ProcessUtilities.Run("/usr/bin/env", $"sh -c ""{s_basicCompilerExecutable} /nologo /t:exe -""", workingDirectory:=tempDir))
Assert.True(result.ContainsErrors)
Assert.Contains(CInt(ERRID.ERR_StdInOptionProvidedButConsoleInputIsNotRedirected).ToString(), result.Output)
End Sub
<Fact()>
Public Sub ResponseFiles1()
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/r:System.dll
/nostdlib
/vbruntime-
# this is ignored
System.Console.WriteLine("*?"); # this is error
a.vb
</text>.Value).Path
Dim cmd = New MockVisualBasicCompiler(rsp, _baseDirectory, {"b.vb"})
AssertEx.Equal({"System.dll"}, cmd.Arguments.MetadataReferences.Select(Function(r) r.Reference))
AssertEx.Equal(
{
Path.Combine(_baseDirectory, "a.vb"),
Path.Combine(_baseDirectory, "b.vb")
},
cmd.Arguments.SourceFiles.Select(Function(file) file.Path))
Assert.NotEmpty(cmd.Arguments.Errors)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(685392, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/685392")>
<Fact()>
Public Sub ResponseFiles_RootNamespace()
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/r:System.dll
/rootnamespace:"Hello"
a.vb
</text>.Value).Path
Dim cmd = New MockVisualBasicCompiler(rsp, _baseDirectory, {"b.vb"})
Assert.Equal("Hello", cmd.Arguments.CompilationOptions.RootNamespace)
CleanupAllGeneratedFiles(rsp)
End Sub
Private Sub AssertGlobalImports(expectedImportStrings As String(), actualImports As GlobalImport())
Assert.Equal(expectedImportStrings.Length, actualImports.Count)
For i = 0 To expectedImportStrings.Length - 1
Assert.Equal(expectedImportStrings(i), actualImports(i).Clause.ToString)
Next
End Sub
<Fact>
Public Sub ParseGlobalImports()
Dim args = DefaultParse({"/imports: System ,System.Xml ,System.Linq", "a.vb"}, _baseDirectory)
args.Errors.Verify()
AssertEx.Equal({"System", "System.Xml", "System.Linq"}, args.CompilationOptions.GlobalImports.Select(Function(import) import.Clause.ToString()))
args = DefaultParse({"/impORt: System,,,,,", "/IMPORTs:,,,Microsoft.VisualBasic,,System.IO", "a.vb"}, _baseDirectory)
args.Errors.Verify()
AssertEx.Equal({"System", "Microsoft.VisualBasic", "System.IO"}, args.CompilationOptions.GlobalImports.Select(Function(import) import.Clause.ToString()))
args = DefaultParse({"/impORt: System, ,, ,,", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ExpectedIdentifier),
Diagnostic(ERRID.ERR_ExpectedIdentifier))
args = DefaultParse({"/impORt:", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("import", ":<str>"))
args = DefaultParse({"/impORts:", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("imports", ":<import_list>"))
args = DefaultParse({"/imports", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("imports", ":<import_list>"))
args = DefaultParse({"/imports+", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/imports+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub ParseInteractive()
Dim args As VisualBasicCommandLineArguments
args = DefaultParse({}, _baseDirectory)
args.Errors.Verify()
Assert.False(args.InteractiveMode)
args = DefaultParse({"/i"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/i").WithLocation(1, 1),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1)})
Assert.False(args.InteractiveMode)
args = InteractiveParse({}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.InteractiveMode)
args = InteractiveParse({"a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.False(args.InteractiveMode)
args = InteractiveParse({"/i", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.InteractiveMode)
args = InteractiveParse({"/i+", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.InteractiveMode)
args = InteractiveParse({"/i+ /i-", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.False(args.InteractiveMode)
For Each flag In {"i", "i+", "i-"}
args = InteractiveParse({"/" + flag + ":arg"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("i").WithLocation(1, 1))
Next
End Sub
<Fact>
Public Sub ParseInstrumentTestNames()
Dim args As VisualBasicCommandLineArguments
args = DefaultParse({}, _baseDirectory)
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:""""", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:", "Test.Flag.Name", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:InvalidOption", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_InvalidInstrumentationKind).WithArguments("InvalidOption").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:None", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_InvalidInstrumentationKind).WithArguments("None").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:""TestCoverage,InvalidOption""", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_InvalidInstrumentationKind).WithArguments("InvalidOption").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:TestCoverage", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:""TestCoverage""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:""TESTCOVERAGE""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:TestCoverage,TestCoverage", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:TestCoverage", "/instrument:TestCoverage", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
End Sub
<Fact>
Public Sub ResponseFiles2()
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/r:System
/r:System.Core
/r:System.Data
/r:System.Data.DataSetExtensions
/r:System.Xml
/r:System.Xml.Linq
/imports:System
/imports:System.Collections.Generic
/imports:System.Linq
/imports:System.Text</text>.Value).Path
Dim cmd = New MockVbi(rsp, _baseDirectory, {"b.vbx"})
' TODO (tomat): mscorlib, vbruntime order
'AssertEx.Equal({GetType(Object).Assembly.Location,
' GetType(Microsoft.VisualBasic.Globals).Assembly.Location,
' "System", "System.Core", "System.Data", "System.Data.DataSetExtensions", "System.Xml", "System.Xml.Linq"},
' cmd.Arguments.AssemblyReferences.Select(Function(r)
' Return If(r.Kind = ReferenceKind.AssemblyName,
' (DirectCast(r, AssemblyNameReference)).Name,
' (DirectCast(r, AssemblyFileReference)).Path)
' End Function))
AssertEx.Equal({"System", "System.Collections.Generic", "System.Linq", "System.Text"},
cmd.Arguments.CompilationOptions.GlobalImports.Select(Function(import) import.Clause.ToString()))
End Sub
<Fact, WorkItem(546028, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546028")>
Public Sub Win32ResourceArguments()
Dim args As String() = {"/win32manifest:..\here\there\everywhere\nonexistent"}
Dim parsedArgs = DefaultParse(args, _baseDirectory)
Dim compilation = CreateCompilationWithMscorlib40(New VisualBasicSyntaxTree() {})
Dim errors As IEnumerable(Of DiagnosticInfo) = Nothing
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToReadUacManifest2, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32icon:\bogus"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32Resource:\bogus"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/win32manifest:goo.win32data:bar.win32data2"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToReadUacManifest2, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32icon:goo.win32data:bar.win32data2"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32Resource:goo.win32data:bar.win32data2"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
End Sub
<Fact>
Public Sub Win32IconContainsGarbage()
Dim tmpFileName As String = Temp.CreateFile().WriteAllBytes(New Byte() {1, 2, 3, 4, 5, 6, 7, 8, 9, 10}).Path
Dim parsedArgs = DefaultParse({"/win32icon:" + tmpFileName}, _baseDirectory)
Dim compilation = CreateCompilationWithMscorlib40(New VisualBasicSyntaxTree() {})
Dim errors As IEnumerable(Of DiagnosticInfo) = Nothing
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_ErrorCreatingWin32ResourceFile, Integer), errors.First().Code)
Assert.Equal(1, errors.First().Arguments.Count())
CleanupAllGeneratedFiles(tmpFileName)
End Sub
<WorkItem(217718, "https://devdiv.visualstudio.com/DevDiv/_workitems?id=217718")>
<Fact>
Public Sub BadWin32Resource()
Dim source = Temp.CreateFile(prefix:="", extension:=".vb").WriteAllText("
Module Test
Sub Main()
End Sub
End Module").Path
Dim badres = Temp.CreateFile().WriteAllBytes(New Byte() {0, 0}).Path
Dim baseDir = Path.GetDirectoryName(source)
Dim fileName = Path.GetFileName(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = New MockVisualBasicCompiler(Nothing, baseDir,
{
"/nologo",
"/preferreduilang:en",
"/win32resource:" + badres,
source
}).Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC30136: Error creating Win32 resources: Unrecognized resource file format.", outWriter.ToString().Trim())
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(badres)
End Sub
<Fact>
Public Sub Win32ResourceOptions_Valid()
CheckWin32ResourceOptions({"/win32resource:a"}, "a", Nothing, Nothing, False)
CheckWin32ResourceOptions({"/win32icon:b"}, Nothing, "b", Nothing, False)
CheckWin32ResourceOptions({"/win32manifest:c"}, Nothing, Nothing, "c", False)
CheckWin32ResourceOptions({"/nowin32manifest"}, Nothing, Nothing, Nothing, True)
End Sub
<Fact>
Public Sub Win32ResourceOptions_Empty()
CheckWin32ResourceOptions({"/win32resource"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
CheckWin32ResourceOptions({"/win32resource:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
CheckWin32ResourceOptions({"/win32resource: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
CheckWin32ResourceOptions({"/win32icon"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
CheckWin32ResourceOptions({"/win32icon:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
CheckWin32ResourceOptions({"/win32icon: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
CheckWin32ResourceOptions({"/win32manifest"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
CheckWin32ResourceOptions({"/win32manifest:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
CheckWin32ResourceOptions({"/win32manifest: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
CheckWin32ResourceOptions({"/nowin32manifest"}, Nothing, Nothing, Nothing, True)
CheckWin32ResourceOptions({"/nowin32manifest:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/nowin32manifest:"))
CheckWin32ResourceOptions({"/nowin32manifest: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/nowin32manifest:"))
End Sub
<Fact>
Public Sub Win32ResourceOptions_Combinations()
' last occurrence wins
CheckWin32ResourceOptions({"/win32resource:r", "/win32resource:s"}, "s", Nothing, Nothing, False)
' illegal
CheckWin32ResourceOptions({"/win32resource:r", "/win32icon:i"}, "r", "i", Nothing, False,
Diagnostic(ERRID.ERR_IconFileAndWin32ResFile))
' documented as illegal, but works in dev10
CheckWin32ResourceOptions({"/win32resource:r", "/win32manifest:m"}, "r", Nothing, "m", False,
Diagnostic(ERRID.ERR_CantHaveWin32ResAndManifest))
' fine
CheckWin32ResourceOptions({"/win32resource:r", "/nowin32manifest"}, "r", Nothing, Nothing, True)
' illegal
CheckWin32ResourceOptions({"/win32icon:i", "/win32resource:r"}, "r", "i", Nothing, False,
Diagnostic(ERRID.ERR_IconFileAndWin32ResFile))
' last occurrence wins
CheckWin32ResourceOptions({"/win32icon:i", "/win32icon:j"}, Nothing, "j", Nothing, False)
' fine
CheckWin32ResourceOptions({"/win32icon:i", "/win32manifest:m"}, Nothing, "i", "m", False)
' fine
CheckWin32ResourceOptions({"/win32icon:i", "/nowin32manifest"}, Nothing, "i", Nothing, True)
' documented as illegal, but works in dev10
CheckWin32ResourceOptions({"/win32manifest:m", "/win32resource:r"}, "r", Nothing, "m", False,
Diagnostic(ERRID.ERR_CantHaveWin32ResAndManifest))
' fine
CheckWin32ResourceOptions({"/win32manifest:m", "/win32icon:i"}, Nothing, "i", "m", False)
' last occurrence wins
CheckWin32ResourceOptions({"/win32manifest:m", "/win32manifest:n"}, Nothing, Nothing, "n", False)
' illegal
CheckWin32ResourceOptions({"/win32manifest:m", "/nowin32manifest"}, Nothing, Nothing, "m", True,
Diagnostic(ERRID.ERR_ConflictingManifestSwitches))
' fine
CheckWin32ResourceOptions({"/nowin32manifest", "/win32resource:r"}, "r", Nothing, Nothing, True)
' fine
CheckWin32ResourceOptions({"/nowin32manifest", "/win32icon:i"}, Nothing, "i", Nothing, True)
' illegal
CheckWin32ResourceOptions({"/nowin32manifest", "/win32manifest:m"}, Nothing, Nothing, "m", True,
Diagnostic(ERRID.ERR_ConflictingManifestSwitches))
' fine
CheckWin32ResourceOptions({"/nowin32manifest", "/nowin32manifest"}, Nothing, Nothing, Nothing, True)
End Sub
<Fact>
Public Sub Win32ResourceOptions_SimplyInvalid()
Dim parsedArgs = DefaultParse({"/win32resource", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
parsedArgs = DefaultParse({"/win32resource+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32resource+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32resource-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32resource-")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32icon", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
parsedArgs = DefaultParse({"/win32icon+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32icon+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32icon-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32icon-")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32manifest", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
parsedArgs = DefaultParse({"/win32manifest+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32manifest+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32manifest-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32manifest-")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
Private Sub CheckWin32ResourceOptions(args As String(), expectedResourceFile As String, expectedIcon As String, expectedManifest As String, expectedNoManifest As Boolean, ParamArray diags As DiagnosticDescription())
Dim parsedArgs = DefaultParse(args.Concat({"Test.vb"}), _baseDirectory)
parsedArgs.Errors.Verify(diags)
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(expectedResourceFile, parsedArgs.Win32ResourceFile)
Assert.Equal(expectedIcon, parsedArgs.Win32Icon)
Assert.Equal(expectedManifest, parsedArgs.Win32Manifest)
Assert.Equal(expectedNoManifest, parsedArgs.NoWin32Manifest)
End Sub
<Fact>
Public Sub ParseResourceDescription()
Dim diags = New List(Of Diagnostic)()
Dim desc As ResourceDescription
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,someName", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someName", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,someName,public", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someName", desc.ResourceName)
Assert.True(desc.IsPublic)
' use file name in place of missing resource name
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' quoted accessibility is fine
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,""private""", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' leading commas are ignored...
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", ",,\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' ...as long as there's no whitespace between them
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", ", ,\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
' trailing commas are ignored...
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' ...even if there's whitespace between them
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,private, ,", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,someName,publi", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", "publi"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "D:rive\relative\path,someName,public", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("D:rive\relative\path"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "inva\l*d?path,someName,public", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("inva\l*d?path"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", Nothing, _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " , ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path, ", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("path", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ,name", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " , , ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path, , ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ,name, ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " , ,private", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path,name,", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("name", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path,name,,", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("name", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path,name, ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path, ,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("path", desc.ResourceName)
Assert.False(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ,name,private", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
Dim longI = New String("i"c, 260)
desc = VisualBasicCommandLineParser.ParseResourceDescription("", String.Format("{0},e,private", longI), _baseDirectory, diags, embedded:=False)
' // error BC2032: File name 'iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiii' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long
diags.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiii").WithLocation(1, 1))
End Sub
<Fact>
Public Sub ManagedResourceOptions()
Dim parsedArgs As VisualBasicCommandLineArguments
Dim resourceDescription As ResourceDescription
parsedArgs = DefaultParse({"/resource:a", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Null(resourceDescription.FileName) ' since embedded
Assert.Equal("a", resourceDescription.ResourceName)
parsedArgs = DefaultParse({"/res:b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Null(resourceDescription.FileName) ' since embedded
Assert.Equal("b", resourceDescription.ResourceName)
parsedArgs = DefaultParse({"/linkresource:c", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Equal("c", resourceDescription.FileName)
Assert.Equal("c", resourceDescription.ResourceName)
parsedArgs = DefaultParse({"/linkres:d", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Equal("d", resourceDescription.FileName)
Assert.Equal("d", resourceDescription.ResourceName)
End Sub
<Fact>
Public Sub ManagedResourceOptions_SimpleErrors()
Dim parsedArgs = DefaultParse({"/resource:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
parsedArgs = DefaultParse({"/resource: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
parsedArgs = DefaultParse({"/resource", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
parsedArgs = DefaultParse({"/RES+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/RES+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/res-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/res-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/linkresource:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("linkresource", ":<resinfo>"))
parsedArgs = DefaultParse({"/linkresource: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("linkresource", ":<resinfo>"))
parsedArgs = DefaultParse({"/linkresource", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("linkresource", ":<resinfo>"))
parsedArgs = DefaultParse({"/linkRES+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/linkRES+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/linkres-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/linkres-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub ModuleManifest()
Dim parsedArgs = DefaultParse({"/win32manifest:blah", "/target:module", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_IgnoreModuleManifest))
' Illegal, but not clobbered.
Assert.Equal("blah", parsedArgs.Win32Manifest)
End Sub
<Fact>
Public Sub ArgumentParsing()
Dim parsedArgs = InteractiveParse({"a + b"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"a + b; c"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/help"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(True, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/version"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.True(parsedArgs.DisplayVersion)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/version", "c"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.True(parsedArgs.DisplayVersion)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/version:something"}, _baseDirectory)
Assert.Equal(True, parsedArgs.Errors.Any())
Assert.False(parsedArgs.DisplayVersion)
parsedArgs = InteractiveParse({"/?"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(True, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"@dd"}, _baseDirectory)
Assert.Equal(True, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"c /define:DEBUG"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"\\"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"""/r d.dll"""}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/r: d.dll"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
End Sub
<Fact>
Public Sub LangVersion()
Dim parsedArgs = DefaultParse({"/langversion:9", "a.VB"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic9, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:9.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic9, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:10", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic10, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:10.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic10, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:11", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic11, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:11.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic11, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:12", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic12, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:12.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic12, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:14", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic14, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:14.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic14, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15.3", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15_3, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15.5", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15_5, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:16", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic16, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:16.9", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic16_9, parsedArgs.ParseOptions.LanguageVersion)
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
parsedArgs = DefaultParse({"/langVERSION:default", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.Default, parsedArgs.ParseOptions.SpecifiedLanguageVersion)
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:latest", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.Latest, parsedArgs.ParseOptions.SpecifiedLanguageVersion)
Assert.Equal(LanguageVersion.Latest.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
' default: "current version"
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
' overriding
parsedArgs = DefaultParse({"/langVERSION:10", "/langVERSION:9.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic9, parsedArgs.ParseOptions.LanguageVersion)
' errors
parsedArgs = DefaultParse({"/langVERSION", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("langversion", ":<number>"))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/langVERSION+")) ' TODO: Dev11 reports ERR_ArgumentRequired
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("langversion", ":<number>"))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:8", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("langversion", "8"))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:" & (LanguageVersion.VisualBasic12 + 1), "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("langversion", CStr(LanguageVersion.VisualBasic12 + 1)))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
End Sub
<Fact>
Public Sub DelaySign()
Dim parsedArgs = DefaultParse({"/delaysign", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.NotNull(parsedArgs.CompilationOptions.DelaySign)
Assert.Equal(True, parsedArgs.CompilationOptions.DelaySign)
parsedArgs = DefaultParse({"/delaysign+", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.NotNull(parsedArgs.CompilationOptions.DelaySign)
Assert.Equal(True, parsedArgs.CompilationOptions.DelaySign)
parsedArgs = DefaultParse({"/DELAYsign-", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.NotNull(parsedArgs.CompilationOptions.DelaySign)
Assert.Equal(False, parsedArgs.CompilationOptions.DelaySign)
parsedArgs = DefaultParse({"/delaysign:-", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("delaysign"))
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationOptions.DelaySign)
End Sub
<WorkItem(546113, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546113")>
<Fact>
Public Sub OutputVerbose()
Dim parsedArgs = DefaultParse({"/verbose", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Verbose, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Verbose, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/VERBOSE:-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/VERBOSE:-"))
parsedArgs = DefaultParse({"/verbose-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("verbose"))
parsedArgs = DefaultParse({"/verbose+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("verbose"))
parsedArgs = DefaultParse({"/verbOSE:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/verbOSE:"))
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet", "/verbose", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Verbose, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet", "/verbose-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
End Sub
<WorkItem(546113, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546113")>
<Fact>
Public Sub OutputQuiet()
Dim parsedArgs = DefaultParse({"/quiet", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Quiet, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Quiet, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/QUIET:-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/QUIET:-"))
parsedArgs = DefaultParse({"/quiet-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("quiet"))
parsedArgs = DefaultParse({"/quiet+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("quiet"))
parsedArgs = DefaultParse({"/quiET:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/quiET:"))
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose", "/quiet", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Quiet, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose", "/quiet-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
End Sub
<Fact>
Public Sub Optimize()
Dim parsedArgs = DefaultParse({"/optimize", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Release, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Debug, parsedArgs.CompilationOptions.OptimizationLevel) ' default
parsedArgs = DefaultParse({"/OPTIMIZE+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Release, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"/optimize-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Debug, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"/optimize-", "/optimize+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Release, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"/OPTIMIZE:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optimize"))
parsedArgs = DefaultParse({"/OPTIMIZE+:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optimize"))
parsedArgs = DefaultParse({"/optimize-:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optimize"))
End Sub
<WorkItem(5417, "DevDiv")>
<Fact>
Public Sub Deterministic()
Dim ParsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(False, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/deterministic+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(True, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/deterministic", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(True, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/DETERMINISTIC+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(True, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/deterministic-", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(False, ParsedArgs.CompilationOptions.Deterministic)
End Sub
<WorkItem(546301, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546301")>
<Fact>
Public Sub Parallel()
Dim parsedArgs = DefaultParse({"/parallel", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/p", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild) ' default
parsedArgs = DefaultParse({"/PARALLEL+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/PARALLEL-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/PArallel-", "/PArallel+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/parallel:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("parallel"))
parsedArgs = DefaultParse({"/parallel+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("parallel"))
parsedArgs = DefaultParse({"/parallel-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("parallel"))
parsedArgs = DefaultParse({"/P+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/P-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/P-", "/P+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/p:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("p"))
parsedArgs = DefaultParse({"/p+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("p"))
parsedArgs = DefaultParse({"/p-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("p"))
End Sub
<Fact>
Public Sub SubsystemVersionTests()
Dim parsedArgs = DefaultParse({"/subsystemversion:4.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SubsystemVersion.Create(4, 0), parsedArgs.EmitOptions.SubsystemVersion)
' wrongly supported subsystem version. CompilationOptions data will be faithful to the user input.
' It is normalized at the time of emit.
parsedArgs = DefaultParse({"/subsystemversion:0.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify() ' no error in Dev11
Assert.Equal(SubsystemVersion.Create(0, 0), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify() ' no error in Dev11
Assert.Equal(SubsystemVersion.Create(0, 0), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:3.99", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify() ' no warning in Dev11
Assert.Equal(SubsystemVersion.Create(3, 99), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:4.0", "/subsystemversion:5.333", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SubsystemVersion.Create(5, 333), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("subsystemversion", ":<version>"))
parsedArgs = DefaultParse({"/subsystemversion", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("subsystemversion", ":<version>"))
parsedArgs = DefaultParse({"/subsystemversion-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/subsystemversion-")) ' TODO: Dev11 reports ERRID.ERR_ArgumentRequired
parsedArgs = DefaultParse({"/subsystemversion: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("subsystemversion", ":<version>"))
parsedArgs = DefaultParse({"/subsystemversion: 4.1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments(" 4.1"))
parsedArgs = DefaultParse({"/subsystemversion:4 .0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4 .0"))
parsedArgs = DefaultParse({"/subsystemversion:4. 0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4. 0"))
parsedArgs = DefaultParse({"/subsystemversion:.", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("."))
parsedArgs = DefaultParse({"/subsystemversion:4.", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4."))
parsedArgs = DefaultParse({"/subsystemversion:.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments(".0"))
parsedArgs = DefaultParse({"/subsystemversion:4.2 ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/subsystemversion:4.65536", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4.65536"))
parsedArgs = DefaultParse({"/subsystemversion:65536.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("65536.0"))
parsedArgs = DefaultParse({"/subsystemversion:-4.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("-4.0"))
' TODO: incompatibilities: versions lower than '6.2' and 'arm', 'winmdobj', 'appcontainer'
End Sub
<Fact>
Public Sub Codepage()
Dim parsedArgs = DefaultParse({"/CodePage:1200", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("Unicode", parsedArgs.Encoding.EncodingName)
parsedArgs = DefaultParse({"/CodePage:1200", "/CodePage:65001", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("Unicode (UTF-8)", parsedArgs.Encoding.EncodingName)
' errors
parsedArgs = DefaultParse({"/codepage:0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadCodepage).WithArguments("0"))
parsedArgs = DefaultParse({"/codepage:abc", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadCodepage).WithArguments("abc"))
parsedArgs = DefaultParse({"/codepage:-5", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadCodepage).WithArguments("-5"))
parsedArgs = DefaultParse({"/codepage: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("codepage", ":<number>"))
parsedArgs = DefaultParse({"/codepage:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("codepage", ":<number>"))
parsedArgs = DefaultParse({"/codepage+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/codepage+")) ' Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/codepage", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("codepage", ":<number>"))
End Sub
<Fact, WorkItem(24735, "https://github.com/dotnet/roslyn/issues/24735")>
Public Sub ChecksumAlgorithm()
Dim parsedArgs As VisualBasicCommandLineArguments
parsedArgs = DefaultParse({"/checksumAlgorithm:sHa1", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SourceHashAlgorithm.Sha1, parsedArgs.ChecksumAlgorithm)
Assert.Equal(HashAlgorithmName.SHA256, parsedArgs.EmitOptions.PdbChecksumAlgorithm)
parsedArgs = DefaultParse({"/checksumAlgorithm:sha256", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SourceHashAlgorithm.Sha256, parsedArgs.ChecksumAlgorithm)
Assert.Equal(HashAlgorithmName.SHA256, parsedArgs.EmitOptions.PdbChecksumAlgorithm)
parsedArgs = DefaultParse({"a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SourceHashAlgorithm.Sha256, parsedArgs.ChecksumAlgorithm)
Assert.Equal(HashAlgorithmName.SHA256, parsedArgs.EmitOptions.PdbChecksumAlgorithm)
' error
parsedArgs = DefaultParse({"/checksumAlgorithm:256", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadChecksumAlgorithm).WithArguments("256"))
parsedArgs = DefaultParse({"/checksumAlgorithm:sha-1", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadChecksumAlgorithm).WithArguments("sha-1"))
parsedArgs = DefaultParse({"/checksumAlgorithm:sha", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadChecksumAlgorithm).WithArguments("sha"))
parsedArgs = DefaultParse({"/checksumAlgorithm: ", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("checksumalgorithm", ":<algorithm>"))
parsedArgs = DefaultParse({"/checksumAlgorithm:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("checksumalgorithm", ":<algorithm>"))
parsedArgs = DefaultParse({"/checksumAlgorithm", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("checksumalgorithm", ":<algorithm>"))
parsedArgs = DefaultParse({"/checksumAlgorithm+", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/checksumAlgorithm+"))
End Sub
<Fact>
Public Sub MainTypeName()
Dim parsedArgs = DefaultParse({"/main:A.B.C", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("A.B.C", parsedArgs.CompilationOptions.MainTypeName)
' overriding the value
parsedArgs = DefaultParse({"/Main:A.B.C", "/M:X.Y.Z", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("X.Y.Z", parsedArgs.CompilationOptions.MainTypeName)
parsedArgs = DefaultParse({"/MAIN: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("main", ":<class>"))
Assert.Null(parsedArgs.CompilationOptions.MainTypeName) ' EDMAURER Dev11 accepts and MainTypeName is " "
' errors
parsedArgs = DefaultParse({"/maiN:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("main", ":<class>"))
parsedArgs = DefaultParse({"/m", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("m", ":<class>"))
parsedArgs = DefaultParse({"/m+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/m+")) ' Dev11 reports ERR_ArgumentRequired
' incompatibilities ignored by Dev11
parsedArgs = DefaultParse({"/MAIN:XYZ", "/t:library", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("XYZ", parsedArgs.CompilationOptions.MainTypeName)
Assert.Equal(OutputKind.DynamicallyLinkedLibrary, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/MAIN:XYZ", "/t:module", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
End Sub
<Fact>
Public Sub OptionCompare()
Dim parsedArgs = InteractiveParse({"/optioncompare"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optioncompare", ":binary|text"))
Assert.Equal(False, parsedArgs.CompilationOptions.OptionCompareText)
parsedArgs = InteractiveParse({"/optioncompare:text", "/optioncompare"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optioncompare", ":binary|text"))
Assert.Equal(True, parsedArgs.CompilationOptions.OptionCompareText)
parsedArgs = InteractiveParse({"/opTioncompare:Text", "/optioncomparE:bINARY"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(False, parsedArgs.CompilationOptions.OptionCompareText)
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(False, parsedArgs.CompilationOptions.OptionCompareText)
End Sub
<Fact>
Public Sub OptionExplicit()
Dim parsedArgs = InteractiveParse({"/optiONexplicit"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
parsedArgs = InteractiveParse({"/optiONexplicit:+"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optionexplicit"))
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
parsedArgs = InteractiveParse({"/optiONexplicit-:"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optionexplicit"))
parsedArgs = InteractiveParse({"/optionexplicit+", "/optiONexplicit-:"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optionexplicit"))
parsedArgs = InteractiveParse({"/optionexplicit+", "/optiONexplicit-", "/optiONexpliCIT+"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
End Sub
<Fact>
Public Sub OptionInfer()
Dim parsedArgs = InteractiveParse({"/optiONinfer"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionInfer)
parsedArgs = InteractiveParse({"/OptionInfer:+"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optioninfer"))
parsedArgs = InteractiveParse({"/OPTIONinfer-:"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optioninfer"))
parsedArgs = InteractiveParse({"/optioninfer+", "/optioninFER-:"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optioninfer"))
parsedArgs = InteractiveParse({"/optioninfer+", "/optioninfeR-", "/OptionInfer+"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.OptionInfer)
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.CompilationOptions.OptionInfer)
End Sub
Private ReadOnly s_VBC_VER As Double = PredefinedPreprocessorSymbols.CurrentVersionNumber
<Fact>
Public Sub LanguageVersionAdded_Canary()
' When a new version is added, this test will break. This list must be checked:
' - update the "UpgradeProject" codefixer (not yet supported in VB)
' - update all the tests that call this canary
' - update the command-line documentation (CommandLine.md)
AssertEx.SetEqual({"default", "9", "10", "11", "12", "14", "15", "15.3", "15.5", "16", "16.9", "latest"},
System.Enum.GetValues(GetType(LanguageVersion)).Cast(Of LanguageVersion)().Select(Function(v) v.ToDisplayString()))
' For minor versions, the format should be "x.y", such as "15.3"
End Sub
<Fact>
Public Sub LanguageVersion_GetErrorCode()
Dim versions = System.Enum.GetValues(GetType(LanguageVersion)).
Cast(Of LanguageVersion)().
Except({LanguageVersion.Default, LanguageVersion.Latest}).
Select(Function(v) v.GetErrorName())
Dim errorCodes = {
"9.0",
"10.0",
"11.0",
"12.0",
"14.0",
"15.0",
"15.3",
"15.5",
"16",
"16.9"
}
AssertEx.SetEqual(versions, errorCodes)
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
End Sub
<Fact>
Public Sub LanguageVersion_MapSpecifiedToEffectiveVersion()
Assert.Equal(LanguageVersion.VisualBasic9, LanguageVersion.VisualBasic9.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic10, LanguageVersion.VisualBasic10.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic11, LanguageVersion.VisualBasic11.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic12, LanguageVersion.VisualBasic12.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic14, LanguageVersion.VisualBasic14.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic15, LanguageVersion.VisualBasic15.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic15_3, LanguageVersion.VisualBasic15_3.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic15_5, LanguageVersion.VisualBasic15_5.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic16, LanguageVersion.VisualBasic16.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic16_9, LanguageVersion.VisualBasic16_9.MapSpecifiedToEffectiveVersion())
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
End Sub
<Theory,
InlineData("9", True, LanguageVersion.VisualBasic9),
InlineData("9.0", True, LanguageVersion.VisualBasic9),
InlineData("10", True, LanguageVersion.VisualBasic10),
InlineData("10.0", True, LanguageVersion.VisualBasic10),
InlineData("11", True, LanguageVersion.VisualBasic11),
InlineData("11.0", True, LanguageVersion.VisualBasic11),
InlineData("12", True, LanguageVersion.VisualBasic12),
InlineData("12.0", True, LanguageVersion.VisualBasic12),
InlineData("14", True, LanguageVersion.VisualBasic14),
InlineData("14.0", True, LanguageVersion.VisualBasic14),
InlineData("15", True, LanguageVersion.VisualBasic15),
InlineData("15.0", True, LanguageVersion.VisualBasic15),
InlineData("15.3", True, LanguageVersion.VisualBasic15_3),
InlineData("15.5", True, LanguageVersion.VisualBasic15_5),
InlineData("16", True, LanguageVersion.VisualBasic16),
InlineData("16.0", True, LanguageVersion.VisualBasic16),
InlineData("16.9", True, LanguageVersion.VisualBasic16_9),
InlineData("DEFAULT", True, LanguageVersion.Default),
InlineData("default", True, LanguageVersion.Default),
InlineData("LATEST", True, LanguageVersion.Latest),
InlineData("latest", True, LanguageVersion.Latest),
InlineData(Nothing, False, LanguageVersion.Default),
InlineData("bad", False, LanguageVersion.Default)>
Public Sub LanguageVersion_TryParseDisplayString(input As String, success As Boolean, expected As LanguageVersion)
Dim version As LanguageVersion
Assert.Equal(success, TryParse(input, version))
Assert.Equal(expected, version)
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
End Sub
<Fact>
Public Sub LanguageVersion_ListLangVersions()
Dim dir = Temp.CreateDirectory()
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, dir.ToString(), {"/langversion:?"}).Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim actual = outWriter.ToString()
Dim expected = [Enum].GetValues(GetType(LanguageVersion)).Cast(Of LanguageVersion)().Select(Function(v) v.ToDisplayString())
Dim acceptableSurroundingChar = {CChar(vbCr), CChar(vbLf), "("c, ")"c, " "c}
For Each v In expected
Dim foundIndex = actual.IndexOf(v)
Assert.True(foundIndex > 0, $"Missing version '{v}'")
Assert.True(Array.IndexOf(acceptableSurroundingChar, actual(foundIndex - 1)) >= 0)
Assert.True(Array.IndexOf(acceptableSurroundingChar, actual(foundIndex + v.Length)) >= 0)
Next
End Sub
<Fact>
Public Sub TestDefine()
TestDefines({"/D:a=True,b=1", "a.vb"},
{"a", True},
{"b", 1},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/D:a=True,b=1", "/define:a=""123"",b=False", "a.vb"},
{"a", "123"},
{"b", False},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/D:a=""\\\\a"",b=""\\\\\b""", "a.vb"},
{"a", "\\\\a"},
{"b", "\\\\\b"},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/define:DEBUG", "a.vb"},
{"DEBUG", True},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/D:TARGET=True,VBC_VER=1", "a.vb"},
{"TARGET", True},
{"VBC_VER", 1})
End Sub
Private Sub TestDefines(args As IEnumerable(Of String), ParamArray symbols As Object()())
Dim parsedArgs = DefaultParse(args, _baseDirectory)
Assert.False(parsedArgs.Errors.Any)
Assert.Equal(symbols.Length, parsedArgs.ParseOptions.PreprocessorSymbols.Length)
Dim sortedDefines = parsedArgs.ParseOptions.
PreprocessorSymbols.Select(
Function(d) New With {d.Key, d.Value}).OrderBy(Function(o) o.Key)
For i = 0 To symbols.Length - 1
Assert.Equal(symbols(i)(0), sortedDefines(i).Key)
Assert.Equal(symbols(i)(1), sortedDefines(i).Value)
Next
End Sub
<Fact>
Public Sub OptionStrict()
Dim parsedArgs = DefaultParse({"/optionStrict", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.On, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionStrict+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.On, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionStrict-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Off, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/OptionStrict:cusTom", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Custom, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/OptionStrict:cusTom", "/optionstrict-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Off, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionstrict-", "/OptionStrict:cusTom", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Custom, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionstrict:", "/OptionStrict:cusTom", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optionstrict", ":custom"))
parsedArgs = DefaultParse({"/optionstrict:xxx", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optionstrict", ":custom"))
End Sub
<WorkItem(546319, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546319")>
<WorkItem(546318, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546318")>
<WorkItem(685392, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/685392")>
<Fact>
Public Sub RootNamespace()
Dim parsedArgs = DefaultParse({"/rootnamespace:One.Two.Three", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("One.Two.Three", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:One Two Three", "/rootnamespace:One.Two.Three", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("One.Two.Three", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:""One.Two.Three""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("One.Two.Three", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("rootnamespace", ":<string>"))
parsedArgs = DefaultParse({"/rootnamespace:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("rootnamespace", ":<string>"))
parsedArgs = DefaultParse({"/rootnamespace+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/rootnamespace+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/rootnamespace-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/rootnamespace-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/rootnamespace:+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("+"))
parsedArgs = DefaultParse({"/rootnamespace: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("rootnamespace", ":<string>"))
parsedArgs = DefaultParse({"/rootnamespace: A.B.C", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments(" A.B.C"))
parsedArgs = DefaultParse({"/rootnamespace:[abcdef", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[abcdef"))
parsedArgs = DefaultParse({"/rootnamespace:abcdef]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("abcdef]"))
parsedArgs = DefaultParse({"/rootnamespace:[[abcdef]]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[[abcdef]]"))
parsedArgs = DefaultParse({"/rootnamespace:[global]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("[global]", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:goo.[global].bar", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("goo.[global].bar", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:goo.[bar]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("goo.[bar]", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:goo$", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("goo$"))
parsedArgs = DefaultParse({"/rootnamespace:I(", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("I("))
parsedArgs = DefaultParse({"/rootnamespace:_", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("_"))
parsedArgs = DefaultParse({"/rootnamespace:[_]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[_]"))
parsedArgs = DefaultParse({"/rootnamespace:__.___", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("__.___", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:[", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("["))
parsedArgs = DefaultParse({"/rootnamespace:]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("]"))
parsedArgs = DefaultParse({"/rootnamespace:[]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[]"))
End Sub
<Fact>
Public Sub Link_SimpleTests()
Dim parsedArgs = DefaultParse({"/link:a", "/link:b,,,,c", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({"a", "b", "c"},
parsedArgs.MetadataReferences.
Where(Function(res) res.Properties.EmbedInteropTypes).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/Link: ,,, b ,,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({" ", " b "},
parsedArgs.MetadataReferences.
Where(Function(res) res.Properties.EmbedInteropTypes).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/l:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("l", ":<file_list>"))
parsedArgs = DefaultParse({"/L", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("l", ":<file_list>"))
parsedArgs = DefaultParse({"/l+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/l+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/link-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/link-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub Recurse_SimpleTests()
Dim dir = Temp.CreateDirectory()
Dim file1 = dir.CreateFile("a.vb")
Dim file2 = dir.CreateFile("b.vb")
Dim file3 = dir.CreateFile("c.txt")
Dim file4 = dir.CreateDirectory("d1").CreateFile("d.txt")
Dim file5 = dir.CreateDirectory("d2").CreateFile("e.vb")
file1.WriteAllText("")
file2.WriteAllText("")
file3.WriteAllText("")
file4.WriteAllText("")
file5.WriteAllText("")
Dim parsedArgs = DefaultParse({"/recurse:" & dir.ToString() & "\*.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({"{DIR}\a.vb", "{DIR}\b.vb", "{DIR}\d2\e.vb"}, parsedArgs.SourceFiles.Select(Function(file) file.Path.Replace(dir.ToString(), "{DIR}")))
parsedArgs = DefaultParse({"*.vb"}, dir.ToString())
parsedArgs.Errors.Verify()
AssertEx.Equal({"{DIR}\a.vb", "{DIR}\b.vb"}, parsedArgs.SourceFiles.Select(Function(file) file.Path.Replace(dir.ToString(), "{DIR}")))
parsedArgs = DefaultParse({"/reCURSE:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("recurse", ":<wildcard>"))
parsedArgs = DefaultParse({"/RECURSE: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("recurse", ":<wildcard>"))
parsedArgs = DefaultParse({"/recurse", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("recurse", ":<wildcard>"))
parsedArgs = DefaultParse({"/recurse+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/recurse+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/recurse-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/recurse-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
CleanupAllGeneratedFiles(file1.Path)
CleanupAllGeneratedFiles(file2.Path)
CleanupAllGeneratedFiles(file3.Path)
CleanupAllGeneratedFiles(file4.Path)
CleanupAllGeneratedFiles(file5.Path)
End Sub
<WorkItem(545991, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545991")>
<WorkItem(546009, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546009")>
<Fact>
Public Sub Recurse_SimpleTests2()
Dim folder = Temp.CreateDirectory()
Dim file1 = folder.CreateFile("a.cs")
Dim file2 = folder.CreateFile("b.vb")
Dim file3 = folder.CreateFile("c.cpp")
Dim file4 = folder.CreateDirectory("A").CreateFile("A_d.txt")
Dim file5 = folder.CreateDirectory("B").CreateFile("B_e.vb")
Dim file6 = folder.CreateDirectory("C").CreateFile("B_f.cs")
file1.WriteAllText("")
file2.WriteAllText("")
file3.WriteAllText("")
file4.WriteAllText("")
file5.WriteAllText("")
file6.WriteAllText("")
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse:.", "b.vb", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value '.' is invalid for option 'recurse'", outWriter.ToString().Trim())
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse:. ", "b.vb", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value '.' is invalid for option 'recurse'", outWriter.ToString().Trim())
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse: . ", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value ' .' is invalid for option 'recurse'|vbc : error BC2008: no input sources specified", outWriter.ToString().Trim().Replace(vbCrLf, "|"))
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse:./.", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value './.' is invalid for option 'recurse'|vbc : error BC2008: no input sources specified", outWriter.ToString().Trim().Replace(vbCrLf, "|"))
Dim args As VisualBasicCommandLineArguments
Dim resolvedSourceFiles As String()
args = DefaultParse({"/recurse:*.cp*", "/recurse:b\*.v*", "/out:a.dll"}, folder.Path)
args.Errors.Verify()
resolvedSourceFiles = args.SourceFiles.Select(Function(f) f.Path).ToArray()
AssertEx.Equal({folder.Path + "\c.cpp", folder.Path + "\b\B_e.vb"}, resolvedSourceFiles)
args = DefaultParse({"/recurse:.\\\\\\*.vb", "/out:a.dll"}, folder.Path)
args.Errors.Verify()
resolvedSourceFiles = args.SourceFiles.Select(Function(f) f.Path).ToArray()
Assert.Equal(2, resolvedSourceFiles.Length)
args = DefaultParse({"/recurse:.////*.vb", "/out:a.dll"}, folder.Path)
args.Errors.Verify()
resolvedSourceFiles = args.SourceFiles.Select(Function(f) f.Path).ToArray()
Assert.Equal(2, resolvedSourceFiles.Length)
CleanupAllGeneratedFiles(file1.Path)
CleanupAllGeneratedFiles(file2.Path)
CleanupAllGeneratedFiles(file3.Path)
CleanupAllGeneratedFiles(file4.Path)
CleanupAllGeneratedFiles(file5.Path)
CleanupAllGeneratedFiles(file6.Path)
End Sub
<WorkItem(948285, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/948285")>
<Fact>
Public Sub Recurse_SimpleTests3()
Dim folder = Temp.CreateDirectory()
Dim outWriter = New StringWriter()
Dim exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:exe", "/out:abc.exe"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2008: no input sources specified", outWriter.ToString().Trim().Replace(vbCrLf, "|"))
End Sub
<Fact>
Public Sub Reference_SimpleTests()
Dim parsedArgs = DefaultParse({"/nostdlib", "/vbruntime-", "/r:a", "/REFERENCE:b,,,,c", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({"a", "b", "c"},
parsedArgs.MetadataReferences.
Where(Function(res) Not res.Properties.EmbedInteropTypes AndAlso Not res.Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal)).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/Reference: ,,, b ,,", "/nostdlib", "/vbruntime-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({" ", " b "},
parsedArgs.MetadataReferences.
Where(Function(res) Not res.Properties.EmbedInteropTypes AndAlso Not res.Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal)).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/r:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("r", ":<file_list>"))
parsedArgs = DefaultParse({"/R", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("r", ":<file_list>"))
parsedArgs = DefaultParse({"/reference+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/reference+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/reference-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/reference-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
Private Class SimpleMetadataResolver
Inherits MetadataReferenceResolver
Private ReadOnly _pathResolver As RelativePathResolver
Public Sub New(baseDirectory As String)
_pathResolver = New RelativePathResolver(ImmutableArray(Of String).Empty, baseDirectory)
End Sub
Public Overrides Function ResolveReference(reference As String, baseFilePath As String, properties As MetadataReferenceProperties) As ImmutableArray(Of PortableExecutableReference)
Dim resolvedPath = _pathResolver.ResolvePath(reference, baseFilePath)
If resolvedPath Is Nothing OrElse Not File.Exists(reference) Then
Return Nothing
End If
Return ImmutableArray.Create(MetadataReference.CreateFromFile(resolvedPath, properties))
End Function
Public Overrides Function Equals(other As Object) As Boolean
Return True
End Function
Public Overrides Function GetHashCode() As Integer
Return 1
End Function
End Class
<Fact>
Public Sub Reference_CorLibraryAddedWhenThereAreUnresolvedReferences()
Dim parsedArgs = DefaultParse({"/r:unresolved", "a.vb"}, _baseDirectory)
Dim metadataResolver = New SimpleMetadataResolver(_baseDirectory)
Dim references = parsedArgs.ResolveMetadataReferences(metadataResolver).ToImmutableArray()
Assert.Equal(4, references.Length)
Assert.Contains(references, Function(r) r.IsUnresolved)
Assert.Contains(references, Function(r)
Dim peRef = TryCast(r, PortableExecutableReference)
Return peRef IsNot Nothing AndAlso
peRef.FilePath.EndsWith("mscorlib.dll", StringComparison.Ordinal)
End Function)
End Sub
<Fact>
Public Sub Reference_CorLibraryAddedWhenThereAreNoUnresolvedReferences()
Dim parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
Dim metadataResolver = New SimpleMetadataResolver(_baseDirectory)
Dim references = parsedArgs.ResolveMetadataReferences(metadataResolver).ToImmutableArray()
Assert.Equal(3, references.Length)
Assert.DoesNotContain(references, Function(r) r.IsUnresolved)
Assert.Contains(references, Function(r)
Dim peRef = TryCast(r, PortableExecutableReference)
Return peRef IsNot Nothing AndAlso
peRef.FilePath.EndsWith("mscorlib.dll", StringComparison.Ordinal)
End Function)
End Sub
<Fact>
Public Sub ParseAnalyzers()
Dim parsedArgs = DefaultParse({"/a:goo.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(1, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
parsedArgs = DefaultParse({"/analyzer:goo.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(1, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
parsedArgs = DefaultParse({"/analyzer:""goo.dll""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(1, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
parsedArgs = DefaultParse({"/a:goo.dll,bar.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(2, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
Assert.Equal("bar.dll", parsedArgs.AnalyzerReferences(1).FilePath)
parsedArgs = DefaultParse({"/a:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("a", ":<file_list>"))
parsedArgs = DefaultParse({"/a", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("a", ":<file_list>"))
End Sub
<Fact>
Public Sub Analyzers_Missing()
Dim source = "Imports System"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/a:missing.dll", "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2017: could not find library 'missing.dll'", outWriter.ToString().Trim())
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_Empty()
Dim source = "Imports System"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/a:" + GetType(Object).Assembly.Location, "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Assert.DoesNotContain("warning", outWriter.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_Found()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' This assembly has a MockDiagnosticAnalyzer type which should get run by this compilation.
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
' Diagnostic cannot instantiate
Assert.True(outWriter.ToString().Contains("warning BC42376"))
' Diagnostic is thrown
Assert.True(outWriter.ToString().Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared"))
Assert.True(outWriter.ToString().Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared"))
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_WithRuleSet()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="Warning01" Action="Error"/>
<Rule Id="Test02" Action="Warning"/>
<Rule Id="Warning03" Action="None"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, "a.vb", "/ruleset:" + ruleSetFile.Path})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Diagnostic cannot instantiate
Assert.True(outWriter.ToString().Contains("warning BC42376"))
'' Diagnostic thrown as error
'Assert.True(outWriter.ToString().Contains("error Warning01"))
' Diagnostic is suppressed
Assert.False(outWriter.ToString().Contains("warning Warning03"))
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_CommandLineOverridesRuleset1()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Warning"/>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/preferreduilang:en", "/preferreduilang:en", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/ruleset:" & ruleSetFile.Path, "/warnaserror", "/nowarn:42376"
})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Diagnostics thrown as error: command line always overrides ruleset.
Dim output = outWriter.ToString()
Assert.Contains("error Warning01", output, StringComparison.Ordinal)
Assert.Contains("error Warning03", output, StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/preferreduilang:en", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/warnaserror+", "/ruleset:" & ruleSetFile.Path, "/nowarn:42376"
})
exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Diagnostics thrown as error: command line always overrides ruleset.
output = outWriter.ToString()
Assert.Contains("error Warning01", output, StringComparison.Ordinal)
Assert.Contains("error Warning03", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzer_CommandLineOverridesRuleset2()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="Warning01" Action="Error"/>
<Rule Id="Warning03" Action="Warning"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/ruleset:" & ruleSetFile.Path, "/nowarn"
})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
' Diagnostics suppressed: command line always overrides ruleset.
Dim output = outWriter.ToString()
Assert.DoesNotContain("Warning01", output, StringComparison.Ordinal)
Assert.DoesNotContain("BC31072", output, StringComparison.Ordinal)
Assert.DoesNotContain("Warning03", output, StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/nowarn", "/ruleset:" & ruleSetFile.Path
})
exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
' Diagnostics suppressed: command line always overrides ruleset.
output = outWriter.ToString()
Assert.DoesNotContain("Warning01", output, StringComparison.Ordinal)
Assert.DoesNotContain("BC31072", output, StringComparison.Ordinal)
Assert.DoesNotContain("Warning03", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_WithRuleSetIncludeAll()
Dim source = "Imports System \r\n Public Class Tester \r\n Public Sub Goo() \r\n Dim x As Integer \r\n End Sub \r\n End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Error"/>
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="Warning01" Action="Error"/>
<Rule Id="Test02" Action="Warning"/>
<Rule Id="Warning03" Action="None"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, "a.vb", "/ruleset:" + ruleSetFile.Path})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Compiler warnings as errors
Assert.True(outWriter.ToString().Contains("error BC42376"))
' User diagnostics not thrown due to compiler errors
Assert.False(outWriter.ToString().Contains("Warning01"))
Assert.False(outWriter.ToString().Contains("Warning03"))
CleanupAllGeneratedFiles(file.Path)
End Sub
Private Function CreateRuleSetFile(source As XDocument) As TempFile
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.ruleset")
file.WriteAllText(source.ToString())
Return file
End Function
<Fact>
Public Sub RulesetSwitchPositive()
Dim source = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Warning"/>
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="CA1012" Action="Error"/>
<Rule Id="CA1013" Action="Warning"/>
<Rule Id="CA1014" Action="None"/>
</Rules>
</RuleSet>
Dim file = CreateRuleSetFile(source)
Dim parsedArgs = DefaultParse(New String() {"/ruleset:" + file.Path, "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(expected:=file.Path, actual:=parsedArgs.RuleSetPath)
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions.ContainsKey("CA1012"))
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions("CA1012") = ReportDiagnostic.Error)
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions.ContainsKey("CA1013"))
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions("CA1013") = ReportDiagnostic.Warn)
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions.ContainsKey("CA1014"))
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions("CA1014") = ReportDiagnostic.Suppress)
Assert.True(parsedArgs.CompilationOptions.GeneralDiagnosticOption = ReportDiagnostic.Warn)
End Sub
<Fact>
Public Sub RuleSetSwitchQuoted()
Dim source = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Warning"/>
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="CA1012" Action="Error"/>
<Rule Id="CA1013" Action="Warning"/>
<Rule Id="CA1014" Action="None"/>
</Rules>
</RuleSet>
Dim file = CreateRuleSetFile(source)
Dim parsedArgs = DefaultParse(New String() {"/ruleset:" + """" + file.Path + """", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(expected:=file.Path, actual:=parsedArgs.RuleSetPath)
End Sub
<Fact>
Public Sub RulesetSwitchParseErrors()
Dim parsedArgs = DefaultParse(New String() {"/ruleset", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("ruleset", ":<file>"))
Assert.Null(parsedArgs.RuleSetPath)
parsedArgs = DefaultParse(New String() {"/ruleset", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("ruleset", ":<file>"))
Assert.Null(parsedArgs.RuleSetPath)
parsedArgs = DefaultParse(New String() {"/ruleset:blah", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_CantReadRulesetFile).WithArguments(Path.Combine(TempRoot.Root, "blah"), "File not found."))
Assert.Equal(expected:=Path.Combine(TempRoot.Root, "blah"), actual:=parsedArgs.RuleSetPath)
parsedArgs = DefaultParse(New String() {"/ruleset:blah;blah.ruleset", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_CantReadRulesetFile).WithArguments(Path.Combine(TempRoot.Root, "blah;blah.ruleset"), "File not found."))
Assert.Equal(expected:=Path.Combine(TempRoot.Root, "blah;blah.ruleset"), actual:=parsedArgs.RuleSetPath)
Dim file = CreateRuleSetFile(New XDocument())
parsedArgs = DefaultParse(New String() {"/ruleset:" + file.Path, "a.cs"}, _baseDirectory)
'parsedArgs.Errors.Verify(
' Diagnostic(ERRID.ERR_CantReadRulesetFile).WithArguments(file.Path, "Root element is missing."))
Assert.Equal(expected:=file.Path, actual:=parsedArgs.RuleSetPath)
Dim err = parsedArgs.Errors.Single()
Assert.Equal(ERRID.ERR_CantReadRulesetFile, err.Code)
Assert.Equal(2, err.Arguments.Count)
Assert.Equal(file.Path, DirectCast(err.Arguments(0), String))
Dim currentUICultureName = Thread.CurrentThread.CurrentUICulture.Name
If currentUICultureName.Length = 0 OrElse currentUICultureName.StartsWith("en", StringComparison.OrdinalIgnoreCase) Then
Assert.Equal(err.Arguments(1), "Root element is missing.")
End If
End Sub
<Fact>
Public Sub Target_SimpleTests()
Dim parsedArgs = DefaultParse({"/target:exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.ConsoleApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t:module", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:library", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.DynamicallyLinkedLibrary, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/TARGET:winexe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.WindowsApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winmdobj", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.WindowsRuntimeMetadata, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:appcontainerexe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.WindowsRuntimeApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winexe", "/T:exe", "/target:module", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("t", ":exe|winexe|library|module|appcontainerexe|winmdobj"))
parsedArgs = DefaultParse({"/target:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("target", ":exe|winexe|library|module|appcontainerexe|winmdobj"))
parsedArgs = DefaultParse({"/target:xyz", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("target", "xyz"))
parsedArgs = DefaultParse({"/T+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/T+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/TARGET-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/TARGET-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub Target_SimpleTestsNoSourceFile()
Dim parsedArgs = DefaultParse({"/target:exe"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.ConsoleApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t:module"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:library"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.DynamicallyLinkedLibrary, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/TARGET:winexe"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.WindowsApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winmdobj"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.WindowsRuntimeMetadata, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:appcontainerexe"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.WindowsRuntimeApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winexe", "/T:exe", "/target:module"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("t", ":exe|winexe|library|module|appcontainerexe|winmdobj"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
parsedArgs = DefaultParse({"/target:"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("target", ":exe|winexe|library|module|appcontainerexe|winmdobj"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
parsedArgs = DefaultParse({"/target:xyz"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("target", "xyz"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
parsedArgs = DefaultParse({"/T+"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/T+"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1)) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/TARGET-:"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/TARGET-:"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1)) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub Utf8Output()
Dim parsedArgs = DefaultParse({"/utf8output", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.Utf8Output)
parsedArgs = DefaultParse({"/utf8output+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.Utf8Output)
parsedArgs = DefaultParse({"/utf8output-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.Utf8Output)
' default
parsedArgs = DefaultParse({"/nologo", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.Utf8Output)
' overriding
parsedArgs = DefaultParse({"/utf8output+", "/utf8output-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.Utf8Output)
' errors
parsedArgs = DefaultParse({"/utf8output:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("utf8output"))
End Sub
<Fact>
Public Sub Debug()
Dim platformPdbKind = If(PathUtilities.IsUnixLikePlatform, DebugInformationFormat.PortablePdb, DebugInformationFormat.Pdb)
Dim parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitPdb)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug+", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:FULL", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:portable", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, DebugInformationFormat.PortablePdb)
parsedArgs = DefaultParse({"/debug:embedded", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, DebugInformationFormat.Embedded)
parsedArgs = DefaultParse({"/debug:PDBONLY", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:full", "/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug-", "/debug", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug-", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:embedded", "/debug-", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(DebugInformationFormat.Embedded, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:embedded", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(DebugInformationFormat.Embedded, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("debug", ""))
parsedArgs = DefaultParse({"/debug:+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("debug", "+"))
parsedArgs = DefaultParse({"/debug:invalid", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("debug", "invalid"))
parsedArgs = DefaultParse({"/debug-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("debug"))
parsedArgs = DefaultParse({"/pdb:something", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/pdb:something"))
End Sub
<Fact>
Public Sub SourceLink()
Dim parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:portable", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "sl.json"), parsedArgs.SourceLink)
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:embedded", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "sl.json"), parsedArgs.SourceLink)
parsedArgs = DefaultParse({"/sourcelink:""s l.json""", "/debug:embedded", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "s l.json"), parsedArgs.SourceLink)
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SourceLinkRequiresPdb))
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/sourcelink:sl.json", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SourceLinkRequiresPdb))
End Sub
<Fact>
Public Sub SourceLink_EndToEnd_EmbeddedPortable()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText("
Class C
Public Shared Sub Main()
End Sub
End Class")
Dim sl = dir.CreateFile("sl.json")
sl.WriteAllText("{ ""documents"" : {} }")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/debug:embedded", "/sourcelink:sl.json", "a.vb"})
Dim exitCode As Integer = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim peStream = File.OpenRead(Path.Combine(dir.Path, "a.exe"))
Using peReader = New PEReader(peStream)
Dim entry = peReader.ReadDebugDirectory().Single(Function(e) e.Type = DebugDirectoryEntryType.EmbeddedPortablePdb)
Using mdProvider = peReader.ReadEmbeddedPortablePdbDebugDirectoryData(entry)
Dim blob = mdProvider.GetMetadataReader().GetSourceLinkBlob()
AssertEx.Equal(File.ReadAllBytes(sl.Path), blob)
End Using
End Using
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact>
Public Sub SourceLink_EndToEnd_Portable()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText("
Class C
Public Shared Sub Main()
End Sub
End Class")
Dim sl = dir.CreateFile("sl.json")
sl.WriteAllText("{ ""documents"" : {} }")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/debug:portable", "/sourcelink:sl.json", "a.vb"})
Dim exitCode As Integer = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim pdbStream = File.OpenRead(Path.Combine(dir.Path, "a.pdb"))
Using mdProvider = MetadataReaderProvider.FromPortablePdbStream(pdbStream)
Dim blob = mdProvider.GetMetadataReader().GetSourceLinkBlob()
AssertEx.Equal(File.ReadAllBytes(sl.Path), blob)
End Using
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact>
Public Sub Embed()
Dim parsedArgs = DefaultParse({"a.vb "}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Empty(parsedArgs.EmbeddedFiles)
parsedArgs = DefaultParse({"/embed", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(parsedArgs.SourceFiles, parsedArgs.EmbeddedFiles)
AssertEx.Equal(
{"a.vb", "b.vb", "c.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.vb", "/embed:b.vb", "/debug:embedded", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.vb;b.vb", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.vb,b.vb", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:""a,b.vb""", "/debug:portable", "a,b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a,b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:\""a,b.vb\""", "/debug:portable", "a,b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a,b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:\""""a.vb,b.vb""\""", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.txt", "/embed", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.txt", "a.vb", "b.vb", "c.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed:a.txt", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed:a.txt", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed", "/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/embed", "/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/embed", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
End Sub
<Theory>
<InlineData("/debug:portable", "/embed", {"embed.vb", "embed2.vb", "embed.xyz"})>
<InlineData("/debug:portable", "/embed:embed.vb", {"embed.vb", "embed.xyz"})>
<InlineData("/debug:portable", "/embed:embed2.vb", {"embed2.vb"})>
<InlineData("/debug:portable", "/embed:embed.xyz", {"embed.xyz"})>
<InlineData("/debug:embedded", "/embed", {"embed.vb", "embed2.vb", "embed.xyz"})>
<InlineData("/debug:embedded", "/embed:embed.vb", {"embed.vb", "embed.xyz"})>
<InlineData("/debug:embedded", "/embed:embed2.vb", {"embed2.vb"})>
<InlineData("/debug:embedded", "/embed:embed.xyz", {"embed.xyz"})>
<InlineData("/debug:full", "/embed", {"embed.vb", "embed2.vb", "embed.xyz"})>
<InlineData("/debug:full", "/embed:embed.vb", {"embed.vb", "embed.xyz"})>
<InlineData("/debug:full", "/embed:embed2.vb", {"embed2.vb"})>
<InlineData("/debug:full", "/embed:embed.xyz", {"embed.xyz"})>
Public Sub Embed_EndToEnd(debugSwitch As String, embedSwitch As String, expectedEmbedded As String())
' embed.vb: large enough To compress, has #line directives
Const embed_vb =
"'''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''
Class Program
Shared Sub Main()
#ExternalSource(""embed.xyz"", 1)
System.Console.WriteLine(""Hello, World"")
System.Console.WriteLine(""Goodbye, World"")
#End ExternalSource
End Sub
End Class
'''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''"
' embed2.vb: small enough to not compress, no sequence points
Const embed2_vb =
"Class C
End Class"
' target of #ExternalSource
Const embed_xyz =
"print Hello, World
print Goodbye, World"
Assert.True(embed_vb.Length >= EmbeddedText.CompressionThreshold)
Assert.True(embed2_vb.Length < EmbeddedText.CompressionThreshold)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("embed.vb")
Dim src2 = dir.CreateFile("embed2.vb")
Dim txt = dir.CreateFile("embed.xyz")
src.WriteAllText(embed_vb)
src2.WriteAllText(embed2_vb)
txt.WriteAllText(embed_xyz)
Dim expectedEmbeddedMap = New Dictionary(Of String, String)()
If expectedEmbedded.Contains("embed.vb") Then
expectedEmbeddedMap.Add(src.Path, embed_vb)
End If
If expectedEmbedded.Contains("embed2.vb") Then
expectedEmbeddedMap.Add(src2.Path, embed2_vb)
End If
If expectedEmbedded.Contains("embed.xyz") Then
expectedEmbeddedMap.Add(txt.Path, embed_xyz)
End If
Dim output = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", debugSwitch, embedSwitch, "embed.vb", "embed2.vb"})
Dim exitCode = vbc.Run(output)
Assert.Equal("", output.ToString().Trim())
Assert.Equal(0, exitCode)
Select Case debugSwitch
Case "/debug:embedded"
ValidateEmbeddedSources_Portable(expectedEmbeddedMap, dir, isEmbeddedPdb:=True)
Case "/debug:portable"
ValidateEmbeddedSources_Portable(expectedEmbeddedMap, dir, isEmbeddedPdb:=False)
Case "/debug:full"
ValidateEmbeddedSources_Windows(expectedEmbeddedMap, dir)
End Select
Assert.Empty(expectedEmbeddedMap)
CleanupAllGeneratedFiles(src.Path)
End Sub
Private Shared Sub ValidateEmbeddedSources_Portable(expectedEmbeddedMap As Dictionary(Of String, String), dir As TempDirectory, isEmbeddedPdb As Boolean)
Using peReader As New PEReader(File.OpenRead(Path.Combine(dir.Path, "embed.exe")))
Dim entry = peReader.ReadDebugDirectory().SingleOrDefault(Function(e) e.Type = DebugDirectoryEntryType.EmbeddedPortablePdb)
Assert.Equal(isEmbeddedPdb, entry.DataSize > 0)
Using mdProvider As MetadataReaderProvider = If(
isEmbeddedPdb,
peReader.ReadEmbeddedPortablePdbDebugDirectoryData(entry),
MetadataReaderProvider.FromPortablePdbStream(File.OpenRead(Path.Combine(dir.Path, "embed.pdb"))))
Dim mdReader = mdProvider.GetMetadataReader()
For Each handle In mdReader.Documents
Dim doc = mdReader.GetDocument(handle)
Dim docPath = mdReader.GetString(doc.Name)
Dim embeddedSource = mdReader.GetEmbeddedSource(handle)
If embeddedSource Is Nothing Then
Continue For
End If
Assert.True(TypeOf embeddedSource.Encoding Is UTF8Encoding AndAlso embeddedSource.Encoding.GetPreamble().Length = 0)
Assert.Equal(expectedEmbeddedMap(docPath), embeddedSource.ToString())
Assert.True(expectedEmbeddedMap.Remove(docPath))
Next
End Using
End Using
End Sub
Private Shared Sub ValidateEmbeddedSources_Windows(expectedEmbeddedMap As Dictionary(Of String, String), dir As TempDirectory)
Dim symReader As ISymUnmanagedReader5 = Nothing
Try
symReader = SymReaderFactory.CreateReader(File.OpenRead(Path.Combine(dir.Path, "embed.pdb")))
For Each doc In symReader.GetDocuments()
Dim docPath = doc.GetName()
Dim sourceBlob = doc.GetEmbeddedSource()
If sourceBlob.Array Is Nothing Then
Continue For
End If
Dim sourceStr = Encoding.UTF8.GetString(sourceBlob.Array, sourceBlob.Offset, sourceBlob.Count)
Assert.Equal(expectedEmbeddedMap(docPath), sourceStr)
Assert.True(expectedEmbeddedMap.Remove(docPath))
Next
Finally
symReader?.Dispose()
End Try
End Sub
<CompilerTrait(CompilerFeature.Determinism)>
<Fact>
Public Sub PathMapParser()
Dim s = PathUtilities.DirectorySeparatorStr
Dim parsedArgs = DefaultParse({"/pathmap:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/pathmap:").WithLocation(1, 1)
)
Assert.Equal(ImmutableArray.Create(Of KeyValuePair(Of String, String))(), parsedArgs.PathMap)
parsedArgs = DefaultParse({"/pathmap:K1=V1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K1" & s, "V1" & s), parsedArgs.PathMap(0))
parsedArgs = DefaultParse({$"/pathmap:abc{s}=/", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("abc" & s, "/"), parsedArgs.PathMap(0))
parsedArgs = DefaultParse({"/pathmap:K1=V1,K2=V2", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K1" & s, "V1" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("K2" & s, "V2" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(ImmutableArray.Create(Of KeyValuePair(Of String, String))(), parsedArgs.PathMap)
parsedArgs = DefaultParse({"/pathmap:,,", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:,,,", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:k=,=v", "a.vb"}, _baseDirectory)
Assert.Equal(2, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(1).Code)
parsedArgs = DefaultParse({"/pathmap:k=v=bad", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:k=", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:=v", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:""supporting spaces=is hard""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("supporting spaces" & s, "is hard" & s), parsedArgs.PathMap(0))
parsedArgs = DefaultParse({"/pathmap:""K 1=V 1"",""K 2=V 2""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K 1" & s, "V 1" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("K 2" & s, "V 2" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:""K 1""=""V 1"",""K 2""=""V 2""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K 1" & s, "V 1" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("K 2" & s, "V 2" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:""a ==,,b""=""1,,== 2"",""x ==,,y""=""3 4"",", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("a =,b" & s, "1,= 2" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("x =,y" & s, "3 4" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:C:\temp\=/_1/,C:\temp\a\=/_2/,C:\temp\a\b\=/_3/", "a.cs", "a\b.cs", "a\b\c.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("C:\temp\a\b\", "/_3/"), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("C:\temp\a\", "/_2/"), parsedArgs.PathMap(1))
Assert.Equal(KeyValuePairUtil.Create("C:\temp\", "/_1/"), parsedArgs.PathMap(2))
End Sub
' PathMapKeepsCrossPlatformRoot and PathMapInconsistentSlashes should be in an
' assembly that is ran cross-platform, but as no visual basic test assemblies are
' run cross-platform, put this here in the hopes that this will eventually be ported.
<Theory>
<InlineData("C:\", "/", "C:\", "/")>
<InlineData("C:\temp\", "/temp/", "C:\temp", "/temp")>
<InlineData("C:\temp\", "/temp/", "C:\temp\", "/temp/")>
<InlineData("/", "C:\", "/", "C:\")>
<InlineData("/temp/", "C:\temp\", "/temp", "C:\temp")>
<InlineData("/temp/", "C:\temp\", "/temp/", "C:\temp\")>
Public Sub PathMapKeepsCrossPlatformRoot(expectedFrom As String, expectedTo As String, sourceFrom As String, sourceTo As String)
Dim pathmapArg = $"/pathmap:{sourceFrom}={sourceTo}"
Dim parsedArgs = VisualBasicCommandLineParser.Default.Parse({pathmapArg, "a.vb"}, TempRoot.Root, RuntimeEnvironment.GetRuntimeDirectory(), Nothing)
parsedArgs.Errors.Verify()
Dim expected = New KeyValuePair(Of String, String)(expectedFrom, expectedTo)
Assert.Equal(expected, parsedArgs.PathMap(0))
End Sub
<Fact>
Public Sub PathMapInconsistentSlashes()
Dim Parse = Function(args() As String) As VisualBasicCommandLineArguments
Dim parsedArgs = VisualBasicCommandLineParser.Default.Parse(args, TempRoot.Root, RuntimeEnvironment.GetRuntimeDirectory(), Nothing)
parsedArgs.Errors.Verify()
Return parsedArgs
End Function
Dim sep = PathUtilities.DirectorySeparatorChar
Assert.Equal(New KeyValuePair(Of String, String)("C:\temp/goo" + sep, "/temp\goo" + sep), Parse({"/pathmap:C:\temp/goo=/temp\goo", "a.vb"}).PathMap(0))
Assert.Equal(New KeyValuePair(Of String, String)("noslash" + sep, "withoutslash" + sep), Parse({"/pathmap:noslash=withoutslash", "a.vb"}).PathMap(0))
Dim doublemap = Parse({"/pathmap:/temp=/goo,/temp/=/bar", "a.vb"}).PathMap
Assert.Equal(New KeyValuePair(Of String, String)("/temp/", "/goo/"), doublemap(0))
Assert.Equal(New KeyValuePair(Of String, String)("/temp/", "/bar/"), doublemap(1))
End Sub
<Fact>
Public Sub NothingBaseDirectoryNotAddedToKeyFileSearchPaths()
Dim args As VisualBasicCommandLineArguments = VisualBasicCommandLineParser.Default.Parse(New String() {}, Nothing, RuntimeEnvironment.GetRuntimeDirectory())
AssertEx.Equal(ImmutableArray.Create(Of String)(), args.KeyFileSearchPaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub SdkPathArg()
Dim parentDir = Temp.CreateDirectory()
Dim sdkDir = parentDir.CreateDirectory("sdk")
Dim sdkPath = sdkDir.Path
Dim parser = VisualBasicCommandLineParser.Default.Parse({$"-sdkPath:{sdkPath}"}, parentDir.Path, Nothing)
AssertEx.Equal(ImmutableArray.Create(sdkPath), parser.ReferencePaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub SdkPathNoArg()
Dim parentDir = Temp.CreateDirectory()
Dim parser = VisualBasicCommandLineParser.Default.Parse({"file.vb", "-sdkPath", $"-out:{parentDir.Path}"}, parentDir.Path, Nothing)
parser.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired, arguments:={"sdkpath", ":<path>"}).WithLocation(1, 1),
Diagnostic(ERRID.WRN_CannotFindStandardLibrary1).WithArguments("System.dll").WithLocation(1, 1),
Diagnostic(ERRID.ERR_LibNotFound).WithArguments("Microsoft.VisualBasic.dll").WithLocation(1, 1))
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub SdkPathFollowedByNoSdkPath()
Dim parentDir = Temp.CreateDirectory()
Dim parser = VisualBasicCommandLineParser.Default.Parse({"file.vb", $"-out:{parentDir.Path}", "-sdkPath:path/to/sdk", "/noSdkPath"}, parentDir.Path, Nothing)
AssertEx.Equal(ImmutableArray(Of String).Empty, parser.ReferencePaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub NoSdkPathFollowedBySdkPath()
Dim parentDir = Temp.CreateDirectory()
Dim sdkDir = parentDir.CreateDirectory("sdk")
Dim parser = VisualBasicCommandLineParser.Default.Parse({"file.vb", $"-out:{parentDir.Path}", "/noSdkPath", $"-sdkPath:{sdkDir.Path}"}, parentDir.Path, Nothing)
AssertEx.Equal(ImmutableArray.Create(sdkDir.Path), parser.ReferencePaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub NoSdkPathReferenceSystemDll()
Dim source = "
Module M
End Module
"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/nosdkpath", "/t:library", "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Dim output = outWriter.ToString().Trim()
Assert.Equal(1, exitCode)
Assert.Contains("vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'", output)
CleanupAllGeneratedFiles(file.Path)
End Sub
<CompilerTrait(CompilerFeature.Determinism)>
<Fact>
Public Sub PathMapPdbDeterminism()
Dim assertPdbEmit =
Sub(dir As TempDirectory, pePdbPath As String, extraArgs As String())
Dim source =
<compilation>
Imports System
Module Program
Sub Main()
End Sub
End Module
</compilation>
Dim src = dir.CreateFile("a.vb").WriteAllText(source.Value)
Dim pdbPath = Path.Combine(dir.Path, "a.pdb")
Dim defaultArgs = {"/nologo", "/debug", "a.vb"}
Dim isDeterministic = extraArgs.Contains("/deterministic")
Dim args = defaultArgs.Concat(extraArgs).ToArray()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(dir.Path, args)
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim exePath = Path.Combine(dir.Path, "a.exe")
Assert.True(File.Exists(exePath))
Assert.True(File.Exists(pdbPath))
Using peStream = File.OpenRead(exePath)
PdbValidation.ValidateDebugDirectory(peStream, Nothing, pePdbPath, hashAlgorithm:=Nothing, hasEmbeddedPdb:=False, isDeterministic)
End Using
End Sub
' No mappings
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, pePdbPath, {})
End Using
' Simple mapping
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = "q:\a.pdb"
assertPdbEmit(dir, pePdbPath, {$"/pathmap:{dir.Path}=q:\"})
End Using
' Simple mapping deterministic
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = "q:\a.pdb"
assertPdbEmit(dir, pePdbPath, {$"/pathmap:{dir.Path}=q:\", "/deterministic"})
End Using
' Partial mapping
Using dir As New DisposableDirectory(Temp)
Dim subDir = dir.CreateDirectory("example")
Dim pePdbPath = "q:\example\a.pdb"
assertPdbEmit(subDir, pePdbPath, {$"/pathmap:{dir.Path}=q:\"})
End Using
' Legacy feature flag
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, "a.pdb", {"/features:pdb-path-determinism"})
End Using
' Unix path map
Using dir As New DisposableDirectory(Temp)
Dim pdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, "/a.pdb", {$"/pathmap:{dir.Path}=/"})
End Using
' Multi-specified path map with mixed slashes
Using dir As New DisposableDirectory(Temp)
Dim pdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, "/goo/a.pdb", {$"/pathmap:{dir.Path}=/goo,{dir.Path}{PathUtilities.DirectorySeparatorChar}=/bar"})
End Using
End Sub
<WorkItem(540891, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/540891")>
<Fact>
Public Sub ParseOut()
Const baseDirectory As String = "C:\abc\def\baz"
' Should preserve fully qualified paths
Dim parsedArgs = DefaultParse({"/out:C:\MyFolder\MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal("C:\MyFolder", parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/out:""C:\My Folder\MyBinary.dll""", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal("C:\My Folder", parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/refout:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("refout", ":<file>").WithLocation(1, 1))
parsedArgs = DefaultParse({"/refout:ref.dll", "/refonly", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_NoRefOutWhenRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/refonly:incorrect", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("refonly").WithLocation(1, 1))
parsedArgs = DefaultParse({"/refout:ref.dll", "/target:module", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_NoNetModuleOutputWhenRefOutOrRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/refout:ref.dll", "/link:b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/refonly", "/link:b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/refonly", "/target:module", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_NoNetModuleOutputWhenRefOutOrRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/out:C:\""My Folder""\MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("C:""My Folder\MyBinary.dll").WithLocation(1, 1))
parsedArgs = DefaultParse({"/out:MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/out:Ignored.dll", "/out:MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/out:..\MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal("C:\abc\def", parsedArgs.OutputDirectory)
' not specified: exe
parsedArgs = DefaultParse({"a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: dll
parsedArgs = DefaultParse({"/target:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.dll", parsedArgs.OutputFileName)
Assert.Equal("a.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: module
parsedArgs = DefaultParse({"/target:module", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal("a.netmodule", parsedArgs.OutputFileName)
Assert.Equal("a.netmodule", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: appcontainerexe
parsedArgs = DefaultParse({"/target:appcontainerexe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: winmdobj
parsedArgs = DefaultParse({"/target:winmdobj", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.winmdobj", parsedArgs.OutputFileName)
Assert.Equal("a.winmdobj", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' drive-relative path:
Dim currentDrive As Char = Directory.GetCurrentDirectory()(0)
parsedArgs = DefaultParse({currentDrive + ":a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(currentDrive + ":a.vb"))
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' UNC
parsedArgs = DefaultParse({"/out:\\b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("\\b"))
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/out:\\server\share\file.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\\server\share", parsedArgs.OutputDirectory)
Assert.Equal("file.exe", parsedArgs.OutputFileName)
Assert.Equal("file", parsedArgs.CompilationName)
Assert.Equal("file.exe", parsedArgs.CompilationOptions.ModuleName)
' invalid name
parsedArgs = DefaultParse({"/out:a.b" & vbNullChar & "b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("a.b" & vbNullChar & "b"))
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' Temp Skip: Unicode?
' parsedArgs = DefaultParse({"/out:a" & ChrW(&HD800) & "b.dll", "a.vb"}, _baseDirectory)
' parsedArgs.Errors.Verify(
' Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("a" & ChrW(&HD800) & "b.dll"))
' Assert.Equal("a.exe", parsedArgs.OutputFileName)
' Assert.Equal("a", parsedArgs.CompilationName)
' Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' Temp Skip: error message changed (path)
'parsedArgs = DefaultParse({"/out:"" a.dll""", "a.vb"}, _baseDirectory)
'parsedArgs.Errors.Verify(
' Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(" a.dll"))
'Assert.Equal("a.exe", parsedArgs.OutputFileName)
'Assert.Equal("a", parsedArgs.CompilationName)
'Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' Dev11 reports BC2012: can't open 'a<>.z' for writing
parsedArgs = DefaultParse({"/out:""a<>.dll""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("a<>.dll"))
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' bad value
parsedArgs = DefaultParse({"/out", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("out", ":<file>"))
parsedArgs = DefaultParse({"/OUT:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("out", ":<file>"))
parsedArgs = DefaultParse({"/REFOUT:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("refout", ":<file>"))
parsedArgs = DefaultParse({"/refout:ref.dll", "/refonly", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoRefOutWhenRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/out+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/out+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/out-:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/out-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/out:.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:exe", "/out:.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:library", "/out:.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".dll"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:module", "/out:.netmodule", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".netmodule", parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".netmodule", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({".vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:exe", ".vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:library", ".vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".dll"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:module", ".vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".netmodule", parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".netmodule", parsedArgs.CompilationOptions.ModuleName)
End Sub
<Fact>
Public Sub ParseOut2()
' exe
Dim parsedArgs = DefaultParse({"/out:.x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".x", parsedArgs.CompilationName)
Assert.Equal(".x.exe", parsedArgs.OutputFileName)
Assert.Equal(".x.exe", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:winexe", "/out:.x.eXe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".x", parsedArgs.CompilationName)
Assert.Equal(".x.eXe", parsedArgs.OutputFileName)
Assert.Equal(".x.eXe", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:winexe", "/out:.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
' dll
parsedArgs = DefaultParse({"/target:library", "/out:.x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".x", parsedArgs.CompilationName)
Assert.Equal(".x.dll", parsedArgs.OutputFileName)
Assert.Equal(".x.dll", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:library", "/out:.X.Dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".X", parsedArgs.CompilationName)
Assert.Equal(".X.Dll", parsedArgs.OutputFileName)
Assert.Equal(".X.Dll", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:library", "/out:.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".dll"))
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
' module
parsedArgs = DefaultParse({"/target:module", "/out:.x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".x", parsedArgs.OutputFileName)
Assert.Equal(".x", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:module", "/out:x.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal("x.dll", parsedArgs.OutputFileName)
Assert.Equal("x.dll", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:module", "/out:.x.netmodule", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".x.netmodule", parsedArgs.OutputFileName)
Assert.Equal(".x.netmodule", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:module", "/out:x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal("x.netmodule", parsedArgs.OutputFileName)
Assert.Equal("x.netmodule", parsedArgs.CompilationOptions.ModuleName)
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingNoKeyFile()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingEmptyKeyFile()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:""""", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingNoKeyFile_PublicSign()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:", "/publicsign", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingEmptyKeyFile_PublicSign()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:""""", "/publicsign", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(531020, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531020")>
Public Sub ParseDocBreak1()
Const baseDirectory As String = "C:\abc\def\baz"
' In dev11, this appears to be equivalent to /doc- (i.e. don't parse and don't output).
Dim parsedArgs = DefaultParse({"/doc:""""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("doc", ":<file>"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
End Sub
<Fact, WorkItem(705173, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705173")>
Public Sub Ensure_UTF8_Explicit_Prefix_In_Documentation_Comment_File()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable,
String.Format("/nologo /doc:{1}\src.xml /t:library {0}",
src.ToString(),
dir.ToString()),
startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Dim fileContents = File.ReadAllBytes(dir.ToString() & "\src.xml")
Assert.InRange(fileContents.Length, 4, Integer.MaxValue)
Assert.Equal(&HEF, fileContents(0))
Assert.Equal(&HBB, fileContents(1))
Assert.Equal(&HBF, fileContents(2))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(733242, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/733242")>
Public Sub Bug733242()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim xml = dir.CreateFile("a.xml")
xml.WriteAllText("EMPTY")
Using xmlFileHandle As FileStream = File.Open(xml.ToString(), FileMode.Open, FileAccess.Read, FileShare.Delete Or FileShare.ReadWrite)
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc+ {0}", src.ToString()), startFolder:=dir.ToString(), expectedRetCode:=0)
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "a.xml")))
Using reader As New StreamReader(xmlFileHandle)
Dim content = reader.ReadToEnd()
AssertOutput(
<text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC...XYZ</summary>
</member>
</members>
</doc>
]]>
</text>,
content)
End Using
End Using
CleanupAllGeneratedFiles(src.Path)
CleanupAllGeneratedFiles(xml.Path)
End Sub
<Fact, WorkItem(768605, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/768605")>
Public Sub Bug768605()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC</summary>
Class C: End Class
''' <summary>XYZ</summary>
Class E: End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim xml = dir.CreateFile("a.xml")
xml.WriteAllText("EMPTY")
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc+ {0}", src.ToString()), startFolder:=dir.ToString(), expectedRetCode:=0)
AssertOutput(<text></text>, output)
Using reader As New StreamReader(xml.ToString())
Dim content = reader.ReadToEnd()
AssertOutput(
<text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC</summary>
</member>
<member name="T:E">
<summary>XYZ</summary>
</member>
</members>
</doc>
]]>
</text>,
content)
End Using
src.WriteAllText(
<text>
''' <summary>ABC</summary>
Class C: End Class
</text>.Value.Replace(vbLf, vbCrLf))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc+ {0}", src.ToString()), startFolder:=dir.ToString(), expectedRetCode:=0)
AssertOutput(<text></text>, output)
Using reader As New StreamReader(xml.ToString())
Dim content = reader.ReadToEnd()
AssertOutput(
<text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC</summary>
</member>
</members>
</doc>
]]>
</text>,
content)
End Using
CleanupAllGeneratedFiles(src.Path)
CleanupAllGeneratedFiles(xml.Path)
End Sub
<Fact, WorkItem(705148, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705148")>
Public Sub Bug705148a()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:abcdfg.xyz /doc+ {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "a.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705148, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705148")>
Public Sub Bug705148b()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc /out:MyXml.dll {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "MyXml.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705148, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705148")>
Public Sub Bug705148c()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /doc+ {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "a.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705202, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705202")>
Public Sub Bug705202a()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /out:out.dll {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "doc.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705202, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705202")>
Public Sub Bug705202b()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /doc /out:out.dll {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "out.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705202, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705202")>
Public Sub Bug705202c()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /out:out.dll /doc+ {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "out.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(531021, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531021")>
Public Sub ParseDocBreak2()
' In dev11, if you give an invalid file name, the documentation comments
' are parsed but writing the XML file fails with (warning!) BC42311.
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/doc:"" """, "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments(" ", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc:"" \ """, "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments(" \ ", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' UNC
parsedArgs = DefaultParse({"/doc:\\b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("\\b", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
' invalid name:
parsedArgs = DefaultParse({"/doc:a.b" + ChrW(0) + "b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("a.b" + ChrW(0) + "b", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
parsedArgs = DefaultParse({"/doc:a" + ChrW(55296) + "b.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("a" + ChrW(55296) + "b.xml", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
parsedArgs = DefaultParse({"/doc:""a<>.xml""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("a<>.xml", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
End Sub
<Fact>
Public Sub ParseDoc()
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/doc:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("doc", ":<file>"))
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc-", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc+:abc.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("doc"))
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc-:a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("doc"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
' Should preserve fully qualified paths
parsedArgs = DefaultParse({"/doc:C:\MyFolder\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\MyFolder\MyBinary.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' Should handle quotes
parsedArgs = DefaultParse({"/doc:""C:\My Folder\MyBinary.xml""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\My Folder\MyBinary.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/doc:MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "MyBinary.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/doc:..\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\MyBinary.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' drive-relative path:
Dim currentDrive As Char = Directory.GetCurrentDirectory()(0)
parsedArgs = DefaultParse({"/doc:" + currentDrive + ":a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments(currentDrive + ":a.xml", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
' UNC
parsedArgs = DefaultParse({"/doc:\\server\share\file.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\\server\share\file.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
End Sub
<Fact>
Public Sub ParseDocAndOut()
Const baseDirectory As String = "C:\abc\def\baz"
' Can specify separate directories for binary and XML output.
Dim parsedArgs = DefaultParse({"/doc:a\b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\a\b.xml", parsedArgs.DocumentationPath)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
' XML does not fall back on output directory.
parsedArgs = DefaultParse({"/doc:b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\b.xml", parsedArgs.DocumentationPath)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
End Sub
<Fact>
Public Sub ParseDocMultiple()
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/doc+", "/doc-", "/doc+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc-", "/doc+", "/doc-", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
Assert.Null(parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc:a.xml", "/doc-", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
Assert.Null(parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc:abc.xml", "/doc+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc-", "/doc:a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc+", "/doc:a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
End Sub
<Fact>
Public Sub ParseErrorLog()
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/errorlog:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
parsedArgs = DefaultParse({"/errorlog", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Should preserve fully qualified paths
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\MyFolder\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Should handle quotes
parsedArgs = DefaultParse({"/errorlog:""C:\My Folder\MyBinary.xml""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\My Folder\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Quote after a \ is treated as an escape
parsedArgs = DefaultParse({"/errorlog:C:\""My Folder""\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("C:""My Folder\MyBinary.xml").WithLocation(1, 1))
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/errorlog:MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "MyBinary.xml"), parsedArgs.ErrorLogOptions.Path)
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/errorlog:..\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' drive-relative path:
Dim currentDrive As Char = Directory.GetCurrentDirectory()(0)
Dim filePath = currentDrive + ":a.xml"
parsedArgs = DefaultParse({"/errorlog:" + filePath, "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(filePath))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' UNC
parsedArgs = DefaultParse({"/errorlog:\\server\share\file.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\\server\share\file.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Parses SARIF version.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=2", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\MyFolder\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.Equal(SarifVersion.Sarif2, parsedArgs.ErrorLogOptions.SarifVersion)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Invalid SARIF version.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=42", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=42", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=1.0.0", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=1.0.0", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=2.1.0", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=2.1.0", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Invalid errorlog qualifier.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,invalid=42", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,invalid=42", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Too many errorlog qualifiers.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=2,version=2", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=2,version=2", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
End Sub
<Fact>
Public Sub ParseErrorLogAndOut()
Const baseDirectory As String = "C:\abc\def\baz"
' Can specify separate directories for binary and error log output.
Dim parsedArgs = DefaultParse({"/errorlog:a\b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\a\b.xml", parsedArgs.ErrorLogOptions.Path)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
' error log does not fall back on output directory.
parsedArgs = DefaultParse({"/errorlog:b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\b.xml", parsedArgs.ErrorLogOptions.Path)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
End Sub
<Fact>
Public Sub KeyContainerAndKeyFile()
' KEYCONTAINER
Dim parsedArgs = DefaultParse({"/KeyContainer:key-cont-name", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("key-cont-name", parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/KEYcontainer", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keycontainer", ":<string>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/keycontainer-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/keycontainer-"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/keycontainer:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keycontainer", ":<string>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/keycontainer: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keycontainer", ":<string>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
' KEYFILE
parsedArgs = DefaultParse({"/keyfile:\somepath\s""ome Fil""e.goo.bar", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\somepath\some File.goo.bar", parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs = DefaultParse({"/keyFile", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs = DefaultParse({"/keyfile-", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/keyfile-"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs = DefaultParse({"/keyfile: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyFile)
' default value
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyContainer)
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyFile)
' keyfile/keycontainer conflicts
parsedArgs = DefaultParse({"/keycontainer:a", "/keyfile:b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyContainer)
Assert.Equal("b", parsedArgs.CompilationOptions.CryptoKeyFile)
' keyfile/keycontainer conflicts
parsedArgs = DefaultParse({"/keyfile:b", "/keycontainer:a", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationOptions.CryptoKeyContainer)
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyFile)
End Sub
<Fact, WorkItem(530088, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530088")>
Public Sub Platform()
' test recognizing all options
Dim parsedArgs = DefaultParse({"/platform:X86", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.X86, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:x64", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.X64, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:itanium", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.Itanium, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:anycpu", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/t:exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu32BitPreferred, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/t:appcontainerexe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu32BitPreferred, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:arm", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.Arm, parsedArgs.CompilationOptions.Platform)
' test default (AnyCPU)
parsedArgs = DefaultParse({"/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu, parsedArgs.CompilationOptions.Platform)
' test missing
parsedArgs = DefaultParse({"/platform:", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("platform", ":<string>"))
parsedArgs = DefaultParse({"/platform", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("platform", ":<string>"))
parsedArgs = DefaultParse({"/platform+", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/platform+")) ' TODO: Dev11 reports ERR_ArgumentRequired
' test illegal input
parsedArgs = DefaultParse({"/platform:abcdef", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("platform", "abcdef"))
' test overriding
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/platform:anycpu", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu, parsedArgs.CompilationOptions.Platform)
' test illegal
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/t:library", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_LibAnycpu32bitPreferredConflict).WithArguments("Platform", "AnyCpu32BitPreferred").WithLocation(1, 1))
parsedArgs = DefaultParse({"/platform:anycpu", "/platform:anycpu32bitpreferred", "/target:winmdobj", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_LibAnycpu32bitPreferredConflict).WithArguments("Platform", "AnyCpu32BitPreferred").WithLocation(1, 1))
End Sub
<Fact()>
Public Sub FileAlignment()
' test recognizing all options
Dim parsedArgs = DefaultParse({"/filealign:512", "a.vb"}, _baseDirectory)
Assert.Equal(512, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:1024", "a.vb"}, _baseDirectory)
Assert.Equal(1024, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:2048", "a.vb"}, _baseDirectory)
Assert.Equal(2048, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:4096", "a.vb"}, _baseDirectory)
Assert.Equal(4096, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:8192", "a.vb"}, _baseDirectory)
Assert.Equal(8192, parsedArgs.EmitOptions.FileAlignment)
' test oct values
parsedArgs = DefaultParse({"/filealign:01000", "a.vb"}, _baseDirectory)
Assert.Equal(512, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:02000", "a.vb"}, _baseDirectory)
Assert.Equal(1024, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:04000", "a.vb"}, _baseDirectory)
Assert.Equal(2048, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:010000", "a.vb"}, _baseDirectory)
Assert.Equal(4096, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:020000", "a.vb"}, _baseDirectory)
Assert.Equal(8192, parsedArgs.EmitOptions.FileAlignment)
' test hex values
parsedArgs = DefaultParse({"/filealign:0x200", "a.vb"}, _baseDirectory)
Assert.Equal(512, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x400", "a.vb"}, _baseDirectory)
Assert.Equal(1024, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x800", "a.vb"}, _baseDirectory)
Assert.Equal(2048, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x1000", "a.vb"}, _baseDirectory)
Assert.Equal(4096, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x2000", "a.vb"}, _baseDirectory)
Assert.Equal(8192, parsedArgs.EmitOptions.FileAlignment)
' test default (no value)
parsedArgs = DefaultParse({"/platform:x86", "a.vb"}, _baseDirectory)
Assert.Equal(0, parsedArgs.EmitOptions.FileAlignment)
' test missing
parsedArgs = DefaultParse({"/filealign:", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("filealign", ":<number>"))
' test illegal
parsedArgs = DefaultParse({"/filealign:0", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "0"))
parsedArgs = DefaultParse({"/filealign:0x", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "0x"))
parsedArgs = DefaultParse({"/filealign:0x0", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "0x0"))
parsedArgs = DefaultParse({"/filealign:-1", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "-1"))
parsedArgs = DefaultParse({"/filealign:-0x100", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "-0x100"))
End Sub
<Fact()>
Public Sub RemoveIntChecks()
Dim parsedArgs = DefaultParse({"/removeintcheckS", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintcheckS+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintcheckS-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintchecks+", "/removeintchecks-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintchecks:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("removeintchecks"))
parsedArgs = DefaultParse({"/removeintchecks:+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("removeintchecks"))
parsedArgs = DefaultParse({"/removeintchecks+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("removeintchecks"))
End Sub
<Fact()>
Public Sub BaseAddress()
' This test is about what passes the parser. Even if a value was accepted by the parser it might not be considered
' as a valid base address later on (e.g. values >0x8000).
' test decimal values being treated as hex
Dim parsedArgs = DefaultParse({"/baseaddress:0", "a.vb"}, _baseDirectory)
Assert.Equal(CType(0, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:1024", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H1024, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:2048", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H2048, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:4096", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H4096, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:8192", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H8192, ULong), parsedArgs.EmitOptions.BaseAddress)
' test hex values being treated as hex
parsedArgs = DefaultParse({"/baseaddress:0x200", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H200, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0x400", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H400, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0x800", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H800, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0x1000", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H1000, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0xFFFFFFFFFFFFFFFF", "a.vb"}, _baseDirectory)
Assert.Equal(ULong.MaxValue, parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:FFFFFFFFFFFFFFFF", "a.vb"}, _baseDirectory)
Assert.Equal(ULong.MaxValue, parsedArgs.EmitOptions.BaseAddress)
' test octal values being treated as hex
parsedArgs = DefaultParse({"/baseaddress:00", "a.vb"}, _baseDirectory)
Assert.Equal(CType(0, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:01024", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H1024, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:02048", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H2048, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:04096", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H4096, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:08192", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H8192, ULong), parsedArgs.EmitOptions.BaseAddress)
' test default (no value)
parsedArgs = DefaultParse({"/platform:x86", "a.vb"}, _baseDirectory)
Assert.Equal(CType(0, ULong), parsedArgs.EmitOptions.BaseAddress)
' test missing
parsedArgs = DefaultParse({"/baseaddress:", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("baseaddress", ":<number>"))
' test illegal
parsedArgs = DefaultParse({"/baseaddress:0x10000000000000000", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("baseaddress", "0x10000000000000000"))
parsedArgs = DefaultParse({"/BASEADDRESS:-1", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("baseaddress", "-1"))
parsedArgs = DefaultParse({"/BASEADDRESS:" + ULong.MaxValue.ToString, "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("baseaddress", ULong.MaxValue.ToString))
End Sub
<Fact()>
Public Sub BinaryFile()
Dim binaryPath = Temp.CreateFile().WriteAllBytes(TestMetadata.ResourcesNet451.mscorlib).Path
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", binaryPath}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2015: the file '" + binaryPath + "' is not a text file", outWriter.ToString.Trim())
CleanupAllGeneratedFiles(binaryPath)
End Sub
<Fact()>
Public Sub AddModule()
Dim parsedArgs = DefaultParse({"/nostdlib", "/vbruntime-", "/addMODULE:c:\,d:\x\y\z,abc,,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(3, parsedArgs.MetadataReferences.Length)
Assert.Equal("c:\", parsedArgs.MetadataReferences(0).Reference)
Assert.Equal(MetadataImageKind.Module, parsedArgs.MetadataReferences(0).Properties.Kind)
Assert.Equal("d:\x\y\z", parsedArgs.MetadataReferences(1).Reference)
Assert.Equal(MetadataImageKind.Module, parsedArgs.MetadataReferences(1).Properties.Kind)
Assert.Equal("abc", parsedArgs.MetadataReferences(2).Reference)
Assert.Equal(MetadataImageKind.Module, parsedArgs.MetadataReferences(2).Properties.Kind)
Assert.False(parsedArgs.MetadataReferences(0).Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.False(parsedArgs.MetadataReferences(1).Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.False(parsedArgs.MetadataReferences(2).Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.True(parsedArgs.DefaultCoreLibraryReference.Value.Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.Equal(MetadataImageKind.Assembly, parsedArgs.DefaultCoreLibraryReference.Value.Properties.Kind)
parsedArgs = DefaultParse({"/ADDMODULE", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("addmodule", ":<file_list>"))
parsedArgs = DefaultParse({"/addmodule:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("addmodule", ":<file_list>"))
parsedArgs = DefaultParse({"/addmodule+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/addmodule+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact()>
Public Sub LibPathsAndLibEnvVariable()
Dim parsedArgs = DefaultParse({"/libpath:c:\,d:\x\y\z,abc,,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, Nothing, "c:\", "d:\x\y\z", Path.Combine(_baseDirectory, "abc"))
parsedArgs = DefaultParse({"/lib:c:\Windows", "/libpaths:abc\def, , , ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, Nothing, "c:\Windows", Path.Combine(_baseDirectory, "abc\def"))
parsedArgs = DefaultParse({"/libpath", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("libpath", ":<path_list>"))
parsedArgs = DefaultParse({"/libpath:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("libpath", ":<path_list>"))
parsedArgs = DefaultParse({"/libpath+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/libpath+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact(), WorkItem(546005, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546005")>
Public Sub LibPathsAndLibEnvVariable_Relative_vbc()
Dim tempFolder = Temp.CreateDirectory()
Dim baseDirectory = tempFolder.ToString()
Dim subFolder = tempFolder.CreateDirectory("temp")
Dim subDirectory = subFolder.ToString()
Dim src = Temp.CreateFile("a.vb")
src.WriteAllText("Imports System")
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, subDirectory, {"/nologo", "/t:library", "/out:abc.xyz", src.ToString()}).Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString().Trim())
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, baseDirectory, {"/nologo", "/libpath:temp", "/r:abc.xyz.dll", "/t:library", src.ToString()}).Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString().Trim())
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub UnableWriteOutput()
Dim tempFolder = Temp.CreateDirectory()
Dim baseDirectory = tempFolder.ToString()
Dim subFolder = tempFolder.CreateDirectory("temp.dll")
Dim src = Temp.CreateFile("a.vb")
src.WriteAllText("Imports System")
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, baseDirectory, {"/nologo", "/preferreduilang:en", "/t:library", "/out:" & subFolder.ToString(), src.ToString()}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.True(outWriter.ToString().Contains("error BC2012: can't open '" & subFolder.ToString() & "' for writing: ")) ' Cannot create a file when that file already exists.
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub SdkPathAndLibEnvVariable()
Dim parsedArgs = DefaultParse({"/libpath:c:lib2", "/sdkpath:<>,d:\sdk1", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
' invalid paths are ignored
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "d:\sdk1")
parsedArgs = DefaultParse({"/sdkpath:c:\Windows", "/sdkpath:d:\Windows", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "d:\Windows")
parsedArgs = DefaultParse({"/sdkpath:c:\Windows,d:\blah", "a.vb"}, _baseDirectory)
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "c:\Windows", "d:\blah")
parsedArgs = DefaultParse({"/libpath:c:\Windows,d:\blah", "/sdkpath:c:\lib2", "a.vb"}, _baseDirectory)
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "c:\lib2", "c:\Windows", "d:\blah")
parsedArgs = DefaultParse({"/sdkpath", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("sdkpath", ":<path>"))
parsedArgs = DefaultParse({"/sdkpath:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("sdkpath", ":<path>"))
parsedArgs = DefaultParse({"/sdkpath+", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/sdkpath+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact()>
Public Sub VbRuntime()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Imports Microsoft.VisualBasic
Class C
Dim a = vbLf
Dim b = Loc
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30455: Argument not specified for parameter 'FileNumber' of 'Public Function Loc(FileNumber As Integer) As Long'.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime+ /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30455: Argument not specified for parameter 'FileNumber' of 'Public Function Loc(FileNumber As Integer) As Long'.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime* /t:library /r:System.dll " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30451: 'Loc' is not declared. It may be inaccessible due to its protection level.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime+ /vbruntime:abc /vbruntime* /t:library /r:System.dll " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30451: 'Loc' is not declared. It may be inaccessible due to its protection level.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime+ /vbruntime:abc /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'abc'
</text>, output)
Dim newVbCore = dir.CreateFile("Microsoft.VisualBasic.dll")
newVbCore.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "Microsoft.VisualBasic.dll")))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime:" & newVbCore.ToString() & " /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30455: Argument not specified for parameter 'FileNumber' of 'Public Function Loc(FileNumber As Integer) As Long'.
Dim b = Loc
~~~
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<WorkItem(997208, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/997208")>
<Fact>
Public Sub VbRuntime02()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Imports Microsoft.VisualBasic
Class C
Dim a = vbLf
Dim b = Loc
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /r:mscorlib.dll /vbruntime- /t:library /d:_MyType=\""Empty\"" " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(2) : warning BC40056: Namespace or type specified in the Imports 'Microsoft.VisualBasic' 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.
Imports Microsoft.VisualBasic
~~~~~~~~~~~~~~~~~~~~~
src.vb(4) : error BC30451: 'vbLf' is not declared. It may be inaccessible due to its protection level.
Dim a = vbLf
~~~~
src.vb(5) : error BC30451: 'Loc' is not declared. It may be inaccessible due to its protection level.
Dim b = Loc
~~~
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub VbRuntimeEmbeddedIsIncompatibleWithNetModule()
Dim opt = TestOptions.ReleaseModule
opt = opt.WithEmbedVbCoreRuntime(True)
opt.Errors.Verify(Diagnostic(ERRID.ERR_VBCoreNetModuleConflict))
CreateCompilationWithMscorlib40AndVBRuntime(<compilation><file/></compilation>, opt).GetDiagnostics().Verify(Diagnostic(ERRID.ERR_VBCoreNetModuleConflict))
opt = opt.WithOutputKind(OutputKind.DynamicallyLinkedLibrary)
opt.Errors.Verify()
CreateCompilationWithMscorlib40AndVBRuntime(<compilation><file/></compilation>, opt).GetDiagnostics().Verify()
End Sub
<Fact()>
Public Sub SdkPathInAction()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:l:\x /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /r:mscorlib.dll /vbruntime- /sdkpath:c:folder /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'mscorlib.dll'
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:" & dir.Path & " /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
' Create 'System.Runtime.dll'
Dim sysRuntime = dir.CreateFile("System.Runtime.dll")
sysRuntime.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.Runtime.dll")))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:" & dir.Path & " /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
' trash in 'System.Runtime.dll'
sysRuntime.WriteAllBytes({0, 1, 2, 3, 4, 5})
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:" & dir.Path & " /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
' Create 'mscorlib.dll'
Dim msCorLib = dir.CreateFile("mscorlib.dll")
msCorLib.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "mscorlib.dll")))
' NOT: both libraries exist, but 'System.Runtime.dll' is invalid, so we need to pick up 'mscorlib.dll'
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /nostdlib /sdkpath:" & dir.Path & " /t:library /vbruntime* /r:" & Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.dll") & " " & src.ToString(), startFolder:=dir.Path)
AssertOutput(<text></text>, output.Replace(dir.Path, "{SDKPATH}")) ' SUCCESSFUL BUILD with 'mscorlib.dll' and embedded VbCore
File.Delete(sysRuntime.Path)
' NOTE: only 'mscorlib.dll' exists
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /nostdlib /sdkpath:" & dir.Path & " /t:library /vbruntime* /r:" & Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.dll") & " " & src.ToString(), startFolder:=dir.Path)
AssertOutput(<text></text>, output.Replace(dir.Path, "{SDKPATH}"))
File.Delete(msCorLib.Path)
CleanupAllGeneratedFiles(src.Path)
End Sub
<WorkItem(598158, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/598158")>
<Fact()>
Public Sub MultiplePathsInSdkPath()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output As String = ""
Dim subFolder1 = dir.CreateDirectory("fldr1")
Dim subFolder2 = dir.CreateDirectory("fldr2")
Dim sdkMultiPath = subFolder1.Path & "," & subFolder2.Path
Dim cmd As String = " /nologo /preferreduilang:en /sdkpath:" & sdkMultiPath &
" /t:library /r:" & Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.dll") &
" " & src.ToString()
Dim cmdNoStdLibNoRuntime As String = "/nostdlib /vbruntime* /r:mscorlib.dll /preferreduilang:en" & cmd
' NOTE: no 'mscorlib.dll' exists
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, cmdNoStdLibNoRuntime, startFolder:=dir.Path, expectedRetCode:=1)
AssertOutput(<text>vbc : error BC2017: could not find library 'mscorlib.dll'</text>, output.Replace(dir.Path, "{SDKPATH}"))
' Create '<dir>\fldr2\mscorlib.dll'
Dim msCorLib = subFolder2.CreateFile("mscorlib.dll")
msCorLib.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "mscorlib.dll")))
' NOTE: only 'mscorlib.dll' exists
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, cmdNoStdLibNoRuntime, startFolder:=dir.Path)
AssertOutput(<text></text>, output.Replace(dir.Path, "{SDKPATH}"))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, cmd, startFolder:=dir.Path, expectedRetCode:=1)
AssertOutput(
<text>
vbc : warning BC40049: Could not find standard library 'System.dll'.
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
File.Delete(msCorLib.Path)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub NostdlibInAction()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /t:library " & src.ToString(), startFolder:=dir.Path, expectedRetCode:=1)
Assert.Contains("error BC30002: Type 'Global.System.ComponentModel.EditorBrowsable' is not defined.", output, StringComparison.Ordinal)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /nostdlib /define:_MYTYPE=\""Empty\"" /t:library " & src.ToString(), startFolder:=dir.Path)
AssertOutput(<text></text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:x:\ /vbruntime- /define:_MYTYPE=\""Empty\"" /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
src.vb(2) : error BC30002: Type 'System.Void' is not defined.
Class C
~~~~~~~
End Class
~~~~~~~~~
src.vb(2) : error BC31091: Import of type 'Object' from assembly or module 'src.dll' failed.
Class C
~
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
Private Sub AssertOutput(expected As XElement, output As String, Optional fileName As String = "src.vb")
AssertOutput(expected.Value, output, fileName)
End Sub
Private Sub AssertOutput(expected As String, output As String, Optional fileName As String = "src.vb")
output = Regex.Replace(output, "^.*" & fileName, fileName, RegexOptions.Multiline)
output = Regex.Replace(output, "\r\n\s*\r\n", vbCrLf) ' empty strings
output = output.Trim()
Assert.Equal(expected.Replace(vbLf, vbCrLf).Trim, output)
End Sub
<Fact()>
Public Sub ResponsePathInSearchPath()
Dim file = Temp.CreateDirectory().CreateFile("vb.rsp")
file.WriteAllText("")
Dim parsedArgs = DefaultParse({"/libpath:c:\lib2,", "@" & file.ToString(), "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, Nothing, Path.GetDirectoryName(file.ToString()), "c:\lib2")
CleanupAllGeneratedFiles(file.Path)
End Sub
Private Sub AssertReferencePathsEqual(refPaths As ImmutableArray(Of String), sdkPathOrNothing As String, ParamArray paths() As String)
Assert.Equal(1 + paths.Length, refPaths.Length)
Assert.Equal(If(sdkPathOrNothing, RuntimeEnvironment.GetRuntimeDirectory()), refPaths(0))
For i = 0 To paths.Count - 1
Assert.Equal(paths(i), refPaths(i + 1))
Next
End Sub
<Fact()>
Public Sub HighEntropyVirtualAddressSpace()
Dim parsedArgs = DefaultParse({"/highentropyva", "a.vb"}, _baseDirectory)
Assert.True(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
parsedArgs = DefaultParse({"/highentropyva+", "a.vb"}, _baseDirectory)
Assert.True(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
parsedArgs = DefaultParse({"/highentropyva-", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
parsedArgs = DefaultParse({"/highentropyva:+", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
Verify(parsedArgs.Errors, Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/highentropyva:+"))
parsedArgs = DefaultParse({"/highentropyva:", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
Verify(parsedArgs.Errors, Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/highentropyva:"))
parsedArgs = DefaultParse({"/highentropyva+ /highentropyva-", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
End Sub
<Fact>
Public Sub Win32ResQuotes()
Dim responseFile As String() = {
" /win32resource:d:\\""abc def""\a""b c""d\a.res"
}
Dim args = DefaultParse(VisualBasicCommandLineParser.ParseResponseLines(responseFile), "c:\")
Assert.Equal("d:\abc def\ab cd\a.res", args.Win32ResourceFile)
responseFile = {
" /win32icon:d:\\""abc def""\a""b c""d\a.ico"
}
args = DefaultParse(VisualBasicCommandLineParser.ParseResponseLines(responseFile), "c:\")
Assert.Equal("d:\abc def\ab cd\a.ico", args.Win32Icon)
responseFile = {
" /win32manifest:d:\\""abc def""\a""b c""d\a.manifest"
}
args = DefaultParse(VisualBasicCommandLineParser.ParseResponseLines(responseFile), "c:\")
Assert.Equal("d:\abc def\ab cd\a.manifest", args.Win32Manifest)
End Sub
<Fact>
Public Sub ResourceOnlyCompile()
Dim parsedArgs = DefaultParse({"/resource:goo.vb,ed", "/out:e.dll"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/resource:goo.vb,ed"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSourcesOut))
End Sub
<Fact>
Public Sub OutputFileName1()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library"},
expectedOutputName:="p.dll")
End Sub
<Fact>
Public Sub OutputFileName2()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:r.dll"},
expectedOutputName:="r.dll")
End Sub
<Fact>
Public Sub OutputFileName3()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe"},
expectedOutputName:="p.exe")
End Sub
<Fact>
Public Sub OutputFileName4()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe", "/out:r.exe"},
expectedOutputName:="r.exe")
End Sub
<Fact>
Public Sub OutputFileName5()
Dim source1 = <![CDATA[
Class A
Shared Sub Main()
End Sub
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe", "/main:A"},
expectedOutputName:="p.exe")
End Sub
<Fact>
Public Sub OutputFileName6()
Dim source1 = <![CDATA[
Class A
Shared Sub Main()
End Sub
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe", "/main:B"},
expectedOutputName:="p.exe")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName7()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:goo"},
expectedOutputName:="goo.dll")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName8()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:goo. "},
expectedOutputName:="goo.dll")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName9()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:goo.a"},
expectedOutputName:="goo.a.dll")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName10()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:module", "/out:goo.a"},
expectedOutputName:="goo.a")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName11()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:module", "/out:goo.a . . . . "},
expectedOutputName:="goo.a")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName12()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:module", "/out:goo. . . . . "},
expectedOutputName:="goo.netmodule")
End Sub
<Fact>
Public Sub OutputFileName13()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:winmdobj"},
expectedOutputName:="p.winmdobj")
End Sub
<Fact>
Public Sub OutputFileName14()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:appcontainerexe"},
expectedOutputName:="p.exe")
End Sub
Private Sub CheckOutputFileName(source1 As XCData, source2 As XCData, inputName1 As String, inputName2 As String, commandLineArguments As String(), expectedOutputName As String)
Dim dir = Temp.CreateDirectory()
Dim file1 = dir.CreateFile(inputName1)
file1.WriteAllText(source1.Value)
Dim file2 = dir.CreateFile(inputName2)
file2.WriteAllText(source2.Value)
Dim outWriter As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, commandLineArguments.Concat({inputName1, inputName2}).ToArray())
Dim exitCode As Integer = vbc.Run(outWriter, Nothing)
If exitCode <> 0 Then
Console.WriteLine(outWriter.ToString())
Assert.Equal(0, exitCode)
End If
Assert.Equal(1, Directory.EnumerateFiles(dir.Path, "*" & PathUtilities.GetExtension(expectedOutputName)).Count())
Assert.Equal(1, Directory.EnumerateFiles(dir.Path, expectedOutputName).Count())
If System.IO.File.Exists(expectedOutputName) Then
System.IO.File.Delete(expectedOutputName)
End If
CleanupAllGeneratedFiles(file1.Path)
CleanupAllGeneratedFiles(file2.Path)
End Sub
Private Shared Sub AssertSpecificDiagnostics(expectedCodes As Integer(), expectedOptions As ReportDiagnostic(), args As VisualBasicCommandLineArguments)
Dim actualOrdered = args.CompilationOptions.SpecificDiagnosticOptions.OrderBy(Function(entry) entry.Key)
AssertEx.Equal(
expectedCodes.Select(Function(i) MessageProvider.Instance.GetIdForErrorCode(i)),
actualOrdered.Select(Function(entry) entry.Key))
AssertEx.Equal(expectedOptions, actualOrdered.Select(Function(entry) entry.Value))
End Sub
<Fact>
Public Sub WarningsOptions()
' Baseline
Dim parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors
parsedArgs = DefaultParse({"/warnaserror", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Error, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors+
parsedArgs = DefaultParse({"/warnaserror+", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Error, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors:
parsedArgs = DefaultParse({"/warnaserror:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors:42024,42025
parsedArgs = DefaultParse({"/warnaserror:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Error, ReportDiagnostic.Error}, parsedArgs)
' Test for /warnaserrors+:
parsedArgs = DefaultParse({"/warnaserror+:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors+:42024,42025
parsedArgs = DefaultParse({"/warnaserror+:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Error, ReportDiagnostic.Error}, parsedArgs)
' Test for /warnaserrors-
parsedArgs = DefaultParse({"/warnaserror-", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors-:
parsedArgs = DefaultParse({"/warnaserror-:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors-:42024,42025
parsedArgs = DefaultParse({"/warnaserror-:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Default, ReportDiagnostic.Default}, parsedArgs)
' Test for /nowarn
parsedArgs = DefaultParse({"/nowarn", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Suppress, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /nowarn:
parsedArgs = DefaultParse({"/nowarn:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /nowarn:42024,42025
parsedArgs = DefaultParse({"/nowarn:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Suppress, ReportDiagnostic.Suppress}, parsedArgs)
End Sub
<Fact()>
Public Sub WarningsErrors()
' Previous versions of the compiler used to report warnings (BC2026, BC2014)
' whenever an unrecognized warning code was supplied via /nowarn or /warnaserror.
' We no longer generate a warning in such cases.
' Test for /warnaserrors:1
Dim parsedArgs = DefaultParse({"/warnaserror:1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
' Test for /warnaserrors:abc
parsedArgs = DefaultParse({"/warnaserror:abc", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
' Test for /nowarn:1
parsedArgs = DefaultParse({"/nowarn:1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
' Test for /nowarn:abc
parsedArgs = DefaultParse({"/nowarn:abc", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
End Sub
<WorkItem(545025, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545025")>
<Fact()>
Public Sub CompilationWithWarnAsError()
Dim source = <![CDATA[
Class A
Shared Sub Main()
End Sub
End Class
]]>
' Baseline without warning options (expect success)
Dim exitCode As Integer = GetExitCode(source.Value, "a.vb", {})
Assert.Equal(0, exitCode)
' The case with /warnaserror (expect to be success, since there will be no warning)
exitCode = GetExitCode(source.Value, "b.vb", {"/warnaserror"})
Assert.Equal(0, exitCode)
' The case with /warnaserror and /nowarn:1 (expect success)
' Note that even though the command line option has a warning, it is not going to become an error
' in order to avoid the halt of compilation.
exitCode = GetExitCode(source.Value, "c.vb", {"/warnaserror", "/nowarn:1"})
Assert.Equal(0, exitCode)
End Sub
Public Function GetExitCode(source As String, fileName As String, commandLineArguments As String()) As Integer
Dim dir = Temp.CreateDirectory()
Dim file1 = dir.CreateFile(fileName)
file1.WriteAllText(source)
Dim outWriter As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, commandLineArguments.Concat({fileName}).ToArray())
Return vbc.Run(outWriter, Nothing)
End Function
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_01()
Dim source =
<compilation>
<file name="a.vb">Imports System
Module Program
Sub Main(args As String())
Dim x As Integer
Dim yy As Integer
Const zzz As Long = 0
End Sub
Function goo()
End Function
End Module
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(5) : warning BC42024: Unused local variable: 'x'.
Dim x As Integer
~
PATH(6) : warning BC42024: Unused local variable: 'yy'.
Dim yy As Integer
~~
PATH(7) : warning BC42099: Unused local constant: 'zzz'.
Const zzz As Long = 0
~~~
PATH(11) : warning BC42105: Function 'goo' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.
End Function
~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Dim expected = ReplacePathAndVersionAndHash(result, file).Trim()
Dim actual = output.ToString().Trim()
Assert.Equal(expected, actual)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_02()
' It verifies the case where diagnostic does not have the associated location in it.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System.Runtime.CompilerServices
Module Module1
Delegate Sub delegateType()
Sub main()
Dim a As ArgIterator = Nothing
Dim d As delegateType = AddressOf a.Goo
End Sub
<Extension()> _
Public Function Goo(ByVal x As ArgIterator) as Integer
Return 1
End Function
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(9) : error BC36640: Instance of restricted type 'ArgIterator' cannot be used in a lambda expression.
Dim d As delegateType = AddressOf a.Goo
~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "-imports:System"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_03()
' It verifies the case where the squiggles covers the error span with tabs in it.
Dim source = "Module Module1" + vbCrLf +
" Sub Main()" + vbCrLf +
" Dim x As Integer = ""a" + vbTab + vbTab + vbTab + "b""c ' There is a tab in the string." + vbCrLf +
" End Sub" + vbCrLf +
"End Module" + vbCrLf
Dim result = <file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(3) : error BC30201: Expression expected.
Dim x As Integer = "a b"c ' There is a tab in the string.
~
PATH(3) : error BC30004: Character constant must contain exactly one character.
Dim x As Integer = "a b"c ' There is a tab in the string.
~~~~~~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Dim expected = ReplacePathAndVersionAndHash(result, file).Trim()
Dim actual = output.ToString().Trim()
Assert.Equal(expected, actual)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_04()
' It verifies the case where the squiggles covers multiple lines.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System.Collections.Generic
Module Module1
Sub Main()
Dim i3 = From el In {
3, 33, 333
} Select el
End Sub
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(5) : error BC36593: Expression of type 'Integer()' is not queryable. Make sure you are not missing an assembly reference and/or namespace import for the LINQ provider.
Dim i3 = From el In {
~
3, 33, 333
~~~~~~~~~~~~~~~~~~~~~~~~~~
} Select el
~~~~~~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_05()
' It verifies the case where the squiggles covers multiple lines.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System.Collections.Generic
Module _
Module1
Sub Main()
End Sub
'End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(3) : error BC30625: 'Module' statement must end with a matching 'End Module'.
Module _
~~~~~~~~
Module1
~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_06()
' It verifies the case where the squiggles covers the very long error span.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Imports System.Collections.Generic
Module Program
Event eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee()
Event eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee()
Sub Main(args As String())
End Sub
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(7) : error BC37220: Name 'eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeEventHandler' exceeds the maximum length allowed in metadata.
Event eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee()
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_07()
' It verifies the case where the error is on the last line.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
Console.WriteLine("Hello from VB")
End Sub
End Class]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(4) : error BC30625: 'Module' statement must end with a matching 'End Module'.
Module Module1
~~~~~~~~~~~~~~
PATH(8) : error BC30460: 'End Class' must be preceded by a matching 'Class'.
End Class
~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(531606, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531606")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_08()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
Dim i As system.Boolean,
End Sub
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(6) : error BC30203: Identifier expected.
Dim i As system.Boolean,
~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
Private Shared Function ReplacePathAndVersionAndHash(result As XElement, file As TempFile) As String
Return result.Value.Replace("PATH", file.Path).Replace("VERSION (HASH)", s_compilerVersion).Replace(vbLf, vbCrLf)
End Function
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithNonExistingOutPath()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/target:exe", "/preferreduilang:en", "/out:sub\a.exe"})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2012: can't open '" + dir.Path + "\sub\a.exe' for writing", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_01()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out:sub\"})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Dim message = output.ToString()
Assert.Contains("error BC2032: File name", message, StringComparison.Ordinal)
Assert.Contains("sub", message, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_02()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out:sub\ "})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Dim message = output.ToString()
Assert.Contains("error BC2032: File name", message, StringComparison.Ordinal)
Assert.Contains("sub", message, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_03()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out:aaa:\a.exe"})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2032: File name 'aaa:\a.exe' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_04()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out: "})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2006: option 'out' requires ':<file>'", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact()>
Public Sub SpecifyProperCodePage()
' Class <UTF8 Cyrillic Character>
' End Class
Dim source() As Byte = {
&H43, &H6C, &H61, &H73, &H73, &H20, &HD0, &H96, &HD, &HA,
&H45, &H6E, &H64, &H20, &H43, &H6C, &H61, &H73, &H73
}
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllBytes(source)
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /t:library " & file.ToString(), startFolder:=dir.Path)
Assert.Equal("", output) ' Autodetected UTF8, NO ERROR
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /t:library /codepage:20127 " & file.ToString(), expectedRetCode:=1, startFolder:=dir.Path) ' 20127: US-ASCII
' 0xd0, 0x96 ==> 'Ж' ==> ERROR
Dim expected = <result>
a.vb(1) : error BC30203: Identifier expected.
Class ??
~
</result>.Value.Replace(vbLf, vbCrLf).Trim()
Dim actual = Regex.Replace(output, "^.*a.vb", "a.vb", RegexOptions.Multiline).Trim()
Assert.Equal(expected, actual)
End Sub
<Fact()>
Public Sub EmittedSubsystemVersion()
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim comp = VisualBasicCompilation.Create("a.dll", options:=TestOptions.ReleaseDll)
Dim peHeaders = New PEHeaders(comp.EmitToStream(New EmitOptions(subsystemVersion:=SubsystemVersion.Create(5, 1))))
Assert.Equal(5, peHeaders.PEHeader.MajorSubsystemVersion)
Assert.Equal(1, peHeaders.PEHeader.MinorSubsystemVersion)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub DefaultManifestForExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="490">
<Contents><![CDATA[<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="MyApplication.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.ConsoleApplication, explicitManifest:=Nothing, expectedManifest:=expectedManifest)
End Sub
<Fact>
Public Sub DefaultManifestForDll()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
CheckManifestXml(source, OutputKind.DynamicallyLinkedLibrary, explicitManifest:=Nothing, expectedManifest:=Nothing)
End Sub
<Fact>
Public Sub DefaultManifestForModule()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
CheckManifestXml(source, OutputKind.NetModule, explicitManifest:=Nothing, expectedManifest:=Nothing)
End Sub
<Fact>
Public Sub DefaultManifestForWinExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="490">
<Contents><![CDATA[<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="MyApplication.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.WindowsApplication, explicitManifest:=Nothing, expectedManifest:=expectedManifest)
End Sub
<Fact>
Public Sub DefaultManifestForAppContainerExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="490">
<Contents><![CDATA[<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="MyApplication.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.WindowsRuntimeApplication, explicitManifest:=Nothing, expectedManifest:=expectedManifest)
End Sub
<Fact>
Public Sub DefaultManifestForWinMDObj()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
CheckManifestXml(source, OutputKind.WindowsRuntimeMetadata, explicitManifest:=Nothing, expectedManifest:=Nothing)
End Sub
<Fact>
Public Sub ExplicitManifestForExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim explicitManifest =
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="421">
<Contents><![CDATA[<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app" />
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false" />
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.ConsoleApplication, explicitManifest, expectedManifest)
End Sub
<Fact>
Public Sub ExplicitManifestResForDll()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim explicitManifest =
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="421">
<Contents><![CDATA[<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app" />
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false" />
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.DynamicallyLinkedLibrary, explicitManifest, expectedManifest)
End Sub
<Fact>
Public Sub ExplicitManifestForModule()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim explicitManifest =
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>
CheckManifestXml(source, OutputKind.NetModule, explicitManifest, expectedManifest:=Nothing)
End Sub
<DllImport("kernel32.dll", SetLastError:=True)> Public Shared Function _
LoadLibraryEx(lpFileName As String, hFile As IntPtr, dwFlags As UInteger) As IntPtr
End Function
<DllImport("kernel32.dll", SetLastError:=True)> Public Shared Function _
FreeLibrary(hFile As IntPtr) As Boolean
End Function
Private Sub CheckManifestXml(source As XElement, outputKind As OutputKind, explicitManifest As XDocument, expectedManifest As XDocument)
Dim dir = Temp.CreateDirectory()
Dim sourceFile = dir.CreateFile("Test.cs").WriteAllText(source.Value)
Dim outputFileName As String
Dim target As String
Select Case outputKind
Case OutputKind.ConsoleApplication
outputFileName = "Test.exe"
target = "exe"
Case OutputKind.WindowsApplication
outputFileName = "Test.exe"
target = "winexe"
Case OutputKind.DynamicallyLinkedLibrary
outputFileName = "Test.dll"
target = "library"
Case OutputKind.NetModule
outputFileName = "Test.netmodule"
target = "module"
Case OutputKind.WindowsRuntimeMetadata
outputFileName = "Test.winmdobj"
target = "winmdobj"
Case OutputKind.WindowsRuntimeApplication
outputFileName = "Test.exe"
target = "appcontainerexe"
Case Else
Throw TestExceptionUtilities.UnexpectedValue(outputKind)
End Select
Dim vbc As VisualBasicCompiler
Dim manifestFile As TempFile
If explicitManifest Is Nothing Then
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
String.Format("/target:{0}", target),
String.Format("/out:{0}", outputFileName),
Path.GetFileName(sourceFile.Path)
})
Else
manifestFile = dir.CreateFile("Test.config").WriteAllText(explicitManifest.ToString())
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
String.Format("/target:{0}", target),
String.Format("/out:{0}", outputFileName),
String.Format("/win32manifest:{0}", Path.GetFileName(manifestFile.Path)),
Path.GetFileName(sourceFile.Path)
})
End If
Assert.Equal(0, vbc.Run(New StringWriter(), Nothing))
Dim library As IntPtr = LoadLibraryEx(Path.Combine(dir.Path, outputFileName), IntPtr.Zero, 2)
If library = IntPtr.Zero Then
Throw New Win32Exception(Marshal.GetLastWin32Error())
End If
Const resourceType As String = "#24"
Dim resourceId As String = If(outputKind = OutputKind.DynamicallyLinkedLibrary, "#2", "#1")
Dim manifestSize As UInteger = Nothing
If expectedManifest Is Nothing Then
Assert.Throws(Of Win32Exception)(Function() Win32Res.GetResource(library, resourceId, resourceType, manifestSize))
Else
Dim manifestResourcePointer As IntPtr = Win32Res.GetResource(library, resourceId, resourceType, manifestSize)
Dim actualManifest As String = Win32Res.ManifestResourceToXml(manifestResourcePointer, manifestSize)
Assert.Equal(expectedManifest.ToString(), XDocument.Parse(actualManifest).ToString())
End If
FreeLibrary(library)
CleanupAllGeneratedFiles(sourceFile.Path)
End Sub
<WorkItem(530221, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530221")>
<WorkItem(5664, "https://github.com/dotnet/roslyn/issues/5664")>
<ConditionalFact(GetType(IsEnglishLocal))>
Public Sub Bug15538()
' The icacls command fails on our Helix machines And it appears to be related to the use of the $ in
' the username.
' https://github.com/dotnet/roslyn/issues/28836
If StringComparer.OrdinalIgnoreCase.Equals(Environment.UserDomainName, "WORKGROUP") Then
Return
End If
Dim folder = Temp.CreateDirectory()
Dim source As String = folder.CreateFile("src.vb").WriteAllText("").Path
Dim ref As String = folder.CreateFile("ref.dll").WriteAllText("").Path
Try
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C icacls " & ref & " /inheritance:r /Q")
Assert.Equal("Successfully processed 1 files; Failed processing 0 files", output.Trim())
output = ProcessUtilities.RunAndGetOutput("cmd", "/C icacls " & ref & " /deny %USERDOMAIN%\%USERNAME%:(r,WDAC) /Q")
Assert.Equal("Successfully processed 1 files; Failed processing 0 files", output.Trim())
output = ProcessUtilities.RunAndGetOutput("cmd", "/C """ & s_basicCompilerExecutable & """ /nologo /preferreduilang:en /r:" & ref & " /t:library " & source, expectedRetCode:=1)
Assert.True(output.StartsWith("vbc : error BC31011: Unable to load referenced library '" & ref & "': Access to the path '" & ref & "' is denied.", StringComparison.Ordinal))
Finally
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C icacls " & ref & " /reset /Q")
Assert.Equal("Successfully processed 1 files; Failed processing 0 files", output.Trim())
File.Delete(ref)
End Try
CleanupAllGeneratedFiles(source)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_01()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
Dim x As Integer
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/warnaserror
</text>.Value).Path
' Checks the base case without /noconfig (expect to see error)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
' Checks the base case with /noconfig (expect to see warning, instead of error)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/noconfig"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
' Checks the base case with /NOCONFIG (expect to see warning, instead of error)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/NOCONFIG"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
' Checks the base case with -noconfig (expect to see warning, instead of error)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "-noconfig"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_02()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/noconfig
</text>.Value).Path
' Checks the case with /noconfig inside the response file (expect to see warning)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
' Checks the case with /noconfig inside the response file as along with /nowarn (expect to see warning)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/nowarn"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_03()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/NOCONFIG
</text>.Value).Path
' Checks the case with /noconfig inside the response file (expect to see warning)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
' Checks the case with /NOCONFIG inside the response file as along with /nowarn (expect to see warning)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/nowarn"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_04()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
-noconfig
</text>.Value).Path
' Checks the case with /noconfig inside the response file (expect to see warning)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
' Checks the case with -noconfig inside the response file as along with /nowarn (expect to see warning)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/nowarn"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(545832, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545832")>
<Fact()>
Public Sub ResponseFilesWithEmptyAliasReference()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
-nologo
/r:a=""""
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2017: could not find library 'a='", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(546031, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546031")>
<WorkItem(546032, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546032")>
<WorkItem(546033, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546033")>
<Fact()>
Public Sub InvalidDefineSwitch()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define", source})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'define' requires ':<symbol_list>'", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'define' requires ':<symbol_list>'", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define: ", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'define' requires ':<symbol_list>'", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_,", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_a,", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_ a,", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ a' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:a,_,b", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_ ", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:a,_", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
End Sub
Private Function GetDefaultResponseFilePath() As String
Return Temp.CreateFile().WriteAllBytes(GetType(CommandLineTests).Assembly.GetManifestResourceStream("vbc.rsp").ReadAllBytes()).Path
End Function
<Fact>
Public Sub DefaultResponseFile()
Dim defaultResponseFile = GetDefaultResponseFilePath()
Assert.True(File.Exists(defaultResponseFile))
Dim vbc As New MockVisualBasicCompiler(defaultResponseFile, _baseDirectory, {})
' VB includes these by default, with or without the default response file.
Dim corlibLocation = GetType(Object).Assembly.Location
Dim corlibDir = Path.GetDirectoryName(corlibLocation)
Dim systemLocation = Path.Combine(corlibDir, "System.dll")
Dim msvbLocation = Path.Combine(corlibDir, "Microsoft.VisualBasic.dll")
Assert.Equal(vbc.Arguments.MetadataReferences.Select(Function(r) r.Reference),
{
"Accessibility.dll",
"System.Configuration.dll",
"System.Configuration.Install.dll",
"System.Data.dll",
"System.Data.OracleClient.dll",
"System.Deployment.dll",
"System.Design.dll",
"System.DirectoryServices.dll",
"System.dll",
"System.Drawing.Design.dll",
"System.Drawing.dll",
"System.EnterpriseServices.dll",
"System.Management.dll",
"System.Messaging.dll",
"System.Runtime.Remoting.dll",
"System.Runtime.Serialization.Formatters.Soap.dll",
"System.Security.dll",
"System.ServiceProcess.dll",
"System.Transactions.dll",
"System.Web.dll",
"System.Web.Mobile.dll",
"System.Web.RegularExpressions.dll",
"System.Web.Services.dll",
"System.Windows.Forms.dll",
"System.XML.dll",
"System.Workflow.Activities.dll",
"System.Workflow.ComponentModel.dll",
"System.Workflow.Runtime.dll",
"System.Runtime.Serialization.dll",
"System.ServiceModel.dll",
"System.Core.dll",
"System.Xml.Linq.dll",
"System.Data.Linq.dll",
"System.Data.DataSetExtensions.dll",
"System.Web.Extensions.dll",
"System.Web.Extensions.Design.dll",
"System.ServiceModel.Web.dll",
systemLocation,
msvbLocation
}, StringComparer.OrdinalIgnoreCase)
Assert.Equal(vbc.Arguments.CompilationOptions.GlobalImports.Select(Function(i) i.Name),
{
"System",
"Microsoft.VisualBasic",
"System.Linq",
"System.Xml.Linq"
})
Assert.True(vbc.Arguments.CompilationOptions.OptionInfer)
End Sub
<Fact>
Public Sub DefaultResponseFileNoConfig()
Dim defaultResponseFile = GetDefaultResponseFilePath()
Assert.True(File.Exists(defaultResponseFile))
Dim vbc As New MockVisualBasicCompiler(defaultResponseFile, _baseDirectory, {"/noconfig"})
' VB includes these by default, with or without the default response file.
Dim corlibLocation = GetType(Object).Assembly.Location
Dim corlibDir = Path.GetDirectoryName(corlibLocation)
Dim systemLocation = Path.Combine(corlibDir, "System.dll")
Dim msvbLocation = Path.Combine(corlibDir, "Microsoft.VisualBasic.dll")
Assert.Equal(vbc.Arguments.MetadataReferences.Select(Function(r) r.Reference),
{
systemLocation,
msvbLocation
}, StringComparer.OrdinalIgnoreCase)
Assert.Equal(0, vbc.Arguments.CompilationOptions.GlobalImports.Count)
Assert.False(vbc.Arguments.CompilationOptions.OptionInfer)
End Sub
<Fact(), WorkItem(546114, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546114")>
Public Sub TestFilterCommandLineDiagnostics()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Function blah() As Integer
End Function
Sub Main()
End Sub
End Module
</text>.Value).Path
' Previous versions of the compiler used to report warnings (BC2026)
' whenever an unrecognized warning code was supplied via /nowarn or /warnaserror.
' We no longer generate a warning in such cases.
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/blah", "/nowarn:2007,42353,1234,2026", source})
Dim output = New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("vbc : warning BC2007: unrecognized option '/blah'; ignored", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
End Sub
<WorkItem(546305, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546305")>
<Fact()>
Public Sub Bug15539()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/define:I(", source})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant 'I ^^ ^^ ' is not valid: End of statement expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/define:I*", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant 'I ^^ ^^ ' is not valid: End of statement expected.", output.ToString().Trim())
End Sub
<Fact()>
Public Sub TestImportsWithQuotes()
Dim errors As IEnumerable(Of DiagnosticInfo) = Nothing
Dim [imports] = "System,""COLL = System.Collections"",System.Diagnostics,""COLLGEN = System.Collections.Generic"""
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/imports:" + [imports]})
Assert.Equal(4, vbc.Arguments.CompilationOptions.GlobalImports.Count)
Assert.Equal("System", vbc.Arguments.CompilationOptions.GlobalImports(0).Name)
Assert.Equal("COLL = System.Collections", vbc.Arguments.CompilationOptions.GlobalImports(1).Name)
Assert.Equal("System.Diagnostics", vbc.Arguments.CompilationOptions.GlobalImports(2).Name)
Assert.Equal("COLLGEN = System.Collections.Generic", vbc.Arguments.CompilationOptions.GlobalImports(3).Name)
End Sub
<Fact()>
Public Sub TestCommandLineSwitchThatNoLongerAreImplemented()
' These switches are no longer implemented and should fail silently
' the switches have various arguments that can be used
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/netcf", source})
Dim output = New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/bugreport", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/bugreport:test.dmp", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:prompt", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:queue", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:send", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/bugreport:", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/novbruntimeref", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
' Just to confirm case insensitive
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:PROMPT", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
End Sub
<WorkItem(531263, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531263")>
<Fact>
Public Sub EmptyFileName()
Dim outWriter As New StringWriter()
Dim exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {""}).Run(outWriter, Nothing)
Assert.NotEqual(0, exitCode)
' error BC2032: File name '' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long
Assert.Contains("BC2032", outWriter.ToString(), StringComparison.Ordinal)
End Sub
<WorkItem(1119609, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/1119609")>
<Fact>
Public Sub PreferredUILang()
Dim outWriter As New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2006", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2006", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:zz"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:en-zz"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:en-US"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.DoesNotContain("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:de"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.DoesNotContain("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:de-AT"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.DoesNotContain("BC2038", outWriter.ToString(), StringComparison.Ordinal)
End Sub
<Fact, WorkItem(650083, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/650083")>
Public Sub ReservedDeviceNameAsFileName()
' Source file name
Dim parsedArgs = DefaultParse({"/t:library", "con.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/out:com1.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("\\.\com1").WithLocation(1, 1))
parsedArgs = DefaultParse({"/doc:..\lpt2.xml", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("..\lpt2.xml", "The system cannot find the path specified").WithLocation(1, 1))
parsedArgs = DefaultParse({"/SdkPath:..\aux", "com.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_CannotFindStandardLibrary1).WithArguments("System.dll").WithLocation(1, 1),
Diagnostic(ERRID.ERR_LibNotFound).WithArguments("Microsoft.VisualBasic.dll").WithLocation(1, 1))
End Sub
<Fact()>
Public Sub ReservedDeviceNameAsFileName2()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
' Make sure these reserved device names don't affect compiler
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/r:.\com3.dll", "/preferreduilang:en", source})
Dim output = New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2017: could not find library '.\com3.dll'", output.ToString(), StringComparison.Ordinal)
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/link:prn.dll", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2017: could not find library 'prn.dll'", output.ToString(), StringComparison.Ordinal)
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"@aux.rsp", "/preferreduilang:en", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Dim errMessage = output.ToString().Trim()
Assert.Contains("error BC2011: unable to open response file", errMessage, StringComparison.Ordinal)
Assert.Contains("aux.rsp", errMessage, StringComparison.Ordinal)
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/vbruntime:..\con.dll", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2017: could not find library '..\con.dll'", output.ToString(), StringComparison.Ordinal)
' Native VB compiler also ignore invalid lib paths
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/LibPath:lpt1,Lpt2,LPT9", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
CleanupAllGeneratedFiles(source)
End Sub
<Fact, WorkItem(574361, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/574361")>
Public Sub LangVersionForOldBC36716()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text><![CDATA[
Imports System.Runtime.CompilerServices
Imports System.Collections
Friend Module AutoPropAttributesmod
Class AttrInThisAsmAttribute
Inherits Attribute
Public Property Prop() As Integer
End Class
Class HasProps
<CompilerGenerated()>
Public Property Scen1() As <CompilerGenerated()> Func(Of String)
<CLSCompliant(False), Obsolete("obsolete message!")>
<AttrInThisAsmAttribute()>
Public Property Scen2() As String
End Class
End Module
]]>
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /t:library /langversion:9 /preferreduilang:en " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text><![CDATA[
src.vb(8) : error BC36716: Visual Basic 9.0 does not support auto-implemented properties.
Public Property Prop() As Integer
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(12) : error BC36716: Visual Basic 9.0 does not support auto-implemented properties.
<CompilerGenerated()>
~~~~~~~~~~~~~~~~~~~~~
Public Property Scen1() As <CompilerGenerated()> Func(Of String)
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(12) : error BC36716: Visual Basic 9.0 does not support implicit line continuation.
<CompilerGenerated()>
~~~~~~~~~~~~~~~~~~~~~
Public Property Scen1() As <CompilerGenerated()> Func(Of String)
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(14) : error BC36716: Visual Basic 9.0 does not support auto-implemented properties.
<CLSCompliant(False), Obsolete("obsolete message!")>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
<AttrInThisAsmAttribute()>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Public Property Scen2() As String
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(14) : error BC36716: Visual Basic 9.0 does not support implicit line continuation.
<CLSCompliant(False), Obsolete("obsolete message!")>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
<AttrInThisAsmAttribute()>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Public Property Scen2() As String
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
]]>
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact>
Public Sub DiagnosticFormatting()
Dim source = "
Class C
Sub Main()
Goo(0)
#ExternalSource(""c:\temp\a\1.vb"", 10)
Goo(1)
#End ExternalSource
#ExternalSource(""C:\a\..\b.vb"", 20)
Goo(2)
#End ExternalSource
#ExternalSource(""C:\a\../B.vb"", 30)
Goo(3)
#End ExternalSource
#ExternalSource(""../b.vb"", 40)
Goo(4)
#End ExternalSource
#ExternalSource(""..\b.vb"", 50)
Goo(5)
#End ExternalSource
#ExternalSource(""C:\X.vb"", 60)
Goo(6)
#End ExternalSource
#ExternalSource(""C:\x.vb"", 70)
Goo(7)
#End ExternalSource
#ExternalSource("" "", 90)
Goo(9)
#End ExternalSource
#ExternalSource(""C:\*.vb"", 100)
Goo(10)
#End ExternalSource
#ExternalSource("""", 110)
Goo(11)
#End ExternalSource
Goo(12)
#ExternalSource(""***"", 140)
Goo(14)
#End ExternalSource
End Sub
End Class
"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb").WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' with /fullpaths off
Dim expected =
file.Path & "(4) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(0)
~~~
c:\temp\a\1.vb(10) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(1)
~~~
C:\b.vb(20) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(2)
~~~
C:\B.vb(30) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(3)
~~~
" & Path.GetFullPath(Path.Combine(dir.Path, "..\b.vb")) & "(40) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(4)
~~~
" & Path.GetFullPath(Path.Combine(dir.Path, "..\b.vb")) & "(50) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(5)
~~~
C:\X.vb(60) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(6)
~~~
C:\x.vb(70) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(7)
~~~
(90) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(9)
~~~
C:\*.vb(100) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(10)
~~~
(110) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(11)
~~~
" & file.Path & "(35) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(12)
~~~
***(140) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(14)
~~~
"
AssertOutput(expected.Replace(vbCrLf, vbLf), outWriter.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub ParseFeatures()
Dim args = DefaultParse({"/features:Test", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.ParseOptions.Features.Single().Key)
args = DefaultParse({"/features:Test", "a.vb", "/Features:Experiment"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.ParseOptions.Features.Count)
Assert.True(args.ParseOptions.Features.ContainsKey("Test"))
Assert.True(args.ParseOptions.Features.ContainsKey("Experiment"))
args = DefaultParse({"/features:Test=false,Key=value", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.ParseOptions.Features.SetEquals(New Dictionary(Of String, String) From {{"Test", "false"}, {"Key", "value"}}))
' We don't do any rigorous validation of /features arguments...
args = DefaultParse({"/features", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Empty(args.ParseOptions.Features)
args = DefaultParse({"/features:Test,", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.ParseOptions.Features.SetEquals(New Dictionary(Of String, String) From {{"Test", "true"}}))
End Sub
<Fact>
Public Sub ParseAdditionalFile()
Dim args = DefaultParse({"/additionalfile:web.config", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles.Single().Path)
args = DefaultParse({"/additionalfile:web.config", "a.vb", "/additionalfile:app.manifest"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:web.config", "a.vb", "/additionalfile:web.config"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:..\web.config", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "..\web.config"), args.AdditionalFiles.Single().Path)
Dim baseDir = Temp.CreateDirectory()
baseDir.CreateFile("web1.config")
baseDir.CreateFile("web2.config")
baseDir.CreateFile("web3.config")
args = DefaultParse({"/additionalfile:web*.config", "a.vb"}, baseDir.Path)
args.Errors.Verify()
Assert.Equal(3, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(baseDir.Path, "web1.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(baseDir.Path, "web2.config"), args.AdditionalFiles(1).Path)
Assert.Equal(Path.Combine(baseDir.Path, "web3.config"), args.AdditionalFiles(2).Path)
args = DefaultParse({"/additionalfile:web.config;app.manifest", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:web.config,app.manifest", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:""web.config,app.manifest""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(1, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config,app.manifest"), args.AdditionalFiles(0).Path)
args = DefaultParse({"/additionalfile:\""web.config,app.manifest\""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(1, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config,app.manifest"), args.AdditionalFiles(0).Path)
args = DefaultParse({"/additionalfile:\""""web.config,app.manifest""\""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:web.config:app.manifest", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(1, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config:app.manifest"), args.AdditionalFiles(0).Path)
args = DefaultParse({"/additionalfile", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("additionalfile", ":<file_list>"))
Assert.Equal(0, args.AdditionalFiles.Length)
args = DefaultParse({"/additionalfile:", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("additionalfile", ":<file_list>"))
Assert.Equal(0, args.AdditionalFiles.Length)
End Sub
<Fact>
Public Sub ParseEditorConfig()
Dim args = DefaultParse({"/analyzerconfig:.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths.Single())
args = DefaultParse({"/analyzerconfig:.editorconfig", "a.vb", "/analyzerconfig:subdir\.editorconfig"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, "subdir\.editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:.editorconfig", "a.vb", "/analyzerconfig:.editorconfig"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:..\.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(Path.Combine(_baseDirectory, "..\.editorconfig"), args.AnalyzerConfigPaths.Single())
args = DefaultParse({"/analyzerconfig:.editorconfig;subdir\.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, "subdir\.editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:.editorconfig,subdir\.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, "subdir\.editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:.editorconfig:.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(1, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig:.editorconfig"), args.AnalyzerConfigPaths(0))
args = DefaultParse({"/analyzerconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertTheseDiagnostics(
<errors><![CDATA[
BC2006: option 'analyzerconfig' requires ':<file_list>'
]]>
</errors>)
Assert.Equal(0, args.AnalyzerConfigPaths.Length)
args = DefaultParse({"/analyzerconfig:", "a.vb"}, _baseDirectory)
args.Errors.AssertTheseDiagnostics(
<errors><![CDATA[
BC2006: option 'analyzerconfig' requires ':<file_list>']]>
</errors>)
Assert.Equal(0, args.AnalyzerConfigPaths.Length)
End Sub
Private Shared Sub Verify(actual As IEnumerable(Of Diagnostic), ParamArray expected As DiagnosticDescription())
actual.Verify(expected)
End Sub
Private Const s_logoLine1 As String = "Microsoft (R) Visual Basic Compiler version"
Private Const s_logoLine2 As String = "Copyright (C) Microsoft Corporation. All rights reserved."
Private Shared Function OccurrenceCount(source As String, word As String) As Integer
Dim n = 0
Dim index = source.IndexOf(word, StringComparison.Ordinal)
While (index >= 0)
n += 1
index = source.IndexOf(word, index + word.Length, StringComparison.Ordinal)
End While
Return n
End Function
Private Shared Function VerifyOutput(sourceDir As TempDirectory, sourceFile As TempFile,
Optional includeCurrentAssemblyAsAnalyzerReference As Boolean = True,
Optional additionalFlags As String() = Nothing,
Optional expectedInfoCount As Integer = 0,
Optional expectedWarningCount As Integer = 0,
Optional expectedErrorCount As Integer = 0,
Optional errorlog As Boolean = False,
Optional analyzers As ImmutableArray(Of DiagnosticAnalyzer) = Nothing) As String
Dim args = {
"/nologo", "/preferreduilang:en", "/t:library",
sourceFile.Path
}
If includeCurrentAssemblyAsAnalyzerReference Then
args = args.Append("/a:" + Assembly.GetExecutingAssembly().Location)
End If
If errorlog Then
args = args.Append("/errorlog:errorlog")
End If
If additionalFlags IsNot Nothing Then
args = args.Append(additionalFlags)
End If
Dim vbc = New MockVisualBasicCompiler(Nothing, sourceDir.Path, args, analyzers)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = vbc.Run(outWriter, Nothing)
Dim output = outWriter.ToString()
Dim expectedExitCode = If(expectedErrorCount > 0, 1, 0)
Assert.True(expectedExitCode = exitCode,
String.Format("Expected exit code to be '{0}' was '{1}'.{2}Output:{3}{4}", expectedExitCode, exitCode, Environment.NewLine, Environment.NewLine, output))
Assert.DoesNotContain(" : hidden", output, StringComparison.Ordinal)
If expectedInfoCount = 0 Then
Assert.DoesNotContain(" : info", output, StringComparison.Ordinal)
Else
' Info diagnostics are only logged with /errorlog.
Assert.True(errorlog)
Assert.Equal(expectedInfoCount, OccurrenceCount(output, " : info"))
End If
If expectedWarningCount = 0 Then
Assert.DoesNotContain(" : warning", output, StringComparison.Ordinal)
Else
Assert.Equal(expectedWarningCount, OccurrenceCount(output, " : warning"))
End If
If expectedErrorCount = 0 Then
Assert.DoesNotContain(" : error", output, StringComparison.Ordinal)
Else
Assert.Equal(expectedErrorCount, OccurrenceCount(output, " : error"))
End If
Return output
End Function
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<Fact>
Public Sub NoWarnAndWarnAsError_AnalyzerDriverWarnings()
' This assembly has an abstract MockAbstractDiagnosticAnalyzer type which should cause
' compiler warning BC42376 to be produced when compilations created in this test try to load it.
Dim source = "Imports System"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42376 can be suppressed via /nowarn.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"})
' TEST: Verify that compiler warning BC42376 can be individually suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:BC42376"})
' TEST: Verify that compiler warning BC42376 can be promoted to an error via /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42376 can be individually promoted to an error via /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:42376"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<Fact>
Public Sub NoWarnAndWarnAsError_HiddenDiagnostic()
' This assembly has a HiddenDiagnosticAnalyzer type which should produce custom hidden
' diagnostics for #ExternalSource directives present in the compilations created in this test.
Dim source = "Imports System
#ExternalSource (""file"", 123)
#End ExternalSource"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"})
' TEST: Verify that /nowarn: has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror+ has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:42376"})
' TEST: Verify that /warnaserror- has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror: promotes custom hidden diagnostic Hidden01 to an error.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:hidden01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror-: has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:Hidden01", "/nowarn:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:hidden01", "/warnaserror:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/nowarn:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:hidden01", "/warnaserror-:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn doesn't override /warnaserror: in the case of custom hidden diagnostics.
' Although the compiler normally suppresses printing of hidden diagnostics in the compiler output, they are never really suppressed
' because in the IDE features that rely on hidden diagnostics to display light bulb need to continue to work even when users have global
' suppression (/nowarn) specified in their project. In other words, /nowarn flag is a no-op for hidden diagnostics.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror:Hidden01"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify /nowarn doesn't override /warnaserror: in the case of custom hidden diagnostics.
' Although the compiler normally suppresses printing of hidden diagnostics in the compiler output, they are never really suppressed
' because in the IDE features that rely on hidden diagnostics to display light bulb need to continue to work even when users have global
' suppression (/nowarn) specified in their project. In other words, /nowarn flag is a no-op for hidden diagnostics.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:HIDDen01", "/nowarn"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify /nowarn and /warnaserror-: have no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/nowarn"})
' TEST: Verify /nowarn and /warnaserror-: have no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror-:Hidden01"})
' TEST: Sanity test for /nowarn and /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/nowarn:Hidden01"})
' TEST: Sanity test for /nowarn and /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Hidden01", "/nowarn"})
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:Hidden01", "/warnaserror-:hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/warnaserror+:hidden01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror+:hidden01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:hiddEn01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:HiDden01", "/warnaserror-"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror-:Hidden01", "/nowarn:42376"})
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror-:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/warnaserror-"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:HiDden01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror+:HiDden01", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<WorkItem(42166, "https://github.com/dotnet/roslyn/issues/42166")>
<CombinatorialData, Theory>
Public Sub NoWarnAndWarnAsError_InfoDiagnostic(errorlog As Boolean)
' NOTE: Info diagnostics are only logged on command line when /errorlog is specified. See https://github.com/dotnet/roslyn/issues/42166 for details.
' This assembly has an InfoDiagnosticAnalyzer type which should produce custom info
' diagnostics for the #Enable directives present in the compilations created in this test.
Dim source = "Imports System
#Enable Warning"
Dim name = "a.vb"
Dim output = GetOutput(name, source, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that custom info diagnostic Info01 can be suppressed via /nowarn.
output = GetOutput(name, source, additionalFlags:={"/nowarn"}, errorlog:=errorlog)
' TEST: Verify that custom info diagnostic Info01 can be individually suppressed via /nowarn:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:Info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that custom info diagnostic Info01 can never be promoted to an error via /warnaserror+.
output = GetOutput(name, source, additionalFlags:={"/warnaserror+", "/nowarn:42376"}, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that custom info diagnostic Info01 is still reported as an info when /warnaserror- is used.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that custom info diagnostic Info01 can be individually promoted to an error via /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror:info01"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that custom info diagnostic Info01 is still reported as an info when passed to /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:info01"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify /nowarn: overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror:Info01", "/nowarn:info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:INFO01", "/warnaserror:Info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/nowarn:info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:INFO01", "/warnaserror-:Info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/nowarn", "/warnaserror:Info01"}, errorlog:=errorlog)
' TEST: Verify /nowarn overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror:Info01", "/nowarn"}, errorlog:=errorlog)
' TEST: Verify /nowarn overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/nowarn", "/warnaserror-:Info01"}, errorlog:=errorlog)
' TEST: Verify /nowarn overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/nowarn"}, errorlog:=errorlog)
' TEST: Sanity test for /nowarn and /nowarn:.
output = GetOutput(name, source, additionalFlags:={"/nowarn", "/nowarn:Info01"}, errorlog:=errorlog)
' TEST: Sanity test for /nowarn and /nowarn:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:Info01", "/nowarn"}, errorlog:=errorlog)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:Info01", "/warnaserror-:info01"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/warnaserror+:INfo01"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror-", "/warnaserror+:info01"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:InFo01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:InfO01", "/warnaserror-"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+", "/warnaserror-:INfo01", "/nowarn:42376"}, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror-", "/warnaserror-:INfo01"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/warnaserror-"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+", "/warnaserror+:Info01", "/nowarn:42376"}, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:InFO01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End Sub
Private Function GetOutput(name As String,
source As String,
Optional includeCurrentAssemblyAsAnalyzerReference As Boolean = True,
Optional additionalFlags As String() = Nothing,
Optional expectedInfoCount As Integer = 0,
Optional expectedWarningCount As Integer = 0,
Optional expectedErrorCount As Integer = 0,
Optional errorlog As Boolean = False) As String
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(name)
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference, additionalFlags, expectedInfoCount, expectedWarningCount, expectedErrorCount, errorlog)
CleanupAllGeneratedFiles(file.Path)
Return output
End Function
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<WorkItem(998069, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/998069")>
<WorkItem(998724, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/998724")>
<Fact>
Public Sub NoWarnAndWarnAsError_WarningDiagnostic()
' This assembly has a WarningDiagnosticAnalyzer type which should produce custom warning
' diagnostics for source types present in the compilations created in this test.
Dim source = "Imports System
Module Module1
Sub Main
Dim x as Integer
End Sub
End Module"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be suppressed via /nowarn.
' This doesn't work for BC42376 currently (Bug 899050).
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"})
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be individually suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be promoted to errors via /warnaserror.
' Promoting compiler warning BC42024 to an error causes us to no longer report any custom warning diagnostics as errors (Bug 998069).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror"}, expectedWarningCount:=0, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be promoted to errors via /warnaserror+.
' This doesn't work correctly currently - promoting compiler warning BC42024 to an error causes us to no longer report any custom warning diagnostics as errors (Bug 998069).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+"}, expectedWarningCount:=0, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror- keeps compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 as warnings.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that custom warning diagnostics Warning01 and Warning03 can be individually promoted to errors via /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Something,warning03"}, expectedWarningCount:=2, expectedErrorCount:=2)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 can be individually promoted to an error via /warnaserror+:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:bc42024"}, expectedWarningCount:=3, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : error BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that custom warning diagnostics Warning01 and Warning03 as well as compiler warning BC42024 can be individually promoted to errors via /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1, expectedErrorCount:=3)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : error BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that last flag on command line wins between /nowarn and /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror", "/nowarn"})
' TEST: Verify that last flag on command line wins between /nowarn and /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror-"})
' TEST: Verify that /nowarn overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/nowarn"})
' TEST: Verify that /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:Something,042024,Warning01,Warning03", "/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000", "/warnaserror:Something,042024,Warning01,Warning03"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Something,042024,Warning01,Warning03", "/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000", "/warnaserror-:Something,042024,Warning01,Warning03"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:warning01,Warning03,bc42024,58000,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000,42376", "/warnaserror"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/nowarn:warning01,Warning03,bc42024,58000,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000,42376", "/warnaserror-"})
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03,bc42024,58000", "/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000", "/warnaserror-:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror:Something,042024,Warning01,Warning03,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000,42376", "/warnaserror"})
' TEST: Verify that /nowarn overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Something,042024,Warning01,Warning03,42376", "/nowarn"})
' TEST: Verify that /nowarn overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror-:Something,042024,Warning01,Warning03,42376"})
' TEST: Sanity test for /nowarn and /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/nowarn:Something,042024,Warning01,Warning03,42376"})
' TEST: Sanity test for /nowarn: and /nowarn.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Something,042024,Warning01,Warning03,42376", "/nowarn"})
' TEST: Verify that last /warnaserror[+/-] flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' Note: Old native compiler behaved strangely for the below case.
' When /warnaserror+ and /warnaserror- appeared on the same command line, native compiler would allow /warnaserror+ to win always
' regardless of order. However when /warnaserror+:xyz and /warnaserror-:xyz appeared on the same command line, native compiler
' would allow the flag that appeared last on the command line to win. Roslyn compiler allows the last flag that appears on the
' command line to win in both cases. This is not a breaking change since at worst this only makes a case that used to be an error
' in the native compiler to be a warning in Roslyn.
' TEST: Verify that last /warnaserror[+/-] flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror-"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03", "/warnaserror+:Warning01,Warning03"}, expectedWarningCount:=2, expectedErrorCount:=2)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:Warning01,Warning03", "/warnaserror-:warning01,Warning03"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03,bc42024,58000,42376", "/warnaserror+"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Warning03,58000", "/warnaserror-"}, expectedWarningCount:=2, expectedErrorCount:=2)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror+:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1, expectedErrorCount:=3)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : error BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror-:warning01,Warning03,bc42024,58000,42376"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror+:warning01,Warning03,bc42024,58000,42376"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Warning03,bc42024,58000,42376", "/warnaserror"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror-:warning01,Warning03,bc42024,58000,42376"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03,bc42024,58000,42376", "/warnaserror-"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<Fact>
Public Sub NoWarnAndWarnAsError_ErrorDiagnostic()
' This assembly has an ErrorDiagnosticAnalyzer type which should produce custom error
' diagnostics for #Disable directives present in the compilations created in this test.
Dim source = "Imports System
#Disable Warning"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' TEST: Verify that custom error diagnostic Error01 can't be suppressed via /nowarn.
Dim output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
' TEST: Verify that custom error diagnostic Error01 can be suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Error01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that custom error diagnostic Error01 can be suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror"})
' TEST: Verify that /nowarn: overrides /warnaserror+:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:Error01,42376", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror:Error01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror-"})
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Error01,42376", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror-:Error01,42376"})
' TEST: Verify that nothing bad happens when using /warnaserror[+/-] when custom error diagnostic Error01 is present.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
' TEST: Verify that nothing bad happens if someone passes custom error diagnostic Error01 to /warnaserror[+/-]:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:Error01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:ERROR01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Error01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<Fact>
Public Sub NoWarnAndWarnAsError_CompilerErrorDiagnostic()
Dim source = "Imports System
Module Module1
Sub Main
Dim x as Integer = New Exception()
End Sub
End Module"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler error BC30311 can't be suppressed via /nowarn.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler error BC30311 can't be suppressed via /nowarn:.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:BC30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:bc30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that nothing bad happens when using /warnaserror[+/-] when compiler error BC30311 is present.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that nothing bad happens if someone passes BC30311 to /warnaserror[+/-]:.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror:30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+:BC30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+:bc30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-:30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-:BC30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-:bc30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact, WorkItem(1091972, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/1091972"), WorkItem(444, "CodePlex")>
Public Sub Bug1091972()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
Shared Sub Main()
Dim textStreamReader = New System.IO.StreamReader(GetType(C).Assembly.GetManifestResourceStream("doc.xml"))
System.Console.WriteLine(textStreamReader.ReadToEnd())
End Sub
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /doc:doc.xml /out:out.exe /resource:doc.xml {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "doc.xml")))
Dim expected = <text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
out
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC...XYZ</summary>
</member>
</members>
</doc>
]]>
</text>
Using reader As New StreamReader(Path.Combine(dir.ToString(), "doc.xml"))
Dim content = reader.ReadToEnd()
AssertOutput(expected, content)
End Using
output = ProcessUtilities.RunAndGetOutput(Path.Combine(dir.ToString(), "out.exe"), startFolder:=dir.ToString())
AssertOutput(expected, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralCommandLineOptionOverridesGeneralRuleSetOption()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<IncludeAll Action=""Warning"" />
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=0, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralWarnAsErrorPromotesWarningFromRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralWarnAsErrorDoesNotPromoteInfoFromRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Info"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Info, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificWarnAsErrorPromotesInfoFromRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Info"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+:Test001", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralWarnAsErrorMinusResetsRules()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "/WarnAsError-", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificWarnAsErrorMinusResetsRules()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "/WarnAsError-:Test001", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificWarnAsErrorMinusDefaultsRuleNotInRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+:Test002", "/WarnAsError-:Test002", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=2, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test002"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_LastGeneralWarnAsErrorTrumpsNoWarn()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/NoWarn", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralNoWarnTrumpsGeneralWarnAsErrorMinus()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "/NoWarn", "/WarnAsError-", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralNoWarnTurnsOffAllButErrors()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Error"" />
<Rule Id=""Test002"" Action=""Warning"" />
<Rule Id=""Test003"" Action=""Info"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/NoWarn", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=3, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test002"))
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test003"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificNoWarnAlwaysWins()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/NoWarn:Test001", "/WarnAsError+", "/WarnAsError-:Test001", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact>
Public Sub ReportAnalyzer()
Dim args1 = DefaultParse({"/reportanalyzer", "a.vb"}, _baseDirectory)
Assert.True(args1.ReportAnalyzer)
Dim args2 = DefaultParse({"", "a.vb"}, _baseDirectory)
Assert.False(args2.ReportAnalyzer)
End Sub
<Fact>
Public Sub ReportAnalyzerOutput()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/reportanalyzer", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, source})
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
Assert.Contains(New WarningDiagnosticAnalyzer().ToString(), output, StringComparison.Ordinal)
Assert.Contains(CodeAnalysisResources.AnalyzerExecutionTimeColumnHeader, output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(40926, "https://github.com/dotnet/roslyn/issues/40926")>
Public Sub SkipAnalyzersParse()
Dim ParsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.False(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/SKIPANALYZERS+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers-", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.False(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers-", "/skipanalyzers+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers", "/skipanalyzers-", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.False(ParsedArgs.SkipAnalyzers)
End Sub
<Theory, CombinatorialData>
<WorkItem(40926, "https://github.com/dotnet/roslyn/issues/40926")>
Public Sub SkipAnalyzersSemantics(skipAnalyzers As Boolean)
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim skipAnalyzersFlag = "/skipanalyzers" + If(skipAnalyzers, "+", "-")
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {skipAnalyzersFlag, "/reportanalyzer", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, source})
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
If skipAnalyzers Then
Assert.DoesNotContain(CodeAnalysisResources.AnalyzerExecutionTimeColumnHeader, output, StringComparison.Ordinal)
Assert.DoesNotContain(New WarningDiagnosticAnalyzer().ToString(), output, StringComparison.Ordinal)
Else
Assert.Contains(CodeAnalysisResources.AnalyzerExecutionTimeColumnHeader, output, StringComparison.Ordinal)
Assert.Contains(New WarningDiagnosticAnalyzer().ToString(), output, StringComparison.Ordinal)
End If
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(1759, "https://github.com/dotnet/roslyn/issues/1759")>
Public Sub AnalyzerDiagnosticThrowsInGetMessage()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", source},
analyzer:=New AnalyzerThatThrowsInGetMessage)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
' Verify that the diagnostic reported by AnalyzerThatThrowsInGetMessage is reported, though it doesn't have the message.
Assert.Contains(AnalyzerThatThrowsInGetMessage.Rule.Id, output, StringComparison.Ordinal)
' Verify that the analyzer exception diagnostic for the exception throw in AnalyzerThatThrowsInGetMessage is also reported.
Assert.Contains(AnalyzerExecutor.AnalyzerExceptionDiagnosticId, output, StringComparison.Ordinal)
Assert.Contains(NameOf(NotImplementedException), output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(3707, "https://github.com/dotnet/roslyn/issues/3707")>
Public Sub AnalyzerExceptionDiagnosticCanBeConfigured()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", $"/warnaserror:{AnalyzerExecutor.AnalyzerExceptionDiagnosticId}", source},
analyzer:=New AnalyzerThatThrowsInGetMessage)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.NotEqual(0, exitCode)
Dim output = outWriter.ToString()
' Verify that the analyzer exception diagnostic for the exception throw in AnalyzerThatThrowsInGetMessage is also reported.
Assert.Contains(AnalyzerExecutor.AnalyzerExceptionDiagnosticId, output, StringComparison.Ordinal)
Assert.Contains(NameOf(NotImplementedException), output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(4589, "https://github.com/dotnet/roslyn/issues/4589")>
Public Sub AnalyzerReportsMisformattedDiagnostic()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", source},
analyzer:=New AnalyzerReportingMisformattedDiagnostic)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
' Verify that the diagnostic reported by AnalyzerReportingMisformattedDiagnostic is reported with the message format string, instead of the formatted message.
Assert.Contains(AnalyzerThatThrowsInGetMessage.Rule.Id, output, StringComparison.Ordinal)
Assert.Contains(AnalyzerThatThrowsInGetMessage.Rule.MessageFormat.ToString(CultureInfo.InvariantCulture), output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
Public Sub AdditionalFileDiagnostics()
Dim dir = Temp.CreateDirectory()
Dim source = dir.CreateFile("a.vb").WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim additionalFile = dir.CreateFile("AdditionalFile.txt").WriteAllText(<text>
Additional File Line 1!
Additional File Line 2!
</text>.Value).Path
Dim nonCompilerInputFile = dir.CreateFile("DummyFile.txt").WriteAllText(<text>
Dummy File Line 1!
</text>.Value).Path
Dim analyzer = New AdditionalFileDiagnosticAnalyzer(nonCompilerInputFile)
Dim arguments = {"/nologo", "/preferreduilang:en", "/vbruntime", "/t:library",
"/additionalfile:" & additionalFile, ' Valid additional text file
"/additionalfile:" & Assembly.GetExecutingAssembly.Location, ' Non-text file specified as an additional text file
source}
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, arguments, analyzer)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Dim output = outWriter.ToString()
AssertOutput(
String.Format(<text>
AdditionalFile.txt(1) : warning AdditionalFileDiagnostic: Additional File Diagnostic: AdditionalFile
Additional File Line 1!
~~~~~~~~~~
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: {0}
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: AdditionalFile
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: DummyFile
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: NonExistentPath
vbc : error BC2015: the file '{1}' is not a text file
</text>.Value.ToString(),
IO.Path.GetFileNameWithoutExtension(Assembly.GetExecutingAssembly.Location),
Assembly.GetExecutingAssembly.Location),
output, fileName:="AdditionalFile.txt")
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(additionalFile)
CleanupAllGeneratedFiles(nonCompilerInputFile)
End Sub
<Fact, WorkItem(1093063, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/1093063")>
Public Sub VerifyDiagnosticSeverityNotLocalized()
Dim source = <![CDATA[
Class A
End Class
]]>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/target:exe", fileName})
vbc.Run(output, Nothing)
' If "error" was localized, below assert will fail on PLOC builds. The output would be something like: "!pTCvB!vbc : !FLxft!error 表! BC30420:"
Assert.Contains("error BC30420:", output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub SourceFile_BadPath()
Dim args = DefaultParse({"e:c:\test\test.cs", "/t:library"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("e:c:\test\test.cs").WithLocation(1, 1))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub FilePaths()
Dim args = FullParse("\\unc\path\a.vb b.vb c:\path\c.vb", "e:\temp")
Assert.Equal(
New String() {"\\unc\path\a.vb", "e:\temp\b.vb", "c:\path\c.vb"},
args.SourceFiles.Select(Function(x) x.Path))
args = FullParse("\\unc\path\a.vb ""b.vb"" c:\path\c.vb", "e:\temp")
Assert.Equal(
New String() {"\\unc\path\a.vb", "e:\temp\b.vb", "c:\path\c.vb"},
args.SourceFiles.Select(Function(x) x.Path))
args = FullParse("""b"".vb""", "e:\temp")
Assert.Equal(
New String() {"e:\temp\b.vb"},
args.SourceFiles.Select(Function(x) x.Path))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub ReferencePathsEx()
Dim args = FullParse("/nostdlib /vbruntime- /noconfig /r:a.dll,b.dll test.vb", "e:\temp")
Assert.Equal(
New String() {"a.dll", "b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = FullParse("/nostdlib /vbruntime- /noconfig /r:""a.dll,b.dll"" test.vb", "e:\temp")
Assert.Equal(
New String() {"a.dll,b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = FullParse("/nostdlib /vbruntime- /noconfig /r:""lib, ex\a.dll"",b.dll test.vb", "e:\temp")
Assert.Equal(
New String() {"lib, ex\a.dll", "b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = FullParse("/nostdlib /vbruntime- /noconfig /r:""lib, ex\a.dll"" test.vb", "e:\temp")
Assert.Equal(
New String() {"lib, ex\a.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub ParseAssemblyReferences()
Dim parseCore =
Sub(value As String, paths As String())
Dim list As New List(Of Diagnostic)
Dim references = VisualBasicCommandLineParser.ParseAssemblyReferences("", value, list, embedInteropTypes:=False)
Assert.Equal(0, list.Count)
Assert.Equal(paths, references.Select(Function(r) r.Reference))
End Sub
parseCore("""a.dll""", New String() {"a.dll"})
parseCore("a,b", New String() {"a", "b"})
parseCore("""a,b""", New String() {"a,b"})
' This is an intentional deviation from the native compiler. BCL docs on MSDN, MSBuild and the C# compiler
' treat a semicolon as a separator. VB compiler was the lone holdout here. Rather than deviate we decided
' to unify the behavior.
parseCore("a;b", New String() {"a", "b"})
parseCore("""a;b""", New String() {"a;b"})
' Note this case can only happen when it is the last option on the command line. When done
' in another position the command line splitting routine would continue parsing all the text
' after /r:"a as it resides in an unterminated quote.
parseCore("""a", New String() {"a"})
parseCore("a""mid""b", New String() {"amidb"})
End Sub
<Fact>
Public Sub PublicSign()
Dim args As VisualBasicCommandLineArguments
Dim baseDir = "c:\test"
Dim parse = Function(x As String) FullParse(x, baseDir)
args = parse("/publicsign a.exe")
Assert.True(args.CompilationOptions.PublicSign)
args = parse("/publicsign+ a.exe")
Assert.True(args.CompilationOptions.PublicSign)
args = parse("/publicsign- a.exe")
Assert.False(args.CompilationOptions.PublicSign)
args = parse("a.exe")
Assert.False(args.CompilationOptions.PublicSign)
End Sub
<WorkItem(8360, "https://github.com/dotnet/roslyn/issues/8360")>
<Fact>
Public Sub PublicSign_KeyFileRelativePath()
Dim parsedArgs = FullParse("/publicsign /keyfile:test.snk a.cs", _baseDirectory)
Assert.Equal(Path.Combine(_baseDirectory, "test.snk"), parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs.Errors.Verify()
End Sub
<WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
<Fact>
Public Sub PublicSignWithEmptyKeyPath()
Dim parsedArgs = FullParse("/publicsign /keyfile: a.cs", _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>").WithLocation(1, 1))
End Sub
<WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
<Fact>
Public Sub PublicSignWithEmptyKeyPath2()
Dim parsedArgs = FullParse("/publicsign /keyfile:"""" a.cs", _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>").WithLocation(1, 1))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub CommandLineMisc()
Dim args As VisualBasicCommandLineArguments
Dim baseDir = "c:\test"
Dim parse = Function(x As String) FullParse(x, baseDir)
args = parse("/out:""a.exe""")
Assert.Equal("a.exe", args.OutputFileName)
args = parse("/out:""a-b.exe""")
Assert.Equal("a-b.exe", args.OutputFileName)
args = parse("/out:""a,b.exe""")
Assert.Equal("a,b.exe", args.OutputFileName)
' The \ here causes " to be treated as a quote, not as an escaping construct
args = parse("a\""b c""\d.cs")
Assert.Equal(
New String() {"c:\test\a""b", "c:\test\c\d.cs"},
args.SourceFiles.Select(Function(x) x.Path))
args = parse("a\\""b c""\d.cs")
Assert.Equal(
New String() {"c:\test\a\b c\d.cs"},
args.SourceFiles.Select(Function(x) x.Path))
args = parse("/nostdlib /vbruntime- /r:""a.dll"",""b.dll"" c.cs")
Assert.Equal(
New String() {"a.dll", "b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = parse("/nostdlib /vbruntime- /r:""a-s.dll"",""b-s.dll"" c.cs")
Assert.Equal(
New String() {"a-s.dll", "b-s.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = parse("/nostdlib /vbruntime- /r:""a,s.dll"",""b,s.dll"" c.cs")
Assert.Equal(
New String() {"a,s.dll", "b,s.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
End Sub
<WorkItem(7588, "https://github.com/dotnet/roslyn/issues/7588")>
<Fact()>
Public Sub Version()
Dim folderName = Temp.CreateDirectory().ToString()
Dim argss = {
"/version",
"a.cs /version /preferreduilang:en",
"/version /nologo",
"/version /help"}
For Each args In argss
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, args, startFolder:=folderName)
Assert.Equal(s_compilerVersion, output.Trim())
Next
End Sub
<Fact>
Public Sub RefOut()
Dim dir = Temp.CreateDirectory()
Dim refDir = dir.CreateDirectory("ref")
Dim src = dir.CreateFile("a.vb")
src.WriteAllText("
Public Class C
''' <summary>Main method</summary>
Public Shared Sub Main()
System.Console.Write(""Hello"")
End Sub
''' <summary>Private method</summary>
Private Shared Sub PrivateMethod()
System.Console.Write(""Private"")
End Sub
End Class")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{"/define:_MYTYPE=""Empty"" ", "/nologo", "/out:a.exe", "/refout:ref/a.dll", "/doc:doc.xml", "/deterministic", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim exe = Path.Combine(dir.Path, "a.exe")
Assert.True(File.Exists(exe))
MetadataReaderUtils.VerifyPEMetadata(exe,
{"TypeDefinition:<Module>", "TypeDefinition:C"},
{"MethodDefinition:Void C.Main()", "MethodDefinition:Void C..ctor()", "MethodDefinition:Void C.PrivateMethod()"},
{"CompilationRelaxationsAttribute", "RuntimeCompatibilityAttribute", "DebuggableAttribute", "STAThreadAttribute"}
)
Dim doc = Path.Combine(dir.Path, "doc.xml")
Assert.True(File.Exists(doc))
Dim content = File.ReadAllText(doc)
Dim expectedDoc =
"<?xml version=""1.0""?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name=""M:C.Main"">
<summary>Main method</summary>
</member>
<member name=""M:C.PrivateMethod"">
<summary>Private method</summary>
</member>
</members>
</doc>"
Assert.Equal(expectedDoc, content.Trim())
Dim output = ProcessUtilities.RunAndGetOutput(exe, startFolder:=dir.Path)
Assert.Equal("Hello", output.Trim())
Dim refDll = Path.Combine(refDir.Path, "a.dll")
Assert.True(File.Exists(refDll))
' The types and members that are included needs further refinement.
' See issue https://github.com/dotnet/roslyn/issues/17612
MetadataReaderUtils.VerifyPEMetadata(refDll,
{"TypeDefinition:<Module>", "TypeDefinition:C"},
{"MethodDefinition:Void C.Main()", "MethodDefinition:Void C..ctor()"},
{"CompilationRelaxationsAttribute", "RuntimeCompatibilityAttribute", "DebuggableAttribute", "STAThreadAttribute", "ReferenceAssemblyAttribute"}
)
' Clean up temp files
CleanupAllGeneratedFiles(dir.Path)
CleanupAllGeneratedFiles(refDir.Path)
End Sub
<Fact>
Public Sub RefOutWithError()
Dim dir = Temp.CreateDirectory()
dir.CreateDirectory("ref")
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
"Class C
Public Shared Sub Main()
Bad()
End Sub
End Class")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{"/define:_MYTYPE=""Empty"" ", "/nologo", "/out:a.dll", "/refout:ref/a.dll", "/deterministic", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Dim vb = Path.Combine(dir.Path, "a.vb")
Dim dll = Path.Combine(dir.Path, "a.dll")
Assert.False(File.Exists(dll))
Dim refDll = Path.Combine(dir.Path, Path.Combine("ref", "a.dll"))
Assert.False(File.Exists(refDll))
Assert.Equal(
$"{vb}(3) : error BC30451: 'Bad' is not declared. It may be inaccessible due to its protection level.
Bad()
~~~",
outWriter.ToString().Trim())
' Clean up temp files
CleanupAllGeneratedFiles(dir.Path)
End Sub
<Fact>
Public Sub RefOnly()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
"Class C
''' <summary>Main method</summary>
Public Shared Sub Main()
Bad()
End Sub
''' <summary>Field</summary>
Private Dim field As Integer
''' <summary>Field</summary>
Private Structure S
''' <summary>Struct Field</summary>
Private Dim field As Integer
End Structure
End Class")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{"/define:_MYTYPE=""Empty"" ", "/nologo", "/out:a.dll", "/refonly", "/debug", "/deterministic", "/doc:doc.xml", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim refDll = Path.Combine(dir.Path, "a.dll")
Assert.True(File.Exists(refDll))
' The types and members that are included needs further refinement.
' See issue https://github.com/dotnet/roslyn/issues/17612
MetadataReaderUtils.VerifyPEMetadata(refDll,
{"TypeDefinition:<Module>", "TypeDefinition:C", "TypeDefinition:S"},
{"MethodDefinition:Void C.Main()", "MethodDefinition:Void C..ctor()"},
{"CompilationRelaxationsAttribute", "RuntimeCompatibilityAttribute", "DebuggableAttribute", "STAThreadAttribute", "ReferenceAssemblyAttribute"}
)
Dim pdb = Path.Combine(dir.Path, "a.pdb")
Assert.False(File.Exists(pdb))
Dim doc = Path.Combine(dir.Path, "doc.xml")
Assert.True(File.Exists(doc))
Dim content = File.ReadAllText(doc)
Dim expectedDoc =
"<?xml version=""1.0""?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name=""M:C.Main"">
<summary>Main method</summary>
</member>
<member name=""F:C.field"">
<summary>Field</summary>
</member>
<member name=""T:C.S"">
<summary>Field</summary>
</member>
<member name=""F:C.S.field"">
<summary>Struct Field</summary>
</member>
</members>
</doc>"
Assert.Equal(expectedDoc, content.Trim())
' Clean up temp files
CleanupAllGeneratedFiles(dir.Path)
End Sub
<WorkItem(13681, "https://github.com/dotnet/roslyn/issues/13681")>
<Theory()>
<InlineData("/t:exe", "/out:goo.dll", "goo.dll", "goo.dll.exe")> 'Output with known but different extension
<InlineData("/t:exe", "/out:goo.dLL", "goo.dLL", "goo.dLL.exe")> 'Output with known but different extension (different casing)
<InlineData("/t:library", "/out:goo.exe", "goo.exe", "goo.exe.dll")> 'Output with known but different extension
<InlineData("/t:library", "/out:goo.eXe", "goo.eXe", "goo.eXe.dll")> 'Output with known but different extension (different casing)
<InlineData("/t:module", "/out:goo.dll", "goo.dll", "goo.dll.netmodule")> 'Output with known but different extension
<InlineData("/t:winmdobj", "/out:goo.netmodule", "goo.netmodule", "goo.netmodule.winmdobj")> 'Output with known but different extension
<InlineData("/t:exe", "/out:goo.netmodule", "goo.netmodule", "goo.netmodule.exe")> 'Output with known but different extension
<InlineData("/t:library", "/out:goo.txt", "goo.txt.dll", "goo.dll")> 'Output with unknown extension (.txt)
<InlineData("/t:exe", "/out:goo.md", "goo.md.exe", "goo.exe")> 'Output with unknown extension (.md)
<InlineData("/t:exe", "/out:goo", "goo.exe", "goo")> 'Output without extension
<InlineData("/t:library", "/out:goo", "goo.dll", "goo")> 'Output without extension
<InlineData("/t:module", "/out:goo", "goo.netmodule", "goo")> 'Output without extension
<InlineData("/t:winmdobj", "/out:goo", "goo.winmdobj", "goo")> 'Output without extension
<InlineData("/t:exe", "/out:goo.exe", "goo.exe", "goo.exe.exe")> 'Output with correct extension (.exe)
<InlineData("/t:library", "/out:goo.dll", "goo.dll", "goo.dll.dll")> 'Output with correct extension (.dll)
<InlineData("/t:module", "/out:goo.netmodule", "goo.netmodule", "goo.netmodule.netmodule")> 'Output with correct extension (.netmodule)
<InlineData("/t:module", "/out:goo.NetModule", "goo.NetModule", "goo.NetModule.netmodule")> 'Output with correct extension (.netmodule) (different casing)
<InlineData("/t:winmdobj", "/out:goo.winmdobj", "goo.winmdobj", "goo.winmdobj.winmdobj")> 'Output with correct extension (.winmdobj)
Public Sub OutputingFilesWithDifferentExtensions(targetArg As String, outArg As String, expectedFile As String, unexpectedFile As String)
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Module Program
Sub Main(args As String())
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim sourceFile = dir.CreateFile(fileName)
sourceFile.WriteAllText(source.Value)
Dim output As New StringWriter()
Assert.Equal(0, New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, targetArg, outArg}).Run(output, Nothing))
Assert.True(File.Exists(Path.Combine(dir.Path, expectedFile)), "Expected to find: " & expectedFile)
Assert.False(File.Exists(Path.Combine(dir.Path, unexpectedFile)), "Didn't expect to find: " & unexpectedFile)
CleanupAllGeneratedFiles(sourceFile.Path)
End Sub
<Fact>
Public Sub IOFailure_DisposeOutputFile()
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim exePath = Path.Combine(Path.GetDirectoryName(srcPath), "test.exe")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", $"/out:{exePath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = exePath Then
Return New TestStream(backingStream:=New MemoryStream(), dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{exePath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Fact>
Public Sub IOFailure_DisposePdbFile()
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim exePath = Path.Combine(Path.GetDirectoryName(srcPath), "test.exe")
Dim pdbPath = Path.ChangeExtension(exePath, "pdb")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", "/debug", $"/out:{exePath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = pdbPath Then
Return New TestStream(backingStream:=New MemoryStream(), dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{pdbPath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Fact>
Public Sub IOFailure_DisposeXmlFile()
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim xmlPath = Path.Combine(Path.GetDirectoryName(srcPath), "test.xml")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", $"/doc:{xmlPath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = xmlPath Then
Return New TestStream(backingStream:=New MemoryStream(), dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{xmlPath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Theory>
<InlineData("portable")>
<InlineData("full")>
Public Sub IOFailure_DisposeSourceLinkFile(format As String)
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim sourceLinkPath = Path.Combine(Path.GetDirectoryName(srcPath), "test.json")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", "/debug:" & format, $"/sourcelink:{sourceLinkPath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = sourceLinkPath Then
Return New TestStream(
backingStream:=New MemoryStream(Encoding.UTF8.GetBytes("
{
""documents"": {
""f:/build/*"" : ""https://raw.githubusercontent.com/my-org/my-project/1111111111111111111111111111111111111111/*""
}
}
")),
dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{sourceLinkPath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Fact>
Public Sub CompilingCodeWithInvalidPreProcessorSymbolsShouldProvideDiagnostics()
Dim parsedArgs = DefaultParse({"/define:1", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ConditionalCompilationConstantNotValid).WithArguments("Identifier expected.", "1 ^^ ^^ ").WithLocation(1, 1))
End Sub
<Fact>
Public Sub CompilingCodeWithInvalidLanguageVersionShouldProvideDiagnostics()
Dim parsedArgs = DefaultParse({"/langversion:1000", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("langversion", "1000").WithLocation(1, 1))
End Sub
<WorkItem(406649, "https://devdiv.visualstudio.com/DevDiv/_workitems?id=406649")>
<ConditionalFact(GetType(IsEnglishLocal))>
Public Sub MissingCompilerAssembly()
Dim dir = Temp.CreateDirectory()
Dim vbcPath = dir.CopyFile(s_basicCompilerExecutable).Path
dir.CopyFile(GetType(Compilation).Assembly.Location)
' Missing Microsoft.CodeAnalysis.VisualBasic.dll.
Dim result = ProcessUtilities.Run(vbcPath, arguments:="/nologo /t:library unknown.vb", workingDirectory:=dir.Path)
Assert.Equal(1, result.ExitCode)
Assert.Equal(
$"Could not load file or assembly '{GetType(VisualBasicCompilation).Assembly.FullName}' or one of its dependencies. The system cannot find the file specified.",
result.Output.Trim())
' Missing System.Collections.Immutable.dll.
dir.CopyFile(GetType(VisualBasicCompilation).Assembly.Location)
result = ProcessUtilities.Run(vbcPath, arguments:="/nologo /t:library unknown.vb", workingDirectory:=dir.Path)
Assert.Equal(1, result.ExitCode)
Assert.Equal(
$"Could not load file or assembly '{GetType(ImmutableArray).Assembly.FullName}' or one of its dependencies. The system cannot find the file specified.",
result.Output.Trim())
End Sub
<ConditionalFact(GetType(WindowsOnly))>
<WorkItem(21935, "https://github.com/dotnet/roslyn/issues/21935")>
Public Sub PdbPathNotEmittedWithoutPdb()
Dim dir = Temp.CreateDirectory()
Dim src = MakeTrivialExe(directory:=dir.Path)
Dim args = {"/nologo", src, "/out:a.exe", "/debug-"}
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, args)
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim exePath = Path.Combine(dir.Path, "a.exe")
Assert.True(File.Exists(exePath))
Using peStream = File.OpenRead(exePath)
Using peReader = New PEReader(peStream)
Dim debugDirectory = peReader.PEHeaders.PEHeader.DebugTableDirectory
Assert.Equal(0, debugDirectory.Size)
Assert.Equal(0, debugDirectory.RelativeVirtualAddress)
End Using
End Using
End Sub
<Fact>
Public Sub StrongNameProviderWithCustomTempPath()
Dim tempDir = Temp.CreateDirectory()
Dim workingDir = Temp.CreateDirectory()
workingDir.CreateFile("a.vb")
Dim vbc = New MockVisualBasicCompiler(Nothing, New BuildPaths("", workingDir.Path, Nothing, tempDir.Path),
{"/features:UseLegacyStrongNameProvider", "/nostdlib", "a.vb"})
Dim comp = vbc.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.False(comp.SignUsingBuilder)
End Sub
Private Function MakeTrivialExe(Optional directory As String = Nothing) As String
Return Temp.CreateFile(directory:=directory, prefix:="", extension:=".vb").WriteAllText("
Class Program
Public Shared Sub Main()
End Sub
End Class").Path
End Function
<Fact>
<WorkItem(23525, "https://github.com/dotnet/roslyn/issues/23525")>
Public Sub InvalidPathCharacterInPathMap()
Dim filePath = Temp.CreateFile().WriteAllText("").Path
Dim compiler = New MockVisualBasicCompiler(Nothing, _baseDirectory,
{
filePath,
"/debug:embedded",
"/pathmap:test\\=""",
"/target:library",
"/preferreduilang:en"
})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = compiler.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Contains("vbc : error BC37253: The pathmap option was incorrectly formatted.", outWriter.ToString(), StringComparison.Ordinal)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact(Skip:="https://github.com/dotnet/roslyn/issues/38454")>
Public Sub TestSuppression_CompilerWarning()
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that compiler warning BC40008 is reported.
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("warning BC40008", output, StringComparison.Ordinal)
' Verify that compiler warning BC40008 is suppressed with diagnostic suppressor
' and info diagnostic is logged with programmatic suppression information.
Dim suppressor = New DiagnosticSuppressorForId("BC40008")
' Diagnostic '{0}: {1}' was programmatically suppressed by a DiagnosticSuppressor with suppression ID '{2}' and justification '{3}'
Dim suppressionMessage = String.Format(CodeAnalysisResources.SuppressionDiagnosticDescriptorMessage,
suppressor.SuppressionDescriptor.SuppressedDiagnosticId,
New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.WRN_UseOfObsoleteSymbolNoMessage1, "C"), Location.None).GetMessage(CultureInfo.InvariantCulture),
suppressor.SuppressionDescriptor.Id,
suppressor.SuppressionDescriptor.Justification)
Dim suppressors = ImmutableArray.Create(Of DiagnosticAnalyzer)(suppressor)
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=suppressors)
Assert.DoesNotContain("warning BC40008", output, StringComparison.Ordinal)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact(Skip:="https://github.com/dotnet/roslyn/issues/38454")>
Public Sub TestSuppression_CompilerWarningAsError()
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that compiler warning BC40008 is reported.
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("warning BC40008", output, StringComparison.Ordinal)
' Verify that compiler warning BC40008 is reported as error for /warnaserror.
output = VerifyOutput(dir, file, expectedErrorCount:=1, additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("error BC40008", output, StringComparison.Ordinal)
' Verify that compiler warning BC40008 is suppressed with diagnostic suppressor even with /warnaserror
' and info diagnostic is logged with programmatic suppression information.
Dim suppressor = New DiagnosticSuppressorForId("BC40008")
Dim suppressors = ImmutableArray.Create(Of DiagnosticAnalyzer)(suppressor)
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0, expectedErrorCount:=0,
additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=suppressors)
Assert.DoesNotContain($"warning BC40008", output, StringComparison.Ordinal)
Assert.DoesNotContain($"error BC40008", output, StringComparison.Ordinal)
' Diagnostic '{0}: {1}' was programmatically suppressed by a DiagnosticSuppressor with suppression ID '{2}' and justification '{3}'
Dim suppressionMessage = String.Format(CodeAnalysisResources.SuppressionDiagnosticDescriptorMessage,
suppressor.SuppressionDescriptor.SuppressedDiagnosticId,
New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.WRN_UseOfObsoleteSymbolNoMessage1, "C"), Location.None).GetMessage(CultureInfo.InvariantCulture),
suppressor.SuppressionDescriptor.Id,
suppressor.SuppressionDescriptor.Justification)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact>
Public Sub TestNoSuppression_CompilerError()
' warning BC30203 : Identifier expected
Dim source = "
Class
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that compiler error BC30203 is reported.
Dim output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("error BC30203", output, StringComparison.Ordinal)
' Verify that compiler error BC30203 cannot be suppressed with diagnostic suppressor.
Dim analyzers = ImmutableArray.Create(Of DiagnosticAnalyzer)(New DiagnosticSuppressorForId("BC30203"))
output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains("error BC30203", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact(Skip:="https://github.com/dotnet/roslyn/issues/38454")>
Public Sub TestSuppression_AnalyzerWarning()
Dim source = "
Class C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that analyzer warning is reported.
Dim analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Warning, configurable:=True)
Dim analyzers = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
' Verify that analyzer warning is suppressed with diagnostic suppressor
' and info diagnostic is logged with programmatic suppression information.
Dim suppressor = New DiagnosticSuppressorForId(analyzer.Descriptor.Id)
' Diagnostic '{0}: {1}' was programmatically suppressed by a DiagnosticSuppressor with suppression ID '{2}' and justification '{3}'
Dim suppressionMessage = String.Format(CodeAnalysisResources.SuppressionDiagnosticDescriptorMessage,
suppressor.SuppressionDescriptor.SuppressedDiagnosticId,
analyzer.Descriptor.MessageFormat,
suppressor.SuppressionDescriptor.Id,
suppressor.SuppressionDescriptor.Justification)
Dim analyzerAndSuppressor = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer, suppressor)
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.DoesNotContain($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
' Verify that analyzer warning is reported as error for /warnaserror.
output = VerifyOutput(dir, file, expectedErrorCount:=1,
additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains($"error {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
' Verify that analyzer warning is suppressed with diagnostic suppressor even with /warnaserror
' and info diagnostic is logged with programmatic suppression information.
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0, expectedErrorCount:=0,
additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.DoesNotContain($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
' Verify that "NotConfigurable" analyzer warning cannot be suppressed with diagnostic suppressor even with /warnaserror.
analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Warning, configurable:=False)
suppressor = New DiagnosticSuppressorForId(analyzer.Descriptor.Id)
analyzerAndSuppressor = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer, suppressor)
output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.Contains($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact>
Public Sub TestNoSuppression_AnalyzerError()
Dim source = "
Class C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that analyzer error is reported.
Dim analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Error, configurable:=True)
Dim analyzers = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer)
Dim output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains($"error {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
' Verify that analyzer error cannot be suppressed with diagnostic suppressor.
Dim suppressor = New DiagnosticSuppressorForId(analyzer.Descriptor.Id)
Dim analyzerAndSuppressor = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer, suppressor)
output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.Contains($"error {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub CompilerWarnAsErrorDoesNotEmit(ByVal warnAsError As Boolean)
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim docName As String = "doc.xml"
Dim additionalFlags = {$"/doc:{docName}", "/debug:full"}
If warnAsError Then
additionalFlags = additionalFlags.Append("/warnaserror").AsArray()
End If
Dim expectedErrorCount = If(warnAsError, 1, 0)
Dim expectedWarningCount = If(Not warnAsError, 1, 0)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount)
Dim expectedOutput = If(warnAsError, "error BC40008", "warning BC40008")
Assert.Contains(expectedOutput, output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not warnAsError)
Dim pdbPath As String = Path.Combine(dir.Path, "temp.pdb")
Assert.True(IO.File.Exists(pdbPath) = Not warnAsError)
Dim docPath As String = Path.Combine(dir.Path, docName)
Assert.True(IO.File.Exists(docPath) = Not warnAsError)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub AnalyzerConfigSeverityEscalationToErrorDoesNotEmit(ByVal analyzerConfigSetToError As Boolean)
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim docName As String = "doc.xml"
Dim additionalFlags = {$"/doc:{docName}", "/debug:full"}
If analyzerConfigSetToError Then
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.bc40008.severity = error")
additionalFlags = additionalFlags.Append("/analyzerconfig:" + analyzerConfig.Path).ToArray()
End If
Dim expectedErrorCount = If(analyzerConfigSetToError, 1, 0)
Dim expectedWarningCount = If(Not analyzerConfigSetToError, 1, 0)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount)
Dim expectedOutput = If(analyzerConfigSetToError, "error BC40008", "warning BC40008")
Assert.Contains(expectedOutput, output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not analyzerConfigSetToError)
Dim pdbPath As String = Path.Combine(dir.Path, "temp.pdb")
Assert.True(IO.File.Exists(pdbPath) = Not analyzerConfigSetToError)
Dim docPath As String = Path.Combine(dir.Path, docName)
Assert.True(IO.File.Exists(docPath) = Not analyzerConfigSetToError)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub RulesetSeverityEscalationToErrorDoesNotEmit(ByVal rulesetSetToError As Boolean)
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim docName As String = "doc.xml"
Dim additionalFlags = {$"/doc:{docName}", "/debug:full"}
If rulesetSetToError Then
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<Rules AnalyzerId="Microsoft.CodeAnalysis" RuleNamespace="Microsoft.CodeAnalysis">
<Rule Id="BC40008" Action="Error"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
additionalFlags = additionalFlags.Append("/ruleset:" + ruleSetFile.Path).ToArray()
End If
Dim expectedErrorCount = If(rulesetSetToError, 1, 0)
Dim expectedWarningCount = If(Not rulesetSetToError, 1, 0)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount)
Dim expectedOutput = If(rulesetSetToError, "error BC40008", "warning BC40008")
Assert.Contains(expectedOutput, output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not rulesetSetToError)
Dim pdbPath As String = Path.Combine(dir.Path, "temp.pdb")
Assert.True(IO.File.Exists(pdbPath) = Not rulesetSetToError)
Dim docPath As String = Path.Combine(dir.Path, docName)
Assert.True(IO.File.Exists(docPath) = Not rulesetSetToError)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub AnalyzerWarnAsErrorDoesNotEmit(ByVal warnAsError As Boolean)
Dim source = "
Class C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim expectedErrorCount = If(warnAsError, 2, 0)
Dim expectedWarningCount = If(Not warnAsError, 2, 0)
Dim analyzer As DiagnosticAnalyzer = New WarningDiagnosticAnalyzer() ' Reports 2 warnings for each named type.
Dim additionalFlags = If(warnAsError, {"/warnaserror"}, Nothing)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount,
analyzers:=ImmutableArray.Create(analyzer))
Dim expectedODiagnosticSeverity = If(warnAsError, "error", "warning")
Assert.Contains($"{expectedODiagnosticSeverity} {WarningDiagnosticAnalyzer.Warning01.Id}", output)
Assert.Contains($"{expectedODiagnosticSeverity} {WarningDiagnosticAnalyzer.Warning03.Id}", output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not warnAsError)
End Sub
<WorkItem(42166, "https://github.com/dotnet/roslyn/issues/42166")>
<CombinatorialData, Theory>
Public Sub TestAnalyzerFilteringBasedOnSeverity(ByVal defaultSeverity As DiagnosticSeverity, ByVal errorlog As Boolean)
' This test verifies that analyzer execution is skipped at build time for the following:
' 1. Analyzer reporting Hidden diagnostics
' 2. Analyzer reporting Info diagnostics, when /errorlog is not specified
Dim analyzerShouldBeSkipped = defaultSeverity = DiagnosticSeverity.Hidden OrElse
defaultSeverity = DiagnosticSeverity.Info AndAlso Not errorlog
' We use an analyzer that throws an exception on every analyzer callback.
' So an AD0001 analyzer exception diagnostic is reported if analyzer executed, otherwise not.
Dim analyzer = New NamedTypeAnalyzerWithConfigurableEnabledByDefault(isEnabledByDefault:=True, defaultSeverity, throwOnAllNamedTypes:=True)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
End Class")
Dim args = {"/nologo", "/t:library", "/preferreduilang:en", src.Path}
If errorlog Then
args = args.Append("/errorlog:errorlog")
End If
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, args, analyzer)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
If analyzerShouldBeSkipped Then
Assert.Empty(output)
Else
Assert.Contains("warning AD0001: Analyzer 'Microsoft.CodeAnalysis.CommonDiagnosticAnalyzers+NamedTypeAnalyzerWithConfigurableEnabledByDefault' threw an exception of type 'System.NotImplementedException'", output, StringComparison.Ordinal)
End If
End Sub
<WorkItem(47017, "https://github.com/dotnet/roslyn/issues/47017")>
<CombinatorialData, Theory>
Public Sub TestWarnAsErrorMinusDoesNotEnableDisabledByDefaultAnalyzers(defaultSeverity As DiagnosticSeverity, isEnabledByDefault As Boolean)
' This test verifies that '/warnaserror-:DiagnosticId' does not affect if analyzers are executed or skipped.
' Setup the analyzer to always throw an exception on analyzer callbacks for cases where we expect analyzer execution to be skipped:
' 1. Disabled by default analyzer, i.e. 'isEnabledByDefault == false'.
' 2. Default severity Hidden/Info: We only execute analyzers reporting Warning/Error severity diagnostics on command line builds.
Dim analyzerShouldBeSkipped = Not isEnabledByDefault OrElse
defaultSeverity = DiagnosticSeverity.Hidden OrElse
defaultSeverity = DiagnosticSeverity.Info
Dim analyzer = New NamedTypeAnalyzerWithConfigurableEnabledByDefault(isEnabledByDefault, defaultSeverity, throwOnAllNamedTypes:=analyzerShouldBeSkipped)
Dim diagnosticId = analyzer.Descriptor.Id
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.cs").WriteAllText("
Class C
End Class")
' Verify '/warnaserror-:DiagnosticId' behavior.
Dim args = {"/warnaserror+", $"/warnaserror-:{diagnosticId}", "/nologo", "/t:library", "/preferreduilang:en", src.Path}
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, args, analyzer)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Dim expectedExitCode = If(Not analyzerShouldBeSkipped AndAlso defaultSeverity = DiagnosticSeverity.[Error], 1, 0)
Assert.Equal(expectedExitCode, exitCode)
Dim output = outWriter.ToString()
If analyzerShouldBeSkipped Then
Assert.Empty(output)
Else
Dim prefix = If(defaultSeverity = DiagnosticSeverity.Warning, "warning", "error")
Assert.Contains($"{prefix} {diagnosticId}: {analyzer.Descriptor.MessageFormat}", output)
End If
End Sub
<WorkItem(49446, "https://github.com/dotnet/roslyn/issues/49446")>
<Theory>
<InlineData(False, DiagnosticSeverity.Info, DiagnosticSeverity.Warning, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Info, DiagnosticSeverity.Warning, DiagnosticSeverity.Warning)>
<InlineData(False, DiagnosticSeverity.Warning, Nothing, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Warning, Nothing, DiagnosticSeverity.Warning)>
<InlineData(False, DiagnosticSeverity.Warning, DiagnosticSeverity.Error, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Warning, DiagnosticSeverity.Error, DiagnosticSeverity.Warning)>
<InlineData(False, DiagnosticSeverity.Info, DiagnosticSeverity.Error, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Info, DiagnosticSeverity.Error, DiagnosticSeverity.Error)>
Public Sub TestWarnAsErrorMinusDoesNotNullifyEditorConfig(warnAsErrorMinus As Boolean,
defaultSeverity As DiagnosticSeverity,
severityInConfigFile As DiagnosticSeverity?,
expectedEffectiveSeverity As DiagnosticSeverity)
Dim analyzer = New NamedTypeAnalyzerWithConfigurableEnabledByDefault(isEnabledByDefault:=True, defaultSeverity, throwOnAllNamedTypes:=False)
Dim diagnosticId = analyzer.Descriptor.Id
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
End Class")
Dim additionalFlags = {"/warnaserror+"}
If severityInConfigFile.HasValue Then
Dim severityString = DiagnosticDescriptor.MapSeverityToReport(severityInConfigFile.Value).ToAnalyzerConfigString()
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText($"
[*.vb]
dotnet_diagnostic.{diagnosticId}.severity = {severityString}")
additionalFlags = additionalFlags.Append($"/analyzerconfig:{analyzerConfig.Path}").ToArray()
End If
If warnAsErrorMinus Then
additionalFlags = additionalFlags.Append($"/warnaserror-:{diagnosticId}").ToArray()
End If
Dim expectedWarningCount As Integer = 0, expectedErrorCount As Integer = 0
Select Case expectedEffectiveSeverity
Case DiagnosticSeverity.Warning
expectedWarningCount = 1
Case DiagnosticSeverity.[Error]
expectedErrorCount = 1
Case Else
Throw ExceptionUtilities.UnexpectedValue(expectedEffectiveSeverity)
End Select
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False,
expectedWarningCount:=expectedWarningCount,
expectedErrorCount:=expectedErrorCount,
additionalFlags:=additionalFlags,
analyzers:=ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer))
End Sub
<Fact>
<WorkItem(44087, "https://github.com/dotnet/roslyn/issues/44804")>
Public Sub GlobalAnalyzerConfigDiagnosticOptionsCanBeOverridenByCommandLine()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
Class C
Private Sub M()
Dim a As String
End Sub
End Class
")
Dim globalConfig = dir.CreateFile(".globalconfig").WriteAllText("
is_global = true
dotnet_diagnostic.BC42024.severity = error;
")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.BC42024.severity = warning;
")
Dim globalOption = "/analyzerconfig:" + globalConfig.Path
Dim specificOption = "/analyzerconfig:" + analyzerConfig.Path
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=1)
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=0, additionalFlags:={"/nowarn:BC42024"})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedErrorCount:=1, additionalFlags:={globalOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:BC42024", globalOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:42024", globalOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=1, additionalFlags:={globalOption, specificOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=0, additionalFlags:={"/nowarn:BC42024", globalOption, specificOption})
End Sub
<Theory, CombinatorialData>
<WorkItem(43051, "https://github.com/dotnet/roslyn/issues/43051")>
Public Sub WarnAsErrorIsRespectedForForWarningsConfiguredInRulesetOrGlobalConfig(useGlobalConfig As Boolean)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
Class C
Private Sub M()
Dim a As String
End Sub
End Class")
Dim additionalFlags = {"/warnaserror+"}
If useGlobalConfig Then
Dim globalConfig = dir.CreateFile(".globalconfig").WriteAllText($"
is_global = true
dotnet_diagnostic.BC42024.severity = warning;
")
additionalFlags = additionalFlags.Append("/analyzerconfig:" & globalConfig.Path).ToArray()
Else
Dim ruleSetSource As String = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""15.0"">
<Rules AnalyzerId=""Compiler"" RuleNamespace=""Compiler"">
<Rule Id=""BC42024"" Action=""Warning"" />
</Rules>
</RuleSet>
"
dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
additionalFlags = additionalFlags.Append("/ruleset:Rules.ruleset").ToArray()
End If
VerifyOutput(dir, src, additionalFlags:=additionalFlags, expectedErrorCount:=1, includeCurrentAssemblyAsAnalyzerReference:=False)
End Sub
<Fact>
<WorkItem(44087, "https://github.com/dotnet/roslyn/issues/44804")>
Public Sub GlobalAnalyzerConfigSpecificDiagnosticOptionsOverrideGeneralCommandLineOptions()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
Class C
Private Sub M()
Dim a As String
End Sub
End Class
")
Dim globalConfig = dir.CreateFile(".globalconfig").WriteAllText("
is_global = true
dotnet_diagnostic.BC42024.severity = none;
")
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+", "/analyzerconfig:" + globalConfig.Path})
End Sub
<Theory, CombinatorialData>
Public Sub TestAdditionalFileAnalyzer(registerFromInitialize As Boolean)
Dim srcDirectory = Temp.CreateDirectory()
Dim source = "
Class C
End Class"
Dim srcFile = srcDirectory.CreateFile("a.vb")
srcFile.WriteAllText(source)
Dim additionalText = "Additional Text"
Dim additionalFile = srcDirectory.CreateFile("b.txt")
additionalFile.WriteAllText(additionalText)
Dim diagnosticSpan = New TextSpan(2, 2)
Dim analyzer As DiagnosticAnalyzer = New AdditionalFileAnalyzer(registerFromInitialize, diagnosticSpan)
Dim output = VerifyOutput(srcDirectory, srcFile, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags:={"/additionalfile:" & additionalFile.Path},
analyzers:=ImmutableArray.Create(analyzer))
Assert.Contains("b.txt(1) : warning ID0001", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(srcDirectory.Path)
End Sub
<Theory>
<InlineData("warning", "/warnaserror", True, False)>
<InlineData("error", "/warnaserror", True, False)>
<InlineData(Nothing, "/warnaserror", True, False)>
<InlineData("warning", "/warnaserror:BC40008", True, False)>
<InlineData("error", "/warnaserror:BC40008", True, False)>
<InlineData(Nothing, "/warnaserror:BC40008", True, False)>
<InlineData("warning", "/nowarn:BC40008", False, False)>
<InlineData("error", "/nowarn:BC40008", False, False)>
<InlineData(Nothing, "/nowarn:BC40008", False, False)>
<InlineData("warning", Nothing, False, True)>
<InlineData("error", Nothing, True, False)>
<InlineData(Nothing, Nothing, False, True)>
<WorkItem(43051, "https://github.com/dotnet/roslyn/issues/43051")>
Public Sub TestCompilationOptionsOverrideAnalyzerConfig_CompilerWarning(analyzerConfigSeverity As String, additionalArg As String, expectError As Boolean, expectWarning As Boolean)
' warning BC40008 : 'C' is obsolete
Dim src = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
TestCompilationOptionsOverrideAnalyzerConfigCore(src, diagnosticId:="BC40008", analyzerConfigSeverity, additionalArg, expectError, expectWarning)
End Sub
<Theory>
<InlineData("warning", "/warnaserror", True, False)>
<InlineData("error", "/warnaserror", True, False)>
<InlineData(Nothing, "/warnaserror", True, False)>
<InlineData("warning", "/warnaserror:" & CompilationAnalyzerWithSeverity.DiagnosticId, True, False)>
<InlineData("error", "/warnaserror:" & CompilationAnalyzerWithSeverity.DiagnosticId, True, False)>
<InlineData(Nothing, "/warnaserror:" & CompilationAnalyzerWithSeverity.DiagnosticId, True, False)>
<InlineData("warning", "/nowarn:" & CompilationAnalyzerWithSeverity.DiagnosticId, False, False)>
<InlineData("error", "/nowarn:" & CompilationAnalyzerWithSeverity.DiagnosticId, False, False)>
<InlineData(Nothing, "/nowarn:" & CompilationAnalyzerWithSeverity.DiagnosticId, False, False)>
<InlineData("warning", Nothing, False, True)>
<InlineData("error", Nothing, True, False)>
<InlineData(Nothing, Nothing, False, True)>
<WorkItem(43051, "https://github.com/dotnet/roslyn/issues/43051")>
Public Sub TestCompilationOptionsOverrideAnalyzerConfig_AnalyzerWarning(analyzerConfigSeverity As String, additionalArg As String, expectError As Boolean, expectWarning As Boolean)
Dim analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Warning, configurable:=True)
Dim src = "
Class C
End Class"
TestCompilationOptionsOverrideAnalyzerConfigCore(src, CompilationAnalyzerWithSeverity.DiagnosticId, analyzerConfigSeverity, additionalArg, expectError, expectWarning, analyzer)
End Sub
Private Sub TestCompilationOptionsOverrideAnalyzerConfigCore(
source As String,
diagnosticId As String,
analyzerConfigSeverity As String,
additionalArg As String,
expectError As Boolean,
expectWarning As Boolean,
ParamArray analyzers As DiagnosticAnalyzer())
Assert.True(Not expectError OrElse Not expectWarning)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText(source)
Dim additionalArgs = Array.Empty(Of String)()
If analyzerConfigSeverity IsNot Nothing Then
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText($"
[*.vb]
dotnet_diagnostic.{diagnosticId}.severity = {analyzerConfigSeverity}")
additionalArgs = additionalArgs.Append($"/analyzerconfig:{analyzerConfig.Path}").ToArray()
End If
If Not String.IsNullOrEmpty(additionalArg) Then
additionalArgs = additionalArgs.Append(additionalArg)
End If
Dim output = VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalArgs,
expectedErrorCount:=If(expectError, 1, 0),
expectedWarningCount:=If(expectWarning, 1, 0),
analyzers:=analyzers.ToImmutableArrayOrEmpty())
If expectError Then
Assert.Contains($"error {diagnosticId}", output)
ElseIf expectWarning Then
Assert.Contains($"warning {diagnosticId}", output)
Else
Assert.DoesNotContain(diagnosticId, output)
End If
End Sub
<ConditionalFact(GetType(CoreClrOnly), Reason:="Can't load a coreclr targeting generator on net framework / mono")>
Public Sub TestGeneratorsCantTargetNetFramework()
Dim directory = Temp.CreateDirectory()
Dim src = directory.CreateFile("test.vb").WriteAllText("
Class C
End Class")
'Core
Dim coreGenerator = EmitGenerator(".NETCoreApp,Version=v5.0")
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & coreGenerator})
'NetStandard
Dim nsGenerator = EmitGenerator(".NETStandard,Version=v2.0")
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & nsGenerator})
'NoTarget
Dim ntGenerator = EmitGenerator(targetFramework:=Nothing)
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & ntGenerator})
'Framework
Dim frameworkGenerator = EmitGenerator(".NETFramework,Version=v4.7.2")
Dim output = VerifyOutput(directory, src, expectedWarningCount:=2, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & frameworkGenerator})
Assert.Contains("CS8850", output)
Assert.Contains("CS8033", output)
'Framework, suppressed
output = VerifyOutput(directory, src, expectedWarningCount:=1, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:CS8850", "/analyzer:" & frameworkGenerator})
Assert.Contains("CS8033", output)
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:CS8850,CS8033", "/analyzer:" & frameworkGenerator})
End Sub
Private Function EmitGenerator(ByVal targetFramework As String) As String
Dim targetFrameworkAttributeText As String = If(TypeOf targetFramework Is Object, $"<Assembly: System.Runtime.Versioning.TargetFramework(""{targetFramework}"")>", String.Empty)
Dim generatorSource As String = $"
Imports Microsoft.CodeAnalysis
{targetFrameworkAttributeText}
<Generator>
Public Class Generator
Inherits ISourceGenerator
Public Sub Execute(ByVal context As GeneratorExecutionContext)
End Sub
Public Sub Initialize(ByVal context As GeneratorInitializationContext)
End Sub
End Class
"
Dim directory = Temp.CreateDirectory()
Dim generatorPath = Path.Combine(directory.Path, "generator.dll")
Dim compilation = VisualBasicCompilation.Create($"generator_{targetFramework}",
{VisualBasicSyntaxTree.ParseText(generatorSource)},
TargetFrameworkUtil.GetReferences(Roslyn.Test.Utilities.TargetFramework.Standard, {MetadataReference.CreateFromAssemblyInternal(GetType(ISourceGenerator).Assembly)}),
New VisualBasicCompilationOptions(OutputKind.DynamicallyLinkedLibrary))
compilation.VerifyDiagnostics()
Dim result = compilation.Emit(generatorPath)
Assert.[True](result.Success)
Return generatorPath
End Function
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend MustInherit Class MockAbstractDiagnosticAnalyzer
Inherits DiagnosticAnalyzer
Public Overrides Sub Initialize(context As AnalysisContext)
context.RegisterCompilationStartAction(
Sub(startContext As CompilationStartAnalysisContext)
startContext.RegisterCompilationEndAction(AddressOf AnalyzeCompilation)
CreateAnalyzerWithinCompilation(startContext)
End Sub)
End Sub
Public MustOverride Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
Public MustOverride Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class HiddenDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Hidden01 As DiagnosticDescriptor = New DiagnosticDescriptor("Hidden01", "", "Throwing a diagnostic for #ExternalSource", "", DiagnosticSeverity.Hidden, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSyntaxNodeAction(AddressOf AnalyzeNode, SyntaxKind.ExternalSourceDirectiveTrivia)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Hidden01)
End Get
End Property
Public Sub AnalyzeNode(context As SyntaxNodeAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Hidden01, context.Node.GetLocation()))
End Sub
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class InfoDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Info01 As DiagnosticDescriptor = New DiagnosticDescriptor("Info01", "", "Throwing a diagnostic for #Enable", "", DiagnosticSeverity.Info, isEnabledByDefault:=True)
Friend Shared ReadOnly Info02 As DiagnosticDescriptor = New DiagnosticDescriptor("Info02", "", "Throwing a diagnostic for something else", "", DiagnosticSeverity.Info, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSyntaxNodeAction(AddressOf AnalyzeNode, SyntaxKind.EnableWarningDirectiveTrivia)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Info01, Info02)
End Get
End Property
Public Sub AnalyzeNode(context As SyntaxNodeAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Info01, context.Node.GetLocation()))
End Sub
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class WarningDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Warning01 As DiagnosticDescriptor = New DiagnosticDescriptor("Warning01", "", "Throwing a diagnostic for types declared", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Friend Shared ReadOnly Warning02 As DiagnosticDescriptor = New DiagnosticDescriptor("Warning02", "", "Throwing a diagnostic for something else", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Friend Shared ReadOnly Warning03 As DiagnosticDescriptor = New DiagnosticDescriptor("Warning03", "", "Throwing a diagnostic for types declared", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSymbolAction(AddressOf AnalyzeSymbol, SymbolKind.NamedType)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Warning01, Warning02, Warning03)
End Get
End Property
Public Sub AnalyzeSymbol(context As SymbolAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Warning01, context.Symbol.Locations.First()))
context.ReportDiagnostic(Diagnostic.Create(Warning03, context.Symbol.Locations.First()))
End Sub
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class ErrorDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Error01 As DiagnosticDescriptor = New DiagnosticDescriptor("Error01", "", "Throwing a diagnostic for #Disable", "", DiagnosticSeverity.Error, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSyntaxNodeAction(AddressOf AnalyzeNode, SyntaxKind.DisableWarningDirectiveTrivia)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Error01)
End Get
End Property
Public Sub AnalyzeNode(context As SyntaxNodeAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Error01, context.Node.GetLocation()))
End Sub
End Class
Friend Class AdditionalFileDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Rule As DiagnosticDescriptor = New DiagnosticDescriptor("AdditionalFileDiagnostic", "", "Additional File Diagnostic: {0}", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Private ReadOnly _nonCompilerInputFile As String
Public Sub New(nonCompilerInputFile As String)
_nonCompilerInputFile = nonCompilerInputFile
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Rule)
End Get
End Property
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterCompilationEndAction(AddressOf CompilationEndAction)
End Sub
Private Sub CompilationEndAction(context As CompilationAnalysisContext)
' Diagnostic reported on additionals file, with valid span.
For Each additionalFile In context.Options.AdditionalFiles
ReportDiagnostic(additionalFile.Path, context)
Next
' Diagnostic reported on an additional file, but with an invalid span.
ReportDiagnostic(context.Options.AdditionalFiles.First().Path, context, New TextSpan(0, 1000000)) ' Overflow span
' Diagnostic reported on a file which is not an input for the compiler.
ReportDiagnostic(_nonCompilerInputFile, context)
' Diagnostic reported on a non-existent file.
ReportDiagnostic("NonExistentPath", context)
End Sub
Private Sub ReportDiagnostic(path As String, context As CompilationAnalysisContext, Optional span As TextSpan = Nothing)
If span = Nothing Then
span = New TextSpan(0, 11)
End If
Dim linePosSpan = New LinePositionSpan(New LinePosition(0, 0), New LinePosition(0, span.End))
Dim diagLocation = Location.Create(path, span, linePosSpan)
Dim diag = Diagnostic.Create(Rule, diagLocation, IO.Path.GetFileNameWithoutExtension(path))
context.ReportDiagnostic(diag)
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.
Imports System.Collections.Immutable
Imports System.ComponentModel
Imports System.Globalization
Imports System.IO
Imports System.IO.MemoryMappedFiles
Imports System.Reflection
Imports System.Reflection.Metadata
Imports System.Reflection.PortableExecutable
Imports System.Runtime.InteropServices
Imports System.Security.Cryptography
Imports System.Text
Imports System.Text.RegularExpressions
Imports System.Threading
Imports Microsoft.CodeAnalysis
Imports Microsoft.CodeAnalysis.CommonDiagnosticAnalyzers
Imports Microsoft.CodeAnalysis.Diagnostics
Imports Microsoft.CodeAnalysis.Emit
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Microsoft.CodeAnalysis.Text
Imports Microsoft.CodeAnalysis.VisualBasic.UnitTests
Imports Microsoft.DiaSymReader
Imports Roslyn.Test.PdbUtilities
Imports Roslyn.Test.Utilities
Imports Roslyn.Test.Utilities.SharedResourceHelpers
Imports Roslyn.Utilities
Imports Xunit
Namespace Microsoft.CodeAnalysis.VisualBasic.CommandLine.UnitTests
Partial Public Class CommandLineTests
Inherits BasicTestBase
Private Shared ReadOnly s_basicCompilerExecutable As String = Path.Combine(
Path.GetDirectoryName(GetType(CommandLineTests).Assembly.Location),
Path.Combine("dependency", "vbc.exe"))
Private Shared ReadOnly s_DotnetCscRun As String = If(ExecutionConditionUtil.IsMono, "mono", String.Empty)
Private ReadOnly _baseDirectory As String = TempRoot.Root
Private Shared ReadOnly s_defaultSdkDirectory As String = RuntimeEnvironment.GetRuntimeDirectory()
Private Shared ReadOnly s_compilerVersion As String = CommonCompiler.GetProductVersion(GetType(CommandLineTests))
Private Shared Function DefaultParse(args As IEnumerable(Of String), baseDirectory As String, Optional sdkDirectory As String = Nothing, Optional additionalReferenceDirectories As String = Nothing) As VisualBasicCommandLineArguments
sdkDirectory = If(sdkDirectory, s_defaultSdkDirectory)
Return VisualBasicCommandLineParser.Default.Parse(args, baseDirectory, sdkDirectory, additionalReferenceDirectories)
End Function
Private Shared Function FullParse(commandLine As String, baseDirectory As String, Optional sdkDirectory As String = Nothing, Optional additionalReferenceDirectories As String = Nothing) As VisualBasicCommandLineArguments
sdkDirectory = If(sdkDirectory, s_defaultSdkDirectory)
Dim args = CommandLineParser.SplitCommandLineIntoArguments(commandLine, removeHashComments:=True)
Return VisualBasicCommandLineParser.Default.Parse(args, baseDirectory, sdkDirectory, additionalReferenceDirectories)
End Function
Private Shared Function InteractiveParse(args As IEnumerable(Of String), baseDirectory As String, Optional sdkDirectory As String = Nothing, Optional additionalReferenceDirectories As String = Nothing) As VisualBasicCommandLineArguments
sdkDirectory = If(sdkDirectory, s_defaultSdkDirectory)
Return VisualBasicCommandLineParser.Script.Parse(args, baseDirectory, sdkDirectory, additionalReferenceDirectories)
End Function
<Fact>
Public Sub SimpleAnalyzerConfig()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim additionalFile = dir.CreateFile("file.txt")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.bc42024.severity = none")
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig.Path,
src.Path})
Assert.Equal(analyzerConfig.Path, Assert.Single(cmd.Arguments.AnalyzerConfigPaths))
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString())
Assert.Null(cmd.AnalyzerOptions)
End Sub
<Fact>
Public Sub AnalyzerConfigWithOptions()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim additionalFile = dir.CreateFile("file.txt")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.bc42024.severity = none
dotnet_diagnostic.warning01.severity = none
dotnet_diagnostic.Warning03.severity = none
my_option = my_val
[*.txt]
dotnet_diagnostic.bc42024.severity = none
my_option2 = my_val2")
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig.Path,
"/analyzer:" + Assembly.GetExecutingAssembly().Location,
"/nowarn:42376",
"/additionalfile:" + additionalFile.Path,
src.Path})
Assert.Equal(analyzerConfig.Path, Assert.Single(cmd.Arguments.AnalyzerConfigPaths))
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString())
Dim comp = cmd.Compilation
Dim tree = comp.SyntaxTrees.Single()
Dim syntaxTreeOptions = comp.Options.SyntaxTreeOptionsProvider
Dim report As ReportDiagnostic
Assert.True(syntaxTreeOptions.TryGetDiagnosticValue(tree, "BC42024", CancellationToken.None, report))
Assert.Equal(ReportDiagnostic.Suppress, report)
Assert.True(syntaxTreeOptions.TryGetDiagnosticValue(tree, "warning01", CancellationToken.None, report))
Assert.Equal(ReportDiagnostic.Suppress, report)
Assert.True(syntaxTreeOptions.TryGetDiagnosticValue(tree, "warning03", CancellationToken.None, report))
Assert.Equal(ReportDiagnostic.Suppress, report)
Assert.False(syntaxTreeOptions.TryGetDiagnosticValue(tree, "warning02", CancellationToken.None, report))
Dim provider = cmd.AnalyzerOptions.AnalyzerConfigOptionsProvider
Dim options = provider.GetOptions(tree)
Assert.NotNull(options)
Dim val As String = Nothing
Assert.True(options.TryGetValue("my_option", val))
Assert.Equal("my_val", val)
Assert.False(options.TryGetValue("my_option2", Nothing))
Assert.False(options.TryGetValue("dotnet_diagnostic.bc42024.severity", Nothing))
options = provider.GetOptions(cmd.AnalyzerOptions.AdditionalFiles.Single())
Assert.NotNull(options)
Assert.True(options.TryGetValue("my_option2", val))
Assert.Equal("my_val2", val)
Assert.False(options.TryGetValue("my_option", Nothing))
Assert.False(options.TryGetValue("dotnet_diagnostic.bc42024.severity", Nothing))
End Sub
<Fact>
Public Sub AnalyzerConfigBadSeverity()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.BC42024.severity = garbage")
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig.Path,
src.Path})
Assert.Equal(analyzerConfig.Path, Assert.Single(cmd.Arguments.AnalyzerConfigPaths))
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal(
$"vbc : warning InvalidSeverityInAnalyzerConfig: The diagnostic 'bc42024' was given an invalid severity 'garbage' in the analyzer config file at '{analyzerConfig.Path}'.
{src.Path}(4) : warning BC42024: Unused local variable: 'x'.
Dim x As Integer
~
", outWriter.ToString())
End Sub
<Fact>
Public Sub AnalyzerConfigsInSameDir()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.cs").WriteAllText("
Class C
Sub M()
Dim x As Integer
End Sub
End Class")
Dim configText = "
[*.cs]
dotnet_diagnostic.cs0169.severity = suppress"
Dim analyzerConfig1 = dir.CreateFile("analyzerconfig1").WriteAllText(configText)
Dim analyzerConfig2 = dir.CreateFile("analyzerconfig2").WriteAllText(configText)
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {
"/nologo",
"/t:library",
"/preferreduilang:en",
"/analyzerconfig:" + analyzerConfig1.Path,
"/analyzerconfig:" + analyzerConfig2.Path,
src.Path
})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal(
$"vbc : error BC42500: Multiple analyzer config files cannot be in the same directory ('{dir.Path}').",
outWriter.ToString().TrimEnd())
End Sub
<Fact>
<WorkItem(34101, "https://github.com/dotnet/roslyn/issues/34101")>
Public Sub SuppressedWarnAsErrorsStillEmit()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
#Disable Warning BC42302
Module Module1
Sub Main()
Dim x = 42 ''' <test />
End Sub
End Module")
Const docName As String = "doc.xml"
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/errorlog:errorlog", $"/doc:{docName}", "/warnaserror", src.Path})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal("", outWriter.ToString())
Assert.Equal(0, exitCode)
Dim exePath = Path.Combine(dir.Path, "temp.exe")
Assert.True(File.Exists(exePath))
End Sub
<Fact>
Public Sub XmlMemoryMapped()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.cs").WriteAllText("
Class C
End Class")
Dim docName As String = "doc.xml"
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/t:library", "/preferreduilang:en", $"/doc:{docName}", src.Path})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString())
Dim xmlPath = Path.Combine(dir.Path, docName)
Using fileStream = New FileStream(xmlPath, FileMode.Open, FileAccess.Read, FileShare.ReadWrite)
Using mmf = MemoryMappedFile.CreateFromFile(fileStream, "xmlMap", 0, MemoryMappedFileAccess.Read, HandleInheritability.None, leaveOpen:=True)
exitCode = cmd.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.StartsWith($"vbc : error BC2012: can't open '{xmlPath}' for writing:", outWriter.ToString())
End Using
End Using
End Sub
<Fact>
<WorkItem(946954, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/946954")>
Public Sub CompilerBinariesAreAnyCPU()
Assert.Equal(ProcessorArchitecture.MSIL, AssemblyName.GetAssemblyName(s_basicCompilerExecutable).ProcessorArchitecture)
End Sub
<Fact, WorkItem(546322, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546322")>
Public Sub NowarnWarnaserrorTest()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/nowarn", "/warnaserror-", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/nowarn", "/warnaserror", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Error)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/nowarn", "/warnaserror+", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Error)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/warnaserror-", "/nowarn", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/warnaserror", "/nowarn", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/warnaserror+", "/nowarn", src})
Assert.Equal(cmd.Arguments.CompilationOptions.GeneralDiagnosticOption, ReportDiagnostic.Suppress)
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
<WorkItem(21508, "https://github.com/dotnet/roslyn/issues/21508")>
Public Sub ArgumentStartWithDashAndContainingSlash()
Dim args As VisualBasicCommandLineArguments
Dim folder = Temp.CreateDirectory()
args = DefaultParse({"-debug+/debug:portable"}, folder.Path)
args.Errors.AssertTheseDiagnostics(<errors>
BC2007: unrecognized option '-debug+/debug:portable'; ignored
BC2008: no input sources specified
</errors>)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CommandLineCompilationWithQuotedMainArgument()
' Arguments with quoted rootnamespace and main type are unquoted when
' the arguments are read in by the command line compiler.
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/target:exe", "/rootnamespace:""test""", "/main:""test.Module1""", src})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
End Sub
<Fact>
Public Sub CreateCompilationWithKeyFile()
Dim source = "
Public Class C
Public Shared Sub Main()
End Sub
End Class"
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim cmd = New MockVisualBasicCompiler(dir.Path, {"/nologo", "a.vb", "/keyfile:key.snk"})
Dim comp = cmd.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.IsType(Of DesktopStrongNameProvider)(comp.Options.StrongNameProvider)
End Sub
<Fact>
Public Sub CreateCompilationWithCryptoContainer()
Dim source = "
Public Class C
Public Shared Sub Main()
End Sub
End Class"
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim cmd = New MockVisualBasicCompiler(dir.Path, {"/nologo", "a.vb", "/keycontainer:aaa"})
Dim comp = cmd.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.True(TypeOf comp.Options.StrongNameProvider Is DesktopStrongNameProvider)
End Sub
<Fact>
Public Sub CreateCompilationWithStrongNameFallbackCommand()
Dim source = "
Public Class C
Public Shared Sub Main()
End Sub
End Class"
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim cmd = New MockVisualBasicCompiler(dir.Path, {"/nologo", "a.vb", "/features:UseLegacyStrongNameProvider"})
Dim comp = cmd.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.True(TypeOf comp.Options.StrongNameProvider Is DesktopStrongNameProvider)
End Sub
<Fact>
Public Sub ParseQuotedMainTypeAndRootnamespace()
'These options are always unquoted when parsed in VisualBasicCommandLineParser.Parse.
Dim args = DefaultParse({"/rootnamespace:Test", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.RootNamespace)
args = DefaultParse({"/main:Test", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.MainTypeName)
args = DefaultParse({"/main:""Test""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.MainTypeName)
args = DefaultParse({"/rootnamespace:""Test""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.CompilationOptions.RootNamespace)
args = DefaultParse({"/rootnamespace:""test""", "/main:""test.Module1""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("test.Module1", args.CompilationOptions.MainTypeName)
Assert.Equal("test", args.CompilationOptions.RootNamespace)
' Use of Cyrillic namespace
args = DefaultParse({"/rootnamespace:""решения""", "/main:""решения.Module1""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("решения.Module1", args.CompilationOptions.MainTypeName)
Assert.Equal("решения", args.CompilationOptions.RootNamespace)
End Sub
<WorkItem(722561, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/722561")>
<Fact>
Public Sub Bug_722561()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Public Class C
End Class
</text>.Value).Path
' Previous versions of the compiler used to report warnings (BC2026, BC2014)
' whenever an unrecognized warning code was supplied via /nowarn or /warnaserror.
' We no longer generate a warning in such cases.
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", "/nowarn:-1", src})
Dim writer As New StringWriter()
Dim result = cmd.Run(writer, Nothing)
Assert.Equal(String.Empty, writer.ToString.Trim)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", "/nowarn:-12345678901234567890", src})
writer = New StringWriter()
result = cmd.Run(writer, Nothing)
Assert.Equal(String.Empty, writer.ToString.Trim)
cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", "/nowarn:-1234567890123456789", src})
writer = New StringWriter()
result = cmd.Run(writer, Nothing)
Assert.Equal(String.Empty, writer.ToString.Trim)
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcTest()
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:en"})
cmd.Run(output, Nothing)
Assert.True(output.ToString().StartsWith(s_logoLine1, StringComparison.Ordinal), "vbc should print logo and help if no args specified")
End Sub
<Fact>
Public Sub VbcNologo_1()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/t:library", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcNologo_1a()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo+", "/t:library", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcNologo_2()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", "/preferreduilang:en", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Dim patched As String = Regex.Replace(output.ToString().Trim(), "version \d+\.\d+\.\d+(-[\d\w]+)*", "version A.B.C-d")
patched = ReplaceCommitHash(patched)
Assert.Equal(<text>
Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
</text>.Value.Replace(vbLf, vbCrLf).Trim,
patched)
CleanupAllGeneratedFiles(src)
End Sub
<Theory,
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (<developer build>)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)"),
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (ABCDEF01)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)"),
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (abcdef90)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)"),
InlineData("Microsoft (R) Visual Basic Compiler version A.B.C-d (12345678)",
"Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)")>
Public Sub TestReplaceCommitHash(orig As String, expected As String)
Assert.Equal(expected, ReplaceCommitHash(orig))
End Sub
Private Shared Function ReplaceCommitHash(s As String) As String
Return Regex.Replace(s, "(\((<developer build>|[a-fA-F0-9]{8})\))", "(HASH)")
End Function
<Fact>
Public Sub VbcNologo_2a()
Dim src As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim output As StringWriter = New StringWriter()
Dim cmd = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo-", "/preferreduilang:en", "/t:library", src})
Dim exitCode = cmd.Run(output, Nothing)
Assert.Equal(0, exitCode)
Dim patched As String = Regex.Replace(output.ToString().Trim(), "version \d+\.\d+\.\d+(-[\w\d]+)*", "version A.B.C-d")
patched = ReplaceCommitHash(patched)
Assert.Equal(<text>
Microsoft (R) Visual Basic Compiler version A.B.C-d (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
</text>.Value.Replace(vbLf, vbCrLf).Trim,
patched)
CleanupAllGeneratedFiles(src)
End Sub
<Fact()>
Public Sub VbcUtf8Output_WithRedirecting_Off()
Dim src As String = Temp.CreateFile().WriteAllText("♚", New System.Text.UTF8Encoding(False)).Path
Dim tempOut = Temp.CreateFile()
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C """ & s_basicCompilerExecutable & """ /nologo /preferreduilang:en /t:library " & src & " > " & tempOut.Path, expectedRetCode:=1)
Assert.Equal("", output.Trim())
Assert.Equal(<text>
SRC.VB(1) : error BC30037: Character is not valid.
?
~
</text>.Value.Trim().Replace(vbLf, vbCrLf), tempOut.ReadAllText().Trim().Replace(src, "SRC.VB"))
CleanupAllGeneratedFiles(src)
End Sub
<Fact()>
Public Sub VbcUtf8Output_WithRedirecting_On()
Dim src As String = Temp.CreateFile().WriteAllText("♚", New System.Text.UTF8Encoding(False)).Path
Dim tempOut = Temp.CreateFile()
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C """ & s_basicCompilerExecutable & """ /utf8output /nologo /preferreduilang:en /t:library " & src & " > " & tempOut.Path, expectedRetCode:=1)
Assert.Equal("", output.Trim())
Assert.Equal(<text>
SRC.VB(1) : error BC30037: Character is not valid.
♚
~
</text>.Value.Trim().Replace(vbLf, vbCrLf), tempOut.ReadAllText().Trim().Replace(src, "SRC.VB"))
CleanupAllGeneratedFiles(src)
End Sub
<Fact>
Public Sub VbcCompile_WithSourceCodeRedirectedViaStandardInput_ProducesRunnableProgram()
Dim result As ProcessResult
Dim tempDir As String = Temp.CreateDirectory().Path
If RuntimeInformation.IsOSPlatform(OSPlatform.Windows) Then
Dim sourceFile = Path.GetTempFileName()
File.WriteAllText(sourceFile, "
Module Program
Sub Main()
System.Console.WriteLine(""Hello World!"")
End Sub
End Module")
result = ProcessUtilities.Run("cmd", $"/C {s_basicCompilerExecutable} /nologo /t:exe - < {sourceFile}", workingDirectory:=tempDir)
File.Delete(sourceFile)
Else
result = ProcessUtilities.Run("/usr/bin/env", $"sh -c ""echo \
Module Program \
Sub Main\(\) \
System.Console.WriteLine\(\\\""Hello World\!\\\""\) \
End Sub \
End Module | {s_basicCompilerExecutable} /nologo /t:exe -""", workingDirectory:=tempDir,
redirectStandardInput:=True)
' we are testing shell's piped/redirected stdin behavior explicitly
' instead of using Process.StandardInput.Write(), so we set
' redirectStandardInput to true, which implies that isatty of child
' process is false and thereby Console.IsInputRedirected will return
' true in vbc code.
End If
Assert.False(result.ContainsErrors, $"Compilation error(s) occurred: {result.Output} {result.Errors}")
Dim output As String = If(RuntimeInformation.IsOSPlatform(OSPlatform.Windows),
ProcessUtilities.RunAndGetOutput("cmd.exe", $"/C ""{s_DotnetCscRun} -.exe""", expectedRetCode:=0, startFolder:=tempDir),
ProcessUtilities.RunAndGetOutput("sh", $"-c ""{s_DotnetCscRun} -.exe""", expectedRetCode:=0, startFolder:=tempDir))
Assert.Equal("Hello World!", output.Trim())
End Sub
<Fact>
Public Sub VbcCompile_WithSourceCodeRedirectedViaStandardInput_ProducesLibrary()
Dim name = Guid.NewGuid().ToString() & ".dll"
Dim tempDir As String = Temp.CreateDirectory().Path
Dim result As ProcessResult
If RuntimeInformation.IsOSPlatform(OSPlatform.Windows) Then
Dim sourceFile = Path.GetTempFileName()
File.WriteAllText(sourceFile, "
Class A
public Function GetVal() As A
Return Nothing
End Function
End Class")
result = ProcessUtilities.Run("cmd", $"/C {s_basicCompilerExecutable} /nologo /t:library /out:{name} - < {sourceFile}", workingDirectory:=tempDir)
File.Delete(sourceFile)
Else
result = ProcessUtilities.Run("/usr/bin/env", $"sh -c ""echo \
Class A \
Public Function GetVal\(\) As A \
Return Nothing \
End Function \
End Class | {s_basicCompilerExecutable} /nologo /t:library /out:{name} -""", workingDirectory:=tempDir,
redirectStandardInput:=True)
' we are testing shell's piped/redirected stdin behavior explicitly
' instead of using Process.StandardInput.Write(), so we set
' redirectStandardInput to true, which implies that isatty of child
' process is false and thereby Console.IsInputRedirected will return
' true in vbc code.
End If
Assert.False(result.ContainsErrors, $"Compilation error(s) occurred: {result.Output} {result.Errors}")
Dim assemblyName = System.Reflection.AssemblyName.GetAssemblyName(Path.Combine(tempDir, name))
Assert.Equal(name.Replace(".dll", ", Version=0.0.0.0, Culture=neutral, PublicKeyToken=null"),
assemblyName.ToString())
End Sub
<Fact>
Public Sub VbcCompile_WithRedirectedInputIndicatorAndStandardInputNotRedirected_ReportsBC56032()
If Console.IsInputRedirected Then
' [applicable to both Windows and Unix]
' if our parent (xunit) process itself has input redirected, we cannot test this
' error case because our child process will inherit it and we cannot achieve what
' we are aiming for: isatty(0):true and thereby Console.IsInputerRedirected:false in
' child. running this case will make StreamReader to hang (waiting for input, that
' we do not propagate: parent.In->child.In).
'
' note: in Unix we can "close" fd0 by appending `0>&-` in the `sh -c` command below,
' but that will also not impact the result of isatty(), and in turn causes a different
' compiler error.
Return
End If
Dim tempDir As String = Temp.CreateDirectory().Path
Dim result As ProcessResult = If(RuntimeInformation.IsOSPlatform(OSPlatform.Windows),
ProcessUtilities.Run("cmd", $"/C ""{s_basicCompilerExecutable} /nologo /t:exe -""", workingDirectory:=tempDir),
ProcessUtilities.Run("/usr/bin/env", $"sh -c ""{s_basicCompilerExecutable} /nologo /t:exe -""", workingDirectory:=tempDir))
Assert.True(result.ContainsErrors)
Assert.Contains(CInt(ERRID.ERR_StdInOptionProvidedButConsoleInputIsNotRedirected).ToString(), result.Output)
End Sub
<Fact()>
Public Sub ResponseFiles1()
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/r:System.dll
/nostdlib
/vbruntime-
# this is ignored
System.Console.WriteLine("*?"); # this is error
a.vb
</text>.Value).Path
Dim cmd = New MockVisualBasicCompiler(rsp, _baseDirectory, {"b.vb"})
AssertEx.Equal({"System.dll"}, cmd.Arguments.MetadataReferences.Select(Function(r) r.Reference))
AssertEx.Equal(
{
Path.Combine(_baseDirectory, "a.vb"),
Path.Combine(_baseDirectory, "b.vb")
},
cmd.Arguments.SourceFiles.Select(Function(file) file.Path))
Assert.NotEmpty(cmd.Arguments.Errors)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(685392, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/685392")>
<Fact()>
Public Sub ResponseFiles_RootNamespace()
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/r:System.dll
/rootnamespace:"Hello"
a.vb
</text>.Value).Path
Dim cmd = New MockVisualBasicCompiler(rsp, _baseDirectory, {"b.vb"})
Assert.Equal("Hello", cmd.Arguments.CompilationOptions.RootNamespace)
CleanupAllGeneratedFiles(rsp)
End Sub
Private Sub AssertGlobalImports(expectedImportStrings As String(), actualImports As GlobalImport())
Assert.Equal(expectedImportStrings.Length, actualImports.Count)
For i = 0 To expectedImportStrings.Length - 1
Assert.Equal(expectedImportStrings(i), actualImports(i).Clause.ToString)
Next
End Sub
<Fact>
Public Sub ParseGlobalImports()
Dim args = DefaultParse({"/imports: System ,System.Xml ,System.Linq", "a.vb"}, _baseDirectory)
args.Errors.Verify()
AssertEx.Equal({"System", "System.Xml", "System.Linq"}, args.CompilationOptions.GlobalImports.Select(Function(import) import.Clause.ToString()))
args = DefaultParse({"/impORt: System,,,,,", "/IMPORTs:,,,Microsoft.VisualBasic,,System.IO", "a.vb"}, _baseDirectory)
args.Errors.Verify()
AssertEx.Equal({"System", "Microsoft.VisualBasic", "System.IO"}, args.CompilationOptions.GlobalImports.Select(Function(import) import.Clause.ToString()))
args = DefaultParse({"/impORt: System, ,, ,,", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ExpectedIdentifier),
Diagnostic(ERRID.ERR_ExpectedIdentifier))
args = DefaultParse({"/impORt:", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("import", ":<str>"))
args = DefaultParse({"/impORts:", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("imports", ":<import_list>"))
args = DefaultParse({"/imports", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("imports", ":<import_list>"))
args = DefaultParse({"/imports+", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/imports+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub ParseInteractive()
Dim args As VisualBasicCommandLineArguments
args = DefaultParse({}, _baseDirectory)
args.Errors.Verify()
Assert.False(args.InteractiveMode)
args = DefaultParse({"/i"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/i").WithLocation(1, 1),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1)})
Assert.False(args.InteractiveMode)
args = InteractiveParse({}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.InteractiveMode)
args = InteractiveParse({"a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.False(args.InteractiveMode)
args = InteractiveParse({"/i", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.InteractiveMode)
args = InteractiveParse({"/i+", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.InteractiveMode)
args = InteractiveParse({"/i+ /i-", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.False(args.InteractiveMode)
For Each flag In {"i", "i+", "i-"}
args = InteractiveParse({"/" + flag + ":arg"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("i").WithLocation(1, 1))
Next
End Sub
<Fact>
Public Sub ParseInstrumentTestNames()
Dim args As VisualBasicCommandLineArguments
args = DefaultParse({}, _baseDirectory)
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:""""", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:", "Test.Flag.Name", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("instrument", ":<string>").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:InvalidOption", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_InvalidInstrumentationKind).WithArguments("InvalidOption").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:None", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_InvalidInstrumentationKind).WithArguments("None").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({}))
args = DefaultParse({"/instrument:""TestCoverage,InvalidOption""", "a.vb"}, _baseDirectory)
args.Errors.Verify({Diagnostic(ERRID.ERR_InvalidInstrumentationKind).WithArguments("InvalidOption").WithLocation(1, 1)})
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:TestCoverage", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:""TestCoverage""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:""TESTCOVERAGE""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:TestCoverage,TestCoverage", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
args = DefaultParse({"/instrument:TestCoverage", "/instrument:TestCoverage", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.EmitOptions.InstrumentationKinds.SequenceEqual({InstrumentationKind.TestCoverage}))
End Sub
<Fact>
Public Sub ResponseFiles2()
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/r:System
/r:System.Core
/r:System.Data
/r:System.Data.DataSetExtensions
/r:System.Xml
/r:System.Xml.Linq
/imports:System
/imports:System.Collections.Generic
/imports:System.Linq
/imports:System.Text</text>.Value).Path
Dim cmd = New MockVbi(rsp, _baseDirectory, {"b.vbx"})
' TODO (tomat): mscorlib, vbruntime order
'AssertEx.Equal({GetType(Object).Assembly.Location,
' GetType(Microsoft.VisualBasic.Globals).Assembly.Location,
' "System", "System.Core", "System.Data", "System.Data.DataSetExtensions", "System.Xml", "System.Xml.Linq"},
' cmd.Arguments.AssemblyReferences.Select(Function(r)
' Return If(r.Kind = ReferenceKind.AssemblyName,
' (DirectCast(r, AssemblyNameReference)).Name,
' (DirectCast(r, AssemblyFileReference)).Path)
' End Function))
AssertEx.Equal({"System", "System.Collections.Generic", "System.Linq", "System.Text"},
cmd.Arguments.CompilationOptions.GlobalImports.Select(Function(import) import.Clause.ToString()))
End Sub
<Fact, WorkItem(546028, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546028")>
Public Sub Win32ResourceArguments()
Dim args As String() = {"/win32manifest:..\here\there\everywhere\nonexistent"}
Dim parsedArgs = DefaultParse(args, _baseDirectory)
Dim compilation = CreateCompilationWithMscorlib40(New VisualBasicSyntaxTree() {})
Dim errors As IEnumerable(Of DiagnosticInfo) = Nothing
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToReadUacManifest2, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32icon:\bogus"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32Resource:\bogus"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/win32manifest:goo.win32data:bar.win32data2"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToReadUacManifest2, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32icon:goo.win32data:bar.win32data2"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
args = {"/Win32Resource:goo.win32data:bar.win32data2"}
parsedArgs = DefaultParse(args, _baseDirectory)
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_UnableToOpenResourceFile1, Integer), errors.First().Code)
Assert.Equal(2, errors.First().Arguments.Count())
End Sub
<Fact>
Public Sub Win32IconContainsGarbage()
Dim tmpFileName As String = Temp.CreateFile().WriteAllBytes(New Byte() {1, 2, 3, 4, 5, 6, 7, 8, 9, 10}).Path
Dim parsedArgs = DefaultParse({"/win32icon:" + tmpFileName}, _baseDirectory)
Dim compilation = CreateCompilationWithMscorlib40(New VisualBasicSyntaxTree() {})
Dim errors As IEnumerable(Of DiagnosticInfo) = Nothing
CommonCompiler.GetWin32ResourcesInternal(StandardFileSystem.Instance, MessageProvider.Instance, parsedArgs, compilation, errors)
Assert.Equal(1, errors.Count())
Assert.Equal(DirectCast(ERRID.ERR_ErrorCreatingWin32ResourceFile, Integer), errors.First().Code)
Assert.Equal(1, errors.First().Arguments.Count())
CleanupAllGeneratedFiles(tmpFileName)
End Sub
<WorkItem(217718, "https://devdiv.visualstudio.com/DevDiv/_workitems?id=217718")>
<Fact>
Public Sub BadWin32Resource()
Dim source = Temp.CreateFile(prefix:="", extension:=".vb").WriteAllText("
Module Test
Sub Main()
End Sub
End Module").Path
Dim badres = Temp.CreateFile().WriteAllBytes(New Byte() {0, 0}).Path
Dim baseDir = Path.GetDirectoryName(source)
Dim fileName = Path.GetFileName(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = New MockVisualBasicCompiler(Nothing, baseDir,
{
"/nologo",
"/preferreduilang:en",
"/win32resource:" + badres,
source
}).Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC30136: Error creating Win32 resources: Unrecognized resource file format.", outWriter.ToString().Trim())
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(badres)
End Sub
<Fact>
Public Sub Win32ResourceOptions_Valid()
CheckWin32ResourceOptions({"/win32resource:a"}, "a", Nothing, Nothing, False)
CheckWin32ResourceOptions({"/win32icon:b"}, Nothing, "b", Nothing, False)
CheckWin32ResourceOptions({"/win32manifest:c"}, Nothing, Nothing, "c", False)
CheckWin32ResourceOptions({"/nowin32manifest"}, Nothing, Nothing, Nothing, True)
End Sub
<Fact>
Public Sub Win32ResourceOptions_Empty()
CheckWin32ResourceOptions({"/win32resource"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
CheckWin32ResourceOptions({"/win32resource:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
CheckWin32ResourceOptions({"/win32resource: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
CheckWin32ResourceOptions({"/win32icon"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
CheckWin32ResourceOptions({"/win32icon:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
CheckWin32ResourceOptions({"/win32icon: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
CheckWin32ResourceOptions({"/win32manifest"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
CheckWin32ResourceOptions({"/win32manifest:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
CheckWin32ResourceOptions({"/win32manifest: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
CheckWin32ResourceOptions({"/nowin32manifest"}, Nothing, Nothing, Nothing, True)
CheckWin32ResourceOptions({"/nowin32manifest:"}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/nowin32manifest:"))
CheckWin32ResourceOptions({"/nowin32manifest: "}, Nothing, Nothing, Nothing, False,
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/nowin32manifest:"))
End Sub
<Fact>
Public Sub Win32ResourceOptions_Combinations()
' last occurrence wins
CheckWin32ResourceOptions({"/win32resource:r", "/win32resource:s"}, "s", Nothing, Nothing, False)
' illegal
CheckWin32ResourceOptions({"/win32resource:r", "/win32icon:i"}, "r", "i", Nothing, False,
Diagnostic(ERRID.ERR_IconFileAndWin32ResFile))
' documented as illegal, but works in dev10
CheckWin32ResourceOptions({"/win32resource:r", "/win32manifest:m"}, "r", Nothing, "m", False,
Diagnostic(ERRID.ERR_CantHaveWin32ResAndManifest))
' fine
CheckWin32ResourceOptions({"/win32resource:r", "/nowin32manifest"}, "r", Nothing, Nothing, True)
' illegal
CheckWin32ResourceOptions({"/win32icon:i", "/win32resource:r"}, "r", "i", Nothing, False,
Diagnostic(ERRID.ERR_IconFileAndWin32ResFile))
' last occurrence wins
CheckWin32ResourceOptions({"/win32icon:i", "/win32icon:j"}, Nothing, "j", Nothing, False)
' fine
CheckWin32ResourceOptions({"/win32icon:i", "/win32manifest:m"}, Nothing, "i", "m", False)
' fine
CheckWin32ResourceOptions({"/win32icon:i", "/nowin32manifest"}, Nothing, "i", Nothing, True)
' documented as illegal, but works in dev10
CheckWin32ResourceOptions({"/win32manifest:m", "/win32resource:r"}, "r", Nothing, "m", False,
Diagnostic(ERRID.ERR_CantHaveWin32ResAndManifest))
' fine
CheckWin32ResourceOptions({"/win32manifest:m", "/win32icon:i"}, Nothing, "i", "m", False)
' last occurrence wins
CheckWin32ResourceOptions({"/win32manifest:m", "/win32manifest:n"}, Nothing, Nothing, "n", False)
' illegal
CheckWin32ResourceOptions({"/win32manifest:m", "/nowin32manifest"}, Nothing, Nothing, "m", True,
Diagnostic(ERRID.ERR_ConflictingManifestSwitches))
' fine
CheckWin32ResourceOptions({"/nowin32manifest", "/win32resource:r"}, "r", Nothing, Nothing, True)
' fine
CheckWin32ResourceOptions({"/nowin32manifest", "/win32icon:i"}, Nothing, "i", Nothing, True)
' illegal
CheckWin32ResourceOptions({"/nowin32manifest", "/win32manifest:m"}, Nothing, Nothing, "m", True,
Diagnostic(ERRID.ERR_ConflictingManifestSwitches))
' fine
CheckWin32ResourceOptions({"/nowin32manifest", "/nowin32manifest"}, Nothing, Nothing, Nothing, True)
End Sub
<Fact>
Public Sub Win32ResourceOptions_SimplyInvalid()
Dim parsedArgs = DefaultParse({"/win32resource", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32resource", ":<file>"))
parsedArgs = DefaultParse({"/win32resource+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32resource+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32resource-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32resource-")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32icon", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32icon", ":<file>"))
parsedArgs = DefaultParse({"/win32icon+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32icon+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32icon-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32icon-")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32manifest", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("win32manifest", ":<file>"))
parsedArgs = DefaultParse({"/win32manifest+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32manifest+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/win32manifest-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/win32manifest-")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
Private Sub CheckWin32ResourceOptions(args As String(), expectedResourceFile As String, expectedIcon As String, expectedManifest As String, expectedNoManifest As Boolean, ParamArray diags As DiagnosticDescription())
Dim parsedArgs = DefaultParse(args.Concat({"Test.vb"}), _baseDirectory)
parsedArgs.Errors.Verify(diags)
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(expectedResourceFile, parsedArgs.Win32ResourceFile)
Assert.Equal(expectedIcon, parsedArgs.Win32Icon)
Assert.Equal(expectedManifest, parsedArgs.Win32Manifest)
Assert.Equal(expectedNoManifest, parsedArgs.NoWin32Manifest)
End Sub
<Fact>
Public Sub ParseResourceDescription()
Dim diags = New List(Of Diagnostic)()
Dim desc As ResourceDescription
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,someName", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someName", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,someName,public", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someName", desc.ResourceName)
Assert.True(desc.IsPublic)
' use file name in place of missing resource name
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' quoted accessibility is fine
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,""private""", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' leading commas are ignored...
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", ",,\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' ...as long as there's no whitespace between them
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", ", ,\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
' trailing commas are ignored...
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
' ...even if there's whitespace between them
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,,private, ,", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("someFile.goo.bar", desc.FileName)
Assert.Equal("someFile.goo.bar", desc.ResourceName)
Assert.False(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "\somepath\someFile.goo.bar,someName,publi", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", "publi"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "D:rive\relative\path,someName,public", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("D:rive\relative\path"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "inva\l*d?path,someName,public", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("inva\l*d?path"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", Nothing, _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " , ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path, ", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("path", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ,name", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " , , ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path, , ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ,name, ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " , ,private", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path,name,", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("name", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path,name,,", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("name", desc.ResourceName)
Assert.True(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path,name, ", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", "path, ,private", _baseDirectory, diags, embedded:=False)
diags.Verify()
diags.Clear()
Assert.Equal("path", desc.FileName)
Assert.Equal("path", desc.ResourceName)
Assert.False(desc.IsPublic)
desc = VisualBasicCommandLineParser.ParseResourceDescription("resource", " ,name,private", _baseDirectory, diags, embedded:=False)
diags.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("resource", " "))
diags.Clear()
Assert.Null(desc)
Dim longI = New String("i"c, 260)
desc = VisualBasicCommandLineParser.ParseResourceDescription("", String.Format("{0},e,private", longI), _baseDirectory, diags, embedded:=False)
' // error BC2032: File name 'iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiii' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long
diags.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("iiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiiii").WithLocation(1, 1))
End Sub
<Fact>
Public Sub ManagedResourceOptions()
Dim parsedArgs As VisualBasicCommandLineArguments
Dim resourceDescription As ResourceDescription
parsedArgs = DefaultParse({"/resource:a", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Null(resourceDescription.FileName) ' since embedded
Assert.Equal("a", resourceDescription.ResourceName)
parsedArgs = DefaultParse({"/res:b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Null(resourceDescription.FileName) ' since embedded
Assert.Equal("b", resourceDescription.ResourceName)
parsedArgs = DefaultParse({"/linkresource:c", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Equal("c", resourceDescription.FileName)
Assert.Equal("c", resourceDescription.ResourceName)
parsedArgs = DefaultParse({"/linkres:d", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.DisplayHelp)
resourceDescription = parsedArgs.ManifestResources.Single()
Assert.Equal("d", resourceDescription.FileName)
Assert.Equal("d", resourceDescription.ResourceName)
End Sub
<Fact>
Public Sub ManagedResourceOptions_SimpleErrors()
Dim parsedArgs = DefaultParse({"/resource:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
parsedArgs = DefaultParse({"/resource: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
parsedArgs = DefaultParse({"/resource", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("resource", ":<resinfo>"))
parsedArgs = DefaultParse({"/RES+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/RES+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/res-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/res-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/linkresource:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("linkresource", ":<resinfo>"))
parsedArgs = DefaultParse({"/linkresource: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("linkresource", ":<resinfo>"))
parsedArgs = DefaultParse({"/linkresource", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("linkresource", ":<resinfo>"))
parsedArgs = DefaultParse({"/linkRES+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/linkRES+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/linkres-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/linkres-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub ModuleManifest()
Dim parsedArgs = DefaultParse({"/win32manifest:blah", "/target:module", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_IgnoreModuleManifest))
' Illegal, but not clobbered.
Assert.Equal("blah", parsedArgs.Win32Manifest)
End Sub
<Fact>
Public Sub ArgumentParsing()
Dim parsedArgs = InteractiveParse({"a + b"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"a + b; c"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/help"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(True, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/version"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.True(parsedArgs.DisplayVersion)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/version", "c"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.True(parsedArgs.DisplayVersion)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/version:something"}, _baseDirectory)
Assert.Equal(True, parsedArgs.Errors.Any())
Assert.False(parsedArgs.DisplayVersion)
parsedArgs = InteractiveParse({"/?"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(True, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"@dd"}, _baseDirectory)
Assert.Equal(True, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"c /define:DEBUG"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"\\"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"""/r d.dll"""}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(True, parsedArgs.SourceFiles.Any())
parsedArgs = InteractiveParse({"/r: d.dll"}, _baseDirectory)
Assert.Equal(False, parsedArgs.Errors.Any())
Assert.Equal(False, parsedArgs.DisplayHelp)
Assert.Equal(False, parsedArgs.SourceFiles.Any())
End Sub
<Fact>
Public Sub LangVersion()
Dim parsedArgs = DefaultParse({"/langversion:9", "a.VB"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic9, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:9.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic9, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:10", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic10, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:10.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic10, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:11", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic11, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:11.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic11, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:12", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic12, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:12.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic12, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:14", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic14, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:14.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic14, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15.3", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15_3, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:15.5", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic15_5, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:16", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic16, parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:16.9", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic16_9, parsedArgs.ParseOptions.LanguageVersion)
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
parsedArgs = DefaultParse({"/langVERSION:default", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.Default, parsedArgs.ParseOptions.SpecifiedLanguageVersion)
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:latest", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.Latest, parsedArgs.ParseOptions.SpecifiedLanguageVersion)
Assert.Equal(LanguageVersion.Latest.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
' default: "current version"
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
' overriding
parsedArgs = DefaultParse({"/langVERSION:10", "/langVERSION:9.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(LanguageVersion.VisualBasic9, parsedArgs.ParseOptions.LanguageVersion)
' errors
parsedArgs = DefaultParse({"/langVERSION", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("langversion", ":<number>"))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/langVERSION+")) ' TODO: Dev11 reports ERR_ArgumentRequired
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("langversion", ":<number>"))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:8", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("langversion", "8"))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
parsedArgs = DefaultParse({"/langVERSION:" & (LanguageVersion.VisualBasic12 + 1), "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("langversion", CStr(LanguageVersion.VisualBasic12 + 1)))
Assert.Equal(LanguageVersion.Default.MapSpecifiedToEffectiveVersion(), parsedArgs.ParseOptions.LanguageVersion)
End Sub
<Fact>
Public Sub DelaySign()
Dim parsedArgs = DefaultParse({"/delaysign", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.NotNull(parsedArgs.CompilationOptions.DelaySign)
Assert.Equal(True, parsedArgs.CompilationOptions.DelaySign)
parsedArgs = DefaultParse({"/delaysign+", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.NotNull(parsedArgs.CompilationOptions.DelaySign)
Assert.Equal(True, parsedArgs.CompilationOptions.DelaySign)
parsedArgs = DefaultParse({"/DELAYsign-", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.NotNull(parsedArgs.CompilationOptions.DelaySign)
Assert.Equal(False, parsedArgs.CompilationOptions.DelaySign)
parsedArgs = DefaultParse({"/delaysign:-", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("delaysign"))
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationOptions.DelaySign)
End Sub
<WorkItem(546113, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546113")>
<Fact>
Public Sub OutputVerbose()
Dim parsedArgs = DefaultParse({"/verbose", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Verbose, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Verbose, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/VERBOSE:-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/VERBOSE:-"))
parsedArgs = DefaultParse({"/verbose-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("verbose"))
parsedArgs = DefaultParse({"/verbose+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("verbose"))
parsedArgs = DefaultParse({"/verbOSE:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/verbOSE:"))
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet", "/verbose", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Verbose, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet", "/verbose-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
End Sub
<WorkItem(546113, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546113")>
<Fact>
Public Sub OutputQuiet()
Dim parsedArgs = DefaultParse({"/quiet", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Quiet, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Quiet, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/quiet-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/QUIET:-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/QUIET:-"))
parsedArgs = DefaultParse({"/quiet-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("quiet"))
parsedArgs = DefaultParse({"/quiet+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("quiet"))
parsedArgs = DefaultParse({"/quiET:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/quiET:"))
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose", "/quiet", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Quiet, parsedArgs.OutputLevel)
parsedArgs = DefaultParse({"/verbose", "/quiet-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputLevel.Normal, parsedArgs.OutputLevel)
End Sub
<Fact>
Public Sub Optimize()
Dim parsedArgs = DefaultParse({"/optimize", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Release, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Debug, parsedArgs.CompilationOptions.OptimizationLevel) ' default
parsedArgs = DefaultParse({"/OPTIMIZE+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Release, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"/optimize-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Debug, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"/optimize-", "/optimize+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OptimizationLevel.Release, parsedArgs.CompilationOptions.OptimizationLevel)
parsedArgs = DefaultParse({"/OPTIMIZE:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optimize"))
parsedArgs = DefaultParse({"/OPTIMIZE+:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optimize"))
parsedArgs = DefaultParse({"/optimize-:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optimize"))
End Sub
<WorkItem(5417, "DevDiv")>
<Fact>
Public Sub Deterministic()
Dim ParsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(False, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/deterministic+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(True, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/deterministic", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(True, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/DETERMINISTIC+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(True, ParsedArgs.CompilationOptions.Deterministic)
ParsedArgs = DefaultParse({"/deterministic-", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.Equal(False, ParsedArgs.CompilationOptions.Deterministic)
End Sub
<WorkItem(546301, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546301")>
<Fact>
Public Sub Parallel()
Dim parsedArgs = DefaultParse({"/parallel", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/p", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild) ' default
parsedArgs = DefaultParse({"/PARALLEL+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/PARALLEL-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/PArallel-", "/PArallel+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/parallel:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("parallel"))
parsedArgs = DefaultParse({"/parallel+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("parallel"))
parsedArgs = DefaultParse({"/parallel-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("parallel"))
parsedArgs = DefaultParse({"/P+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/P-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/P-", "/P+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.ConcurrentBuild)
parsedArgs = DefaultParse({"/p:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("p"))
parsedArgs = DefaultParse({"/p+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("p"))
parsedArgs = DefaultParse({"/p-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("p"))
End Sub
<Fact>
Public Sub SubsystemVersionTests()
Dim parsedArgs = DefaultParse({"/subsystemversion:4.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SubsystemVersion.Create(4, 0), parsedArgs.EmitOptions.SubsystemVersion)
' wrongly supported subsystem version. CompilationOptions data will be faithful to the user input.
' It is normalized at the time of emit.
parsedArgs = DefaultParse({"/subsystemversion:0.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify() ' no error in Dev11
Assert.Equal(SubsystemVersion.Create(0, 0), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify() ' no error in Dev11
Assert.Equal(SubsystemVersion.Create(0, 0), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:3.99", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify() ' no warning in Dev11
Assert.Equal(SubsystemVersion.Create(3, 99), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:4.0", "/subsystemversion:5.333", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SubsystemVersion.Create(5, 333), parsedArgs.EmitOptions.SubsystemVersion)
parsedArgs = DefaultParse({"/subsystemversion:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("subsystemversion", ":<version>"))
parsedArgs = DefaultParse({"/subsystemversion", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("subsystemversion", ":<version>"))
parsedArgs = DefaultParse({"/subsystemversion-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/subsystemversion-")) ' TODO: Dev11 reports ERRID.ERR_ArgumentRequired
parsedArgs = DefaultParse({"/subsystemversion: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("subsystemversion", ":<version>"))
parsedArgs = DefaultParse({"/subsystemversion: 4.1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments(" 4.1"))
parsedArgs = DefaultParse({"/subsystemversion:4 .0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4 .0"))
parsedArgs = DefaultParse({"/subsystemversion:4. 0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4. 0"))
parsedArgs = DefaultParse({"/subsystemversion:.", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("."))
parsedArgs = DefaultParse({"/subsystemversion:4.", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4."))
parsedArgs = DefaultParse({"/subsystemversion:.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments(".0"))
parsedArgs = DefaultParse({"/subsystemversion:4.2 ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/subsystemversion:4.65536", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("4.65536"))
parsedArgs = DefaultParse({"/subsystemversion:65536.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("65536.0"))
parsedArgs = DefaultParse({"/subsystemversion:-4.0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSubsystemVersion).WithArguments("-4.0"))
' TODO: incompatibilities: versions lower than '6.2' and 'arm', 'winmdobj', 'appcontainer'
End Sub
<Fact>
Public Sub Codepage()
Dim parsedArgs = DefaultParse({"/CodePage:1200", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("Unicode", parsedArgs.Encoding.EncodingName)
parsedArgs = DefaultParse({"/CodePage:1200", "/CodePage:65001", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("Unicode (UTF-8)", parsedArgs.Encoding.EncodingName)
' errors
parsedArgs = DefaultParse({"/codepage:0", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadCodepage).WithArguments("0"))
parsedArgs = DefaultParse({"/codepage:abc", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadCodepage).WithArguments("abc"))
parsedArgs = DefaultParse({"/codepage:-5", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadCodepage).WithArguments("-5"))
parsedArgs = DefaultParse({"/codepage: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("codepage", ":<number>"))
parsedArgs = DefaultParse({"/codepage:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("codepage", ":<number>"))
parsedArgs = DefaultParse({"/codepage+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/codepage+")) ' Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/codepage", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("codepage", ":<number>"))
End Sub
<Fact, WorkItem(24735, "https://github.com/dotnet/roslyn/issues/24735")>
Public Sub ChecksumAlgorithm()
Dim parsedArgs As VisualBasicCommandLineArguments
parsedArgs = DefaultParse({"/checksumAlgorithm:sHa1", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SourceHashAlgorithm.Sha1, parsedArgs.ChecksumAlgorithm)
Assert.Equal(HashAlgorithmName.SHA256, parsedArgs.EmitOptions.PdbChecksumAlgorithm)
parsedArgs = DefaultParse({"/checksumAlgorithm:sha256", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SourceHashAlgorithm.Sha256, parsedArgs.ChecksumAlgorithm)
Assert.Equal(HashAlgorithmName.SHA256, parsedArgs.EmitOptions.PdbChecksumAlgorithm)
parsedArgs = DefaultParse({"a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(SourceHashAlgorithm.Sha256, parsedArgs.ChecksumAlgorithm)
Assert.Equal(HashAlgorithmName.SHA256, parsedArgs.EmitOptions.PdbChecksumAlgorithm)
' error
parsedArgs = DefaultParse({"/checksumAlgorithm:256", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadChecksumAlgorithm).WithArguments("256"))
parsedArgs = DefaultParse({"/checksumAlgorithm:sha-1", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadChecksumAlgorithm).WithArguments("sha-1"))
parsedArgs = DefaultParse({"/checksumAlgorithm:sha", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadChecksumAlgorithm).WithArguments("sha"))
parsedArgs = DefaultParse({"/checksumAlgorithm: ", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("checksumalgorithm", ":<algorithm>"))
parsedArgs = DefaultParse({"/checksumAlgorithm:", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("checksumalgorithm", ":<algorithm>"))
parsedArgs = DefaultParse({"/checksumAlgorithm", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("checksumalgorithm", ":<algorithm>"))
parsedArgs = DefaultParse({"/checksumAlgorithm+", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/checksumAlgorithm+"))
End Sub
<Fact>
Public Sub MainTypeName()
Dim parsedArgs = DefaultParse({"/main:A.B.C", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("A.B.C", parsedArgs.CompilationOptions.MainTypeName)
' overriding the value
parsedArgs = DefaultParse({"/Main:A.B.C", "/M:X.Y.Z", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("X.Y.Z", parsedArgs.CompilationOptions.MainTypeName)
parsedArgs = DefaultParse({"/MAIN: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("main", ":<class>"))
Assert.Null(parsedArgs.CompilationOptions.MainTypeName) ' EDMAURER Dev11 accepts and MainTypeName is " "
' errors
parsedArgs = DefaultParse({"/maiN:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("main", ":<class>"))
parsedArgs = DefaultParse({"/m", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("m", ":<class>"))
parsedArgs = DefaultParse({"/m+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/m+")) ' Dev11 reports ERR_ArgumentRequired
' incompatibilities ignored by Dev11
parsedArgs = DefaultParse({"/MAIN:XYZ", "/t:library", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("XYZ", parsedArgs.CompilationOptions.MainTypeName)
Assert.Equal(OutputKind.DynamicallyLinkedLibrary, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/MAIN:XYZ", "/t:module", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
End Sub
<Fact>
Public Sub OptionCompare()
Dim parsedArgs = InteractiveParse({"/optioncompare"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optioncompare", ":binary|text"))
Assert.Equal(False, parsedArgs.CompilationOptions.OptionCompareText)
parsedArgs = InteractiveParse({"/optioncompare:text", "/optioncompare"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optioncompare", ":binary|text"))
Assert.Equal(True, parsedArgs.CompilationOptions.OptionCompareText)
parsedArgs = InteractiveParse({"/opTioncompare:Text", "/optioncomparE:bINARY"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(False, parsedArgs.CompilationOptions.OptionCompareText)
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(False, parsedArgs.CompilationOptions.OptionCompareText)
End Sub
<Fact>
Public Sub OptionExplicit()
Dim parsedArgs = InteractiveParse({"/optiONexplicit"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
parsedArgs = InteractiveParse({"/optiONexplicit:+"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optionexplicit"))
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
parsedArgs = InteractiveParse({"/optiONexplicit-:"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optionexplicit"))
parsedArgs = InteractiveParse({"/optionexplicit+", "/optiONexplicit-:"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Length)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optionexplicit"))
parsedArgs = InteractiveParse({"/optionexplicit+", "/optiONexplicit-", "/optiONexpliCIT+"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionExplicit)
End Sub
<Fact>
Public Sub OptionInfer()
Dim parsedArgs = InteractiveParse({"/optiONinfer"}, _baseDirectory)
Assert.Equal(0, parsedArgs.Errors.Length)
Assert.Equal(True, parsedArgs.CompilationOptions.OptionInfer)
parsedArgs = InteractiveParse({"/OptionInfer:+"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optioninfer"))
parsedArgs = InteractiveParse({"/OPTIONinfer-:"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optioninfer"))
parsedArgs = InteractiveParse({"/optioninfer+", "/optioninFER-:"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("optioninfer"))
parsedArgs = InteractiveParse({"/optioninfer+", "/optioninfeR-", "/OptionInfer+"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.CompilationOptions.OptionInfer)
parsedArgs = InteractiveParse({"/d:a=1"}, _baseDirectory) ' test default value
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.CompilationOptions.OptionInfer)
End Sub
Private ReadOnly s_VBC_VER As Double = PredefinedPreprocessorSymbols.CurrentVersionNumber
<Fact>
Public Sub LanguageVersionAdded_Canary()
' When a new version is added, this test will break. This list must be checked:
' - update the "UpgradeProject" codefixer (not yet supported in VB)
' - update all the tests that call this canary
' - update the command-line documentation (CommandLine.md)
AssertEx.SetEqual({"default", "9", "10", "11", "12", "14", "15", "15.3", "15.5", "16", "16.9", "latest"},
System.Enum.GetValues(GetType(LanguageVersion)).Cast(Of LanguageVersion)().Select(Function(v) v.ToDisplayString()))
' For minor versions, the format should be "x.y", such as "15.3"
End Sub
<Fact>
Public Sub LanguageVersion_GetErrorCode()
Dim versions = System.Enum.GetValues(GetType(LanguageVersion)).
Cast(Of LanguageVersion)().
Except({LanguageVersion.Default, LanguageVersion.Latest}).
Select(Function(v) v.GetErrorName())
Dim errorCodes = {
"9.0",
"10.0",
"11.0",
"12.0",
"14.0",
"15.0",
"15.3",
"15.5",
"16",
"16.9"
}
AssertEx.SetEqual(versions, errorCodes)
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
End Sub
<Fact>
Public Sub LanguageVersion_MapSpecifiedToEffectiveVersion()
Assert.Equal(LanguageVersion.VisualBasic9, LanguageVersion.VisualBasic9.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic10, LanguageVersion.VisualBasic10.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic11, LanguageVersion.VisualBasic11.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic12, LanguageVersion.VisualBasic12.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic14, LanguageVersion.VisualBasic14.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic15, LanguageVersion.VisualBasic15.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic15_3, LanguageVersion.VisualBasic15_3.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic15_5, LanguageVersion.VisualBasic15_5.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic16, LanguageVersion.VisualBasic16.MapSpecifiedToEffectiveVersion())
Assert.Equal(LanguageVersion.VisualBasic16_9, LanguageVersion.VisualBasic16_9.MapSpecifiedToEffectiveVersion())
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
End Sub
<Theory,
InlineData("9", True, LanguageVersion.VisualBasic9),
InlineData("9.0", True, LanguageVersion.VisualBasic9),
InlineData("10", True, LanguageVersion.VisualBasic10),
InlineData("10.0", True, LanguageVersion.VisualBasic10),
InlineData("11", True, LanguageVersion.VisualBasic11),
InlineData("11.0", True, LanguageVersion.VisualBasic11),
InlineData("12", True, LanguageVersion.VisualBasic12),
InlineData("12.0", True, LanguageVersion.VisualBasic12),
InlineData("14", True, LanguageVersion.VisualBasic14),
InlineData("14.0", True, LanguageVersion.VisualBasic14),
InlineData("15", True, LanguageVersion.VisualBasic15),
InlineData("15.0", True, LanguageVersion.VisualBasic15),
InlineData("15.3", True, LanguageVersion.VisualBasic15_3),
InlineData("15.5", True, LanguageVersion.VisualBasic15_5),
InlineData("16", True, LanguageVersion.VisualBasic16),
InlineData("16.0", True, LanguageVersion.VisualBasic16),
InlineData("16.9", True, LanguageVersion.VisualBasic16_9),
InlineData("DEFAULT", True, LanguageVersion.Default),
InlineData("default", True, LanguageVersion.Default),
InlineData("LATEST", True, LanguageVersion.Latest),
InlineData("latest", True, LanguageVersion.Latest),
InlineData(Nothing, False, LanguageVersion.Default),
InlineData("bad", False, LanguageVersion.Default)>
Public Sub LanguageVersion_TryParseDisplayString(input As String, success As Boolean, expected As LanguageVersion)
Dim version As LanguageVersion
Assert.Equal(success, TryParse(input, version))
Assert.Equal(expected, version)
' The canary check is a reminder that this test needs to be updated when a language version is added
LanguageVersionAdded_Canary()
End Sub
<Fact>
Public Sub LanguageVersion_ListLangVersions()
Dim dir = Temp.CreateDirectory()
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, dir.ToString(), {"/langversion:?"}).Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim actual = outWriter.ToString()
Dim expected = [Enum].GetValues(GetType(LanguageVersion)).Cast(Of LanguageVersion)().Select(Function(v) v.ToDisplayString())
Dim acceptableSurroundingChar = {CChar(vbCr), CChar(vbLf), "("c, ")"c, " "c}
For Each v In expected
Dim foundIndex = actual.IndexOf(v)
Assert.True(foundIndex > 0, $"Missing version '{v}'")
Assert.True(Array.IndexOf(acceptableSurroundingChar, actual(foundIndex - 1)) >= 0)
Assert.True(Array.IndexOf(acceptableSurroundingChar, actual(foundIndex + v.Length)) >= 0)
Next
End Sub
<Fact>
Public Sub TestDefine()
TestDefines({"/D:a=True,b=1", "a.vb"},
{"a", True},
{"b", 1},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/D:a=True,b=1", "/define:a=""123"",b=False", "a.vb"},
{"a", "123"},
{"b", False},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/D:a=""\\\\a"",b=""\\\\\b""", "a.vb"},
{"a", "\\\\a"},
{"b", "\\\\\b"},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/define:DEBUG", "a.vb"},
{"DEBUG", True},
{"TARGET", "exe"},
{"VBC_VER", s_VBC_VER})
TestDefines({"/D:TARGET=True,VBC_VER=1", "a.vb"},
{"TARGET", True},
{"VBC_VER", 1})
End Sub
Private Sub TestDefines(args As IEnumerable(Of String), ParamArray symbols As Object()())
Dim parsedArgs = DefaultParse(args, _baseDirectory)
Assert.False(parsedArgs.Errors.Any)
Assert.Equal(symbols.Length, parsedArgs.ParseOptions.PreprocessorSymbols.Length)
Dim sortedDefines = parsedArgs.ParseOptions.
PreprocessorSymbols.Select(
Function(d) New With {d.Key, d.Value}).OrderBy(Function(o) o.Key)
For i = 0 To symbols.Length - 1
Assert.Equal(symbols(i)(0), sortedDefines(i).Key)
Assert.Equal(symbols(i)(1), sortedDefines(i).Value)
Next
End Sub
<Fact>
Public Sub OptionStrict()
Dim parsedArgs = DefaultParse({"/optionStrict", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.On, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionStrict+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.On, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionStrict-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Off, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/OptionStrict:cusTom", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Custom, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/OptionStrict:cusTom", "/optionstrict-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Off, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionstrict-", "/OptionStrict:cusTom", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(VisualBasic.OptionStrict.Custom, parsedArgs.CompilationOptions.OptionStrict)
parsedArgs = DefaultParse({"/optionstrict:", "/OptionStrict:cusTom", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optionstrict", ":custom"))
parsedArgs = DefaultParse({"/optionstrict:xxx", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("optionstrict", ":custom"))
End Sub
<WorkItem(546319, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546319")>
<WorkItem(546318, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546318")>
<WorkItem(685392, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/685392")>
<Fact>
Public Sub RootNamespace()
Dim parsedArgs = DefaultParse({"/rootnamespace:One.Two.Three", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("One.Two.Three", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:One Two Three", "/rootnamespace:One.Two.Three", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("One.Two.Three", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:""One.Two.Three""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("One.Two.Three", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("rootnamespace", ":<string>"))
parsedArgs = DefaultParse({"/rootnamespace:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("rootnamespace", ":<string>"))
parsedArgs = DefaultParse({"/rootnamespace+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/rootnamespace+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/rootnamespace-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/rootnamespace-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/rootnamespace:+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("+"))
parsedArgs = DefaultParse({"/rootnamespace: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("rootnamespace", ":<string>"))
parsedArgs = DefaultParse({"/rootnamespace: A.B.C", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments(" A.B.C"))
parsedArgs = DefaultParse({"/rootnamespace:[abcdef", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[abcdef"))
parsedArgs = DefaultParse({"/rootnamespace:abcdef]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("abcdef]"))
parsedArgs = DefaultParse({"/rootnamespace:[[abcdef]]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[[abcdef]]"))
parsedArgs = DefaultParse({"/rootnamespace:[global]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("[global]", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:goo.[global].bar", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("goo.[global].bar", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:goo.[bar]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("goo.[bar]", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:goo$", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("goo$"))
parsedArgs = DefaultParse({"/rootnamespace:I(", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("I("))
parsedArgs = DefaultParse({"/rootnamespace:_", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("_"))
parsedArgs = DefaultParse({"/rootnamespace:[_]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[_]"))
parsedArgs = DefaultParse({"/rootnamespace:__.___", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("__.___", parsedArgs.CompilationOptions.RootNamespace)
parsedArgs = DefaultParse({"/rootnamespace:[", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("["))
parsedArgs = DefaultParse({"/rootnamespace:]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("]"))
parsedArgs = DefaultParse({"/rootnamespace:[]", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_BadNamespaceName1).WithArguments("[]"))
End Sub
<Fact>
Public Sub Link_SimpleTests()
Dim parsedArgs = DefaultParse({"/link:a", "/link:b,,,,c", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({"a", "b", "c"},
parsedArgs.MetadataReferences.
Where(Function(res) res.Properties.EmbedInteropTypes).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/Link: ,,, b ,,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({" ", " b "},
parsedArgs.MetadataReferences.
Where(Function(res) res.Properties.EmbedInteropTypes).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/l:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("l", ":<file_list>"))
parsedArgs = DefaultParse({"/L", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("l", ":<file_list>"))
parsedArgs = DefaultParse({"/l+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/l+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/link-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/link-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub Recurse_SimpleTests()
Dim dir = Temp.CreateDirectory()
Dim file1 = dir.CreateFile("a.vb")
Dim file2 = dir.CreateFile("b.vb")
Dim file3 = dir.CreateFile("c.txt")
Dim file4 = dir.CreateDirectory("d1").CreateFile("d.txt")
Dim file5 = dir.CreateDirectory("d2").CreateFile("e.vb")
file1.WriteAllText("")
file2.WriteAllText("")
file3.WriteAllText("")
file4.WriteAllText("")
file5.WriteAllText("")
Dim parsedArgs = DefaultParse({"/recurse:" & dir.ToString() & "\*.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({"{DIR}\a.vb", "{DIR}\b.vb", "{DIR}\d2\e.vb"}, parsedArgs.SourceFiles.Select(Function(file) file.Path.Replace(dir.ToString(), "{DIR}")))
parsedArgs = DefaultParse({"*.vb"}, dir.ToString())
parsedArgs.Errors.Verify()
AssertEx.Equal({"{DIR}\a.vb", "{DIR}\b.vb"}, parsedArgs.SourceFiles.Select(Function(file) file.Path.Replace(dir.ToString(), "{DIR}")))
parsedArgs = DefaultParse({"/reCURSE:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("recurse", ":<wildcard>"))
parsedArgs = DefaultParse({"/RECURSE: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("recurse", ":<wildcard>"))
parsedArgs = DefaultParse({"/recurse", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("recurse", ":<wildcard>"))
parsedArgs = DefaultParse({"/recurse+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/recurse+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/recurse-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/recurse-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
CleanupAllGeneratedFiles(file1.Path)
CleanupAllGeneratedFiles(file2.Path)
CleanupAllGeneratedFiles(file3.Path)
CleanupAllGeneratedFiles(file4.Path)
CleanupAllGeneratedFiles(file5.Path)
End Sub
<WorkItem(545991, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545991")>
<WorkItem(546009, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546009")>
<Fact>
Public Sub Recurse_SimpleTests2()
Dim folder = Temp.CreateDirectory()
Dim file1 = folder.CreateFile("a.cs")
Dim file2 = folder.CreateFile("b.vb")
Dim file3 = folder.CreateFile("c.cpp")
Dim file4 = folder.CreateDirectory("A").CreateFile("A_d.txt")
Dim file5 = folder.CreateDirectory("B").CreateFile("B_e.vb")
Dim file6 = folder.CreateDirectory("C").CreateFile("B_f.cs")
file1.WriteAllText("")
file2.WriteAllText("")
file3.WriteAllText("")
file4.WriteAllText("")
file5.WriteAllText("")
file6.WriteAllText("")
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse:.", "b.vb", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value '.' is invalid for option 'recurse'", outWriter.ToString().Trim())
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse:. ", "b.vb", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value '.' is invalid for option 'recurse'", outWriter.ToString().Trim())
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse: . ", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value ' .' is invalid for option 'recurse'|vbc : error BC2008: no input sources specified", outWriter.ToString().Trim().Replace(vbCrLf, "|"))
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/recurse:./.", "/out:abc.dll"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2014: the value './.' is invalid for option 'recurse'|vbc : error BC2008: no input sources specified", outWriter.ToString().Trim().Replace(vbCrLf, "|"))
Dim args As VisualBasicCommandLineArguments
Dim resolvedSourceFiles As String()
args = DefaultParse({"/recurse:*.cp*", "/recurse:b\*.v*", "/out:a.dll"}, folder.Path)
args.Errors.Verify()
resolvedSourceFiles = args.SourceFiles.Select(Function(f) f.Path).ToArray()
AssertEx.Equal({folder.Path + "\c.cpp", folder.Path + "\b\B_e.vb"}, resolvedSourceFiles)
args = DefaultParse({"/recurse:.\\\\\\*.vb", "/out:a.dll"}, folder.Path)
args.Errors.Verify()
resolvedSourceFiles = args.SourceFiles.Select(Function(f) f.Path).ToArray()
Assert.Equal(2, resolvedSourceFiles.Length)
args = DefaultParse({"/recurse:.////*.vb", "/out:a.dll"}, folder.Path)
args.Errors.Verify()
resolvedSourceFiles = args.SourceFiles.Select(Function(f) f.Path).ToArray()
Assert.Equal(2, resolvedSourceFiles.Length)
CleanupAllGeneratedFiles(file1.Path)
CleanupAllGeneratedFiles(file2.Path)
CleanupAllGeneratedFiles(file3.Path)
CleanupAllGeneratedFiles(file4.Path)
CleanupAllGeneratedFiles(file5.Path)
CleanupAllGeneratedFiles(file6.Path)
End Sub
<WorkItem(948285, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/948285")>
<Fact>
Public Sub Recurse_SimpleTests3()
Dim folder = Temp.CreateDirectory()
Dim outWriter = New StringWriter()
Dim exitCode = New MockVisualBasicCompiler(Nothing, folder.Path, {"/nologo", "/preferreduilang:en", "/t:exe", "/out:abc.exe"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2008: no input sources specified", outWriter.ToString().Trim().Replace(vbCrLf, "|"))
End Sub
<Fact>
Public Sub Reference_SimpleTests()
Dim parsedArgs = DefaultParse({"/nostdlib", "/vbruntime-", "/r:a", "/REFERENCE:b,,,,c", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({"a", "b", "c"},
parsedArgs.MetadataReferences.
Where(Function(res) Not res.Properties.EmbedInteropTypes AndAlso Not res.Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal)).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/Reference: ,,, b ,,", "/nostdlib", "/vbruntime-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal({" ", " b "},
parsedArgs.MetadataReferences.
Where(Function(res) Not res.Properties.EmbedInteropTypes AndAlso Not res.Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal)).
Select(Function(res) res.Reference))
parsedArgs = DefaultParse({"/r:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("r", ":<file_list>"))
parsedArgs = DefaultParse({"/R", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("r", ":<file_list>"))
parsedArgs = DefaultParse({"/reference+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/reference+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/reference-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/reference-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
Private Class SimpleMetadataResolver
Inherits MetadataReferenceResolver
Private ReadOnly _pathResolver As RelativePathResolver
Public Sub New(baseDirectory As String)
_pathResolver = New RelativePathResolver(ImmutableArray(Of String).Empty, baseDirectory)
End Sub
Public Overrides Function ResolveReference(reference As String, baseFilePath As String, properties As MetadataReferenceProperties) As ImmutableArray(Of PortableExecutableReference)
Dim resolvedPath = _pathResolver.ResolvePath(reference, baseFilePath)
If resolvedPath Is Nothing OrElse Not File.Exists(reference) Then
Return Nothing
End If
Return ImmutableArray.Create(MetadataReference.CreateFromFile(resolvedPath, properties))
End Function
Public Overrides Function Equals(other As Object) As Boolean
Return True
End Function
Public Overrides Function GetHashCode() As Integer
Return 1
End Function
End Class
<Fact>
Public Sub Reference_CorLibraryAddedWhenThereAreUnresolvedReferences()
Dim parsedArgs = DefaultParse({"/r:unresolved", "a.vb"}, _baseDirectory)
Dim metadataResolver = New SimpleMetadataResolver(_baseDirectory)
Dim references = parsedArgs.ResolveMetadataReferences(metadataResolver).ToImmutableArray()
Assert.Equal(4, references.Length)
Assert.Contains(references, Function(r) r.IsUnresolved)
Assert.Contains(references, Function(r)
Dim peRef = TryCast(r, PortableExecutableReference)
Return peRef IsNot Nothing AndAlso
peRef.FilePath.EndsWith("mscorlib.dll", StringComparison.Ordinal)
End Function)
End Sub
<Fact>
Public Sub Reference_CorLibraryAddedWhenThereAreNoUnresolvedReferences()
Dim parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
Dim metadataResolver = New SimpleMetadataResolver(_baseDirectory)
Dim references = parsedArgs.ResolveMetadataReferences(metadataResolver).ToImmutableArray()
Assert.Equal(3, references.Length)
Assert.DoesNotContain(references, Function(r) r.IsUnresolved)
Assert.Contains(references, Function(r)
Dim peRef = TryCast(r, PortableExecutableReference)
Return peRef IsNot Nothing AndAlso
peRef.FilePath.EndsWith("mscorlib.dll", StringComparison.Ordinal)
End Function)
End Sub
<Fact>
Public Sub ParseAnalyzers()
Dim parsedArgs = DefaultParse({"/a:goo.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(1, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
parsedArgs = DefaultParse({"/analyzer:goo.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(1, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
parsedArgs = DefaultParse({"/analyzer:""goo.dll""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(1, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
parsedArgs = DefaultParse({"/a:goo.dll,bar.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(2, parsedArgs.AnalyzerReferences.Length)
Assert.Equal("goo.dll", parsedArgs.AnalyzerReferences(0).FilePath)
Assert.Equal("bar.dll", parsedArgs.AnalyzerReferences(1).FilePath)
parsedArgs = DefaultParse({"/a:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("a", ":<file_list>"))
parsedArgs = DefaultParse({"/a", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("a", ":<file_list>"))
End Sub
<Fact>
Public Sub Analyzers_Missing()
Dim source = "Imports System"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/a:missing.dll", "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2017: could not find library 'missing.dll'", outWriter.ToString().Trim())
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_Empty()
Dim source = "Imports System"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/a:" + GetType(Object).Assembly.Location, "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Assert.DoesNotContain("warning", outWriter.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_Found()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' This assembly has a MockDiagnosticAnalyzer type which should get run by this compilation.
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
' Diagnostic cannot instantiate
Assert.True(outWriter.ToString().Contains("warning BC42376"))
' Diagnostic is thrown
Assert.True(outWriter.ToString().Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared"))
Assert.True(outWriter.ToString().Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared"))
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_WithRuleSet()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="Warning01" Action="Error"/>
<Rule Id="Test02" Action="Warning"/>
<Rule Id="Warning03" Action="None"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, "a.vb", "/ruleset:" + ruleSetFile.Path})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Diagnostic cannot instantiate
Assert.True(outWriter.ToString().Contains("warning BC42376"))
'' Diagnostic thrown as error
'Assert.True(outWriter.ToString().Contains("error Warning01"))
' Diagnostic is suppressed
Assert.False(outWriter.ToString().Contains("warning Warning03"))
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_CommandLineOverridesRuleset1()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Warning"/>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/preferreduilang:en", "/preferreduilang:en", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/ruleset:" & ruleSetFile.Path, "/warnaserror", "/nowarn:42376"
})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Diagnostics thrown as error: command line always overrides ruleset.
Dim output = outWriter.ToString()
Assert.Contains("error Warning01", output, StringComparison.Ordinal)
Assert.Contains("error Warning03", output, StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/preferreduilang:en", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/warnaserror+", "/ruleset:" & ruleSetFile.Path, "/nowarn:42376"
})
exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Diagnostics thrown as error: command line always overrides ruleset.
output = outWriter.ToString()
Assert.Contains("error Warning01", output, StringComparison.Ordinal)
Assert.Contains("error Warning03", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzer_CommandLineOverridesRuleset2()
Dim source = "Imports System " + vbCrLf + "Public Class Tester" + vbCrLf + "End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="Warning01" Action="Error"/>
<Rule Id="Warning03" Action="Warning"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/ruleset:" & ruleSetFile.Path, "/nowarn"
})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
' Diagnostics suppressed: command line always overrides ruleset.
Dim output = outWriter.ToString()
Assert.DoesNotContain("Warning01", output, StringComparison.Ordinal)
Assert.DoesNotContain("BC31072", output, StringComparison.Ordinal)
Assert.DoesNotContain("Warning03", output, StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
"/nologo", "/t:library",
"/a:" + Assembly.GetExecutingAssembly().Location, "a.vb",
"/nowarn", "/ruleset:" & ruleSetFile.Path
})
exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
' Diagnostics suppressed: command line always overrides ruleset.
output = outWriter.ToString()
Assert.DoesNotContain("Warning01", output, StringComparison.Ordinal)
Assert.DoesNotContain("BC31072", output, StringComparison.Ordinal)
Assert.DoesNotContain("Warning03", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub Analyzers_WithRuleSetIncludeAll()
Dim source = "Imports System \r\n Public Class Tester \r\n Public Sub Goo() \r\n Dim x As Integer \r\n End Sub \r\n End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Error"/>
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="Warning01" Action="Error"/>
<Rule Id="Test02" Action="Warning"/>
<Rule Id="Warning03" Action="None"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, "a.vb", "/ruleset:" + ruleSetFile.Path})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' Compiler warnings as errors
Assert.True(outWriter.ToString().Contains("error BC42376"))
' User diagnostics not thrown due to compiler errors
Assert.False(outWriter.ToString().Contains("Warning01"))
Assert.False(outWriter.ToString().Contains("Warning03"))
CleanupAllGeneratedFiles(file.Path)
End Sub
Private Function CreateRuleSetFile(source As XDocument) As TempFile
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.ruleset")
file.WriteAllText(source.ToString())
Return file
End Function
<Fact>
Public Sub RulesetSwitchPositive()
Dim source = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Warning"/>
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="CA1012" Action="Error"/>
<Rule Id="CA1013" Action="Warning"/>
<Rule Id="CA1014" Action="None"/>
</Rules>
</RuleSet>
Dim file = CreateRuleSetFile(source)
Dim parsedArgs = DefaultParse(New String() {"/ruleset:" + file.Path, "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(expected:=file.Path, actual:=parsedArgs.RuleSetPath)
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions.ContainsKey("CA1012"))
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions("CA1012") = ReportDiagnostic.Error)
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions.ContainsKey("CA1013"))
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions("CA1013") = ReportDiagnostic.Warn)
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions.ContainsKey("CA1014"))
Assert.True(parsedArgs.CompilationOptions.SpecificDiagnosticOptions("CA1014") = ReportDiagnostic.Suppress)
Assert.True(parsedArgs.CompilationOptions.GeneralDiagnosticOption = ReportDiagnostic.Warn)
End Sub
<Fact>
Public Sub RuleSetSwitchQuoted()
Dim source = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<IncludeAll Action="Warning"/>
<Rules AnalyzerId="Microsoft.Analyzers.ManagedCodeAnalysis" RuleNamespace="Microsoft.Rules.Managed">
<Rule Id="CA1012" Action="Error"/>
<Rule Id="CA1013" Action="Warning"/>
<Rule Id="CA1014" Action="None"/>
</Rules>
</RuleSet>
Dim file = CreateRuleSetFile(source)
Dim parsedArgs = DefaultParse(New String() {"/ruleset:" + """" + file.Path + """", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(expected:=file.Path, actual:=parsedArgs.RuleSetPath)
End Sub
<Fact>
Public Sub RulesetSwitchParseErrors()
Dim parsedArgs = DefaultParse(New String() {"/ruleset", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("ruleset", ":<file>"))
Assert.Null(parsedArgs.RuleSetPath)
parsedArgs = DefaultParse(New String() {"/ruleset", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("ruleset", ":<file>"))
Assert.Null(parsedArgs.RuleSetPath)
parsedArgs = DefaultParse(New String() {"/ruleset:blah", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_CantReadRulesetFile).WithArguments(Path.Combine(TempRoot.Root, "blah"), "File not found."))
Assert.Equal(expected:=Path.Combine(TempRoot.Root, "blah"), actual:=parsedArgs.RuleSetPath)
parsedArgs = DefaultParse(New String() {"/ruleset:blah;blah.ruleset", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_CantReadRulesetFile).WithArguments(Path.Combine(TempRoot.Root, "blah;blah.ruleset"), "File not found."))
Assert.Equal(expected:=Path.Combine(TempRoot.Root, "blah;blah.ruleset"), actual:=parsedArgs.RuleSetPath)
Dim file = CreateRuleSetFile(New XDocument())
parsedArgs = DefaultParse(New String() {"/ruleset:" + file.Path, "a.cs"}, _baseDirectory)
'parsedArgs.Errors.Verify(
' Diagnostic(ERRID.ERR_CantReadRulesetFile).WithArguments(file.Path, "Root element is missing."))
Assert.Equal(expected:=file.Path, actual:=parsedArgs.RuleSetPath)
Dim err = parsedArgs.Errors.Single()
Assert.Equal(ERRID.ERR_CantReadRulesetFile, err.Code)
Assert.Equal(2, err.Arguments.Count)
Assert.Equal(file.Path, DirectCast(err.Arguments(0), String))
Dim currentUICultureName = Thread.CurrentThread.CurrentUICulture.Name
If currentUICultureName.Length = 0 OrElse currentUICultureName.StartsWith("en", StringComparison.OrdinalIgnoreCase) Then
Assert.Equal(err.Arguments(1), "Root element is missing.")
End If
End Sub
<Fact>
Public Sub Target_SimpleTests()
Dim parsedArgs = DefaultParse({"/target:exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.ConsoleApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t:module", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:library", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.DynamicallyLinkedLibrary, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/TARGET:winexe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.WindowsApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winmdobj", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.WindowsRuntimeMetadata, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:appcontainerexe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.WindowsRuntimeApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winexe", "/T:exe", "/target:module", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("t", ":exe|winexe|library|module|appcontainerexe|winmdobj"))
parsedArgs = DefaultParse({"/target:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("target", ":exe|winexe|library|module|appcontainerexe|winmdobj"))
parsedArgs = DefaultParse({"/target:xyz", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("target", "xyz"))
parsedArgs = DefaultParse({"/T+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/T+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/TARGET-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/TARGET-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub Target_SimpleTestsNoSourceFile()
Dim parsedArgs = DefaultParse({"/target:exe"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.ConsoleApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t:module"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:library"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.DynamicallyLinkedLibrary, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/TARGET:winexe"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.WindowsApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winmdobj"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.WindowsRuntimeMetadata, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:appcontainerexe"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.WindowsRuntimeApplication, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/target:winexe", "/T:exe", "/target:module"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
Assert.Equal(OutputKind.NetModule, parsedArgs.CompilationOptions.OutputKind)
parsedArgs = DefaultParse({"/t"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("t", ":exe|winexe|library|module|appcontainerexe|winmdobj"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
parsedArgs = DefaultParse({"/target:"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("target", ":exe|winexe|library|module|appcontainerexe|winmdobj"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
parsedArgs = DefaultParse({"/target:xyz"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("target", "xyz"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1))
parsedArgs = DefaultParse({"/T+"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/T+"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1)) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/TARGET-:"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/TARGET-:"),
Diagnostic(ERRID.ERR_NoSources).WithLocation(1, 1)) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact>
Public Sub Utf8Output()
Dim parsedArgs = DefaultParse({"/utf8output", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.Utf8Output)
parsedArgs = DefaultParse({"/utf8output+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(True, parsedArgs.Utf8Output)
parsedArgs = DefaultParse({"/utf8output-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.Utf8Output)
' default
parsedArgs = DefaultParse({"/nologo", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.Utf8Output)
' overriding
parsedArgs = DefaultParse({"/utf8output+", "/utf8output-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(False, parsedArgs.Utf8Output)
' errors
parsedArgs = DefaultParse({"/utf8output:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("utf8output"))
End Sub
<Fact>
Public Sub Debug()
Dim platformPdbKind = If(PathUtilities.IsUnixLikePlatform, DebugInformationFormat.PortablePdb, DebugInformationFormat.Pdb)
Dim parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitPdb)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug+", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:FULL", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:portable", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, DebugInformationFormat.PortablePdb)
parsedArgs = DefaultParse({"/debug:embedded", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, DebugInformationFormat.Embedded)
parsedArgs = DefaultParse({"/debug:PDBONLY", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:full", "/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(parsedArgs.EmitOptions.DebugInformationFormat, platformPdbKind)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug-", "/debug", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:pdbonly", "/debug-", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(platformPdbKind, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:embedded", "/debug-", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.EmitPdb)
Assert.Equal(DebugInformationFormat.Embedded, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:embedded", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.EmitPdb)
Assert.Equal(DebugInformationFormat.Embedded, parsedArgs.EmitOptions.DebugInformationFormat)
parsedArgs = DefaultParse({"/debug:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("debug", ""))
parsedArgs = DefaultParse({"/debug:+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("debug", "+"))
parsedArgs = DefaultParse({"/debug:invalid", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("debug", "invalid"))
parsedArgs = DefaultParse({"/debug-:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("debug"))
parsedArgs = DefaultParse({"/pdb:something", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/pdb:something"))
End Sub
<Fact>
Public Sub SourceLink()
Dim parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:portable", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "sl.json"), parsedArgs.SourceLink)
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:embedded", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "sl.json"), parsedArgs.SourceLink)
parsedArgs = DefaultParse({"/sourcelink:""s l.json""", "/debug:embedded", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "s l.json"), parsedArgs.SourceLink)
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SourceLinkRequiresPdb))
parsedArgs = DefaultParse({"/sourcelink:sl.json", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/sourcelink:sl.json", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SourceLinkRequiresPdb))
End Sub
<Fact>
Public Sub SourceLink_EndToEnd_EmbeddedPortable()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText("
Class C
Public Shared Sub Main()
End Sub
End Class")
Dim sl = dir.CreateFile("sl.json")
sl.WriteAllText("{ ""documents"" : {} }")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/debug:embedded", "/sourcelink:sl.json", "a.vb"})
Dim exitCode As Integer = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim peStream = File.OpenRead(Path.Combine(dir.Path, "a.exe"))
Using peReader = New PEReader(peStream)
Dim entry = peReader.ReadDebugDirectory().Single(Function(e) e.Type = DebugDirectoryEntryType.EmbeddedPortablePdb)
Using mdProvider = peReader.ReadEmbeddedPortablePdbDebugDirectoryData(entry)
Dim blob = mdProvider.GetMetadataReader().GetSourceLinkBlob()
AssertEx.Equal(File.ReadAllBytes(sl.Path), blob)
End Using
End Using
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact>
Public Sub SourceLink_EndToEnd_Portable()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText("
Class C
Public Shared Sub Main()
End Sub
End Class")
Dim sl = dir.CreateFile("sl.json")
sl.WriteAllText("{ ""documents"" : {} }")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/debug:portable", "/sourcelink:sl.json", "a.vb"})
Dim exitCode As Integer = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim pdbStream = File.OpenRead(Path.Combine(dir.Path, "a.pdb"))
Using mdProvider = MetadataReaderProvider.FromPortablePdbStream(pdbStream)
Dim blob = mdProvider.GetMetadataReader().GetSourceLinkBlob()
AssertEx.Equal(File.ReadAllBytes(sl.Path), blob)
End Using
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact>
Public Sub Embed()
Dim parsedArgs = DefaultParse({"a.vb "}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Empty(parsedArgs.EmbeddedFiles)
parsedArgs = DefaultParse({"/embed", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(parsedArgs.SourceFiles, parsedArgs.EmbeddedFiles)
AssertEx.Equal(
{"a.vb", "b.vb", "c.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.vb", "/embed:b.vb", "/debug:embedded", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.vb;b.vb", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.vb,b.vb", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:""a,b.vb""", "/debug:portable", "a,b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a,b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:\""a,b.vb\""", "/debug:portable", "a,b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a,b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:\""""a.vb,b.vb""\""", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.vb", "b.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed:a.txt", "/embed", "/debug:portable", "a.vb", "b.vb", "c.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertEx.Equal(
{"a.txt", "a.vb", "b.vb", "c.vb"}.Select(Function(f) Path.Combine(_baseDirectory, f)),
parsedArgs.EmbeddedFiles.Select(Function(f) f.Path))
parsedArgs = DefaultParse({"/embed", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed:a.txt", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed:a.txt", "/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_CannotEmbedWithoutPdb))
parsedArgs = DefaultParse({"/embed", "/debug:full", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/embed", "/debug:pdbonly", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/embed", "/debug+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
End Sub
<Theory>
<InlineData("/debug:portable", "/embed", {"embed.vb", "embed2.vb", "embed.xyz"})>
<InlineData("/debug:portable", "/embed:embed.vb", {"embed.vb", "embed.xyz"})>
<InlineData("/debug:portable", "/embed:embed2.vb", {"embed2.vb"})>
<InlineData("/debug:portable", "/embed:embed.xyz", {"embed.xyz"})>
<InlineData("/debug:embedded", "/embed", {"embed.vb", "embed2.vb", "embed.xyz"})>
<InlineData("/debug:embedded", "/embed:embed.vb", {"embed.vb", "embed.xyz"})>
<InlineData("/debug:embedded", "/embed:embed2.vb", {"embed2.vb"})>
<InlineData("/debug:embedded", "/embed:embed.xyz", {"embed.xyz"})>
<InlineData("/debug:full", "/embed", {"embed.vb", "embed2.vb", "embed.xyz"})>
<InlineData("/debug:full", "/embed:embed.vb", {"embed.vb", "embed.xyz"})>
<InlineData("/debug:full", "/embed:embed2.vb", {"embed2.vb"})>
<InlineData("/debug:full", "/embed:embed.xyz", {"embed.xyz"})>
Public Sub Embed_EndToEnd(debugSwitch As String, embedSwitch As String, expectedEmbedded As String())
' embed.vb: large enough To compress, has #line directives
Const embed_vb =
"'''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''
Class Program
Shared Sub Main()
#ExternalSource(""embed.xyz"", 1)
System.Console.WriteLine(""Hello, World"")
System.Console.WriteLine(""Goodbye, World"")
#End ExternalSource
End Sub
End Class
'''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''''"
' embed2.vb: small enough to not compress, no sequence points
Const embed2_vb =
"Class C
End Class"
' target of #ExternalSource
Const embed_xyz =
"print Hello, World
print Goodbye, World"
Assert.True(embed_vb.Length >= EmbeddedText.CompressionThreshold)
Assert.True(embed2_vb.Length < EmbeddedText.CompressionThreshold)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("embed.vb")
Dim src2 = dir.CreateFile("embed2.vb")
Dim txt = dir.CreateFile("embed.xyz")
src.WriteAllText(embed_vb)
src2.WriteAllText(embed2_vb)
txt.WriteAllText(embed_xyz)
Dim expectedEmbeddedMap = New Dictionary(Of String, String)()
If expectedEmbedded.Contains("embed.vb") Then
expectedEmbeddedMap.Add(src.Path, embed_vb)
End If
If expectedEmbedded.Contains("embed2.vb") Then
expectedEmbeddedMap.Add(src2.Path, embed2_vb)
End If
If expectedEmbedded.Contains("embed.xyz") Then
expectedEmbeddedMap.Add(txt.Path, embed_xyz)
End If
Dim output = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", debugSwitch, embedSwitch, "embed.vb", "embed2.vb"})
Dim exitCode = vbc.Run(output)
Assert.Equal("", output.ToString().Trim())
Assert.Equal(0, exitCode)
Select Case debugSwitch
Case "/debug:embedded"
ValidateEmbeddedSources_Portable(expectedEmbeddedMap, dir, isEmbeddedPdb:=True)
Case "/debug:portable"
ValidateEmbeddedSources_Portable(expectedEmbeddedMap, dir, isEmbeddedPdb:=False)
Case "/debug:full"
ValidateEmbeddedSources_Windows(expectedEmbeddedMap, dir)
End Select
Assert.Empty(expectedEmbeddedMap)
CleanupAllGeneratedFiles(src.Path)
End Sub
Private Shared Sub ValidateEmbeddedSources_Portable(expectedEmbeddedMap As Dictionary(Of String, String), dir As TempDirectory, isEmbeddedPdb As Boolean)
Using peReader As New PEReader(File.OpenRead(Path.Combine(dir.Path, "embed.exe")))
Dim entry = peReader.ReadDebugDirectory().SingleOrDefault(Function(e) e.Type = DebugDirectoryEntryType.EmbeddedPortablePdb)
Assert.Equal(isEmbeddedPdb, entry.DataSize > 0)
Using mdProvider As MetadataReaderProvider = If(
isEmbeddedPdb,
peReader.ReadEmbeddedPortablePdbDebugDirectoryData(entry),
MetadataReaderProvider.FromPortablePdbStream(File.OpenRead(Path.Combine(dir.Path, "embed.pdb"))))
Dim mdReader = mdProvider.GetMetadataReader()
For Each handle In mdReader.Documents
Dim doc = mdReader.GetDocument(handle)
Dim docPath = mdReader.GetString(doc.Name)
Dim embeddedSource = mdReader.GetEmbeddedSource(handle)
If embeddedSource Is Nothing Then
Continue For
End If
Assert.True(TypeOf embeddedSource.Encoding Is UTF8Encoding AndAlso embeddedSource.Encoding.GetPreamble().Length = 0)
Assert.Equal(expectedEmbeddedMap(docPath), embeddedSource.ToString())
Assert.True(expectedEmbeddedMap.Remove(docPath))
Next
End Using
End Using
End Sub
Private Shared Sub ValidateEmbeddedSources_Windows(expectedEmbeddedMap As Dictionary(Of String, String), dir As TempDirectory)
Dim symReader As ISymUnmanagedReader5 = Nothing
Try
symReader = SymReaderFactory.CreateReader(File.OpenRead(Path.Combine(dir.Path, "embed.pdb")))
For Each doc In symReader.GetDocuments()
Dim docPath = doc.GetName()
Dim sourceBlob = doc.GetEmbeddedSource()
If sourceBlob.Array Is Nothing Then
Continue For
End If
Dim sourceStr = Encoding.UTF8.GetString(sourceBlob.Array, sourceBlob.Offset, sourceBlob.Count)
Assert.Equal(expectedEmbeddedMap(docPath), sourceStr)
Assert.True(expectedEmbeddedMap.Remove(docPath))
Next
Finally
symReader?.Dispose()
End Try
End Sub
<CompilerTrait(CompilerFeature.Determinism)>
<Fact>
Public Sub PathMapParser()
Dim s = PathUtilities.DirectorySeparatorStr
Dim parsedArgs = DefaultParse({"/pathmap:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/pathmap:").WithLocation(1, 1)
)
Assert.Equal(ImmutableArray.Create(Of KeyValuePair(Of String, String))(), parsedArgs.PathMap)
parsedArgs = DefaultParse({"/pathmap:K1=V1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K1" & s, "V1" & s), parsedArgs.PathMap(0))
parsedArgs = DefaultParse({$"/pathmap:abc{s}=/", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("abc" & s, "/"), parsedArgs.PathMap(0))
parsedArgs = DefaultParse({"/pathmap:K1=V1,K2=V2", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K1" & s, "V1" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("K2" & s, "V2" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(ImmutableArray.Create(Of KeyValuePair(Of String, String))(), parsedArgs.PathMap)
parsedArgs = DefaultParse({"/pathmap:,,", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:,,,", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:k=,=v", "a.vb"}, _baseDirectory)
Assert.Equal(2, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(1).Code)
parsedArgs = DefaultParse({"/pathmap:k=v=bad", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:k=", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:=v", "a.vb"}, _baseDirectory)
Assert.Equal(1, parsedArgs.Errors.Count())
Assert.Equal(ERRID.ERR_InvalidPathMap, parsedArgs.Errors(0).Code)
parsedArgs = DefaultParse({"/pathmap:""supporting spaces=is hard""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("supporting spaces" & s, "is hard" & s), parsedArgs.PathMap(0))
parsedArgs = DefaultParse({"/pathmap:""K 1=V 1"",""K 2=V 2""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K 1" & s, "V 1" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("K 2" & s, "V 2" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:""K 1""=""V 1"",""K 2""=""V 2""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("K 1" & s, "V 1" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("K 2" & s, "V 2" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:""a ==,,b""=""1,,== 2"",""x ==,,y""=""3 4"",", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("a =,b" & s, "1,= 2" & s), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("x =,y" & s, "3 4" & s), parsedArgs.PathMap(1))
parsedArgs = DefaultParse({"/pathmap:C:\temp\=/_1/,C:\temp\a\=/_2/,C:\temp\a\b\=/_3/", "a.cs", "a\b.cs", "a\b\c.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(KeyValuePairUtil.Create("C:\temp\a\b\", "/_3/"), parsedArgs.PathMap(0))
Assert.Equal(KeyValuePairUtil.Create("C:\temp\a\", "/_2/"), parsedArgs.PathMap(1))
Assert.Equal(KeyValuePairUtil.Create("C:\temp\", "/_1/"), parsedArgs.PathMap(2))
End Sub
' PathMapKeepsCrossPlatformRoot and PathMapInconsistentSlashes should be in an
' assembly that is ran cross-platform, but as no visual basic test assemblies are
' run cross-platform, put this here in the hopes that this will eventually be ported.
<Theory>
<InlineData("C:\", "/", "C:\", "/")>
<InlineData("C:\temp\", "/temp/", "C:\temp", "/temp")>
<InlineData("C:\temp\", "/temp/", "C:\temp\", "/temp/")>
<InlineData("/", "C:\", "/", "C:\")>
<InlineData("/temp/", "C:\temp\", "/temp", "C:\temp")>
<InlineData("/temp/", "C:\temp\", "/temp/", "C:\temp\")>
Public Sub PathMapKeepsCrossPlatformRoot(expectedFrom As String, expectedTo As String, sourceFrom As String, sourceTo As String)
Dim pathmapArg = $"/pathmap:{sourceFrom}={sourceTo}"
Dim parsedArgs = VisualBasicCommandLineParser.Default.Parse({pathmapArg, "a.vb"}, TempRoot.Root, RuntimeEnvironment.GetRuntimeDirectory(), Nothing)
parsedArgs.Errors.Verify()
Dim expected = New KeyValuePair(Of String, String)(expectedFrom, expectedTo)
Assert.Equal(expected, parsedArgs.PathMap(0))
End Sub
<Fact>
Public Sub PathMapInconsistentSlashes()
Dim Parse = Function(args() As String) As VisualBasicCommandLineArguments
Dim parsedArgs = VisualBasicCommandLineParser.Default.Parse(args, TempRoot.Root, RuntimeEnvironment.GetRuntimeDirectory(), Nothing)
parsedArgs.Errors.Verify()
Return parsedArgs
End Function
Dim sep = PathUtilities.DirectorySeparatorChar
Assert.Equal(New KeyValuePair(Of String, String)("C:\temp/goo" + sep, "/temp\goo" + sep), Parse({"/pathmap:C:\temp/goo=/temp\goo", "a.vb"}).PathMap(0))
Assert.Equal(New KeyValuePair(Of String, String)("noslash" + sep, "withoutslash" + sep), Parse({"/pathmap:noslash=withoutslash", "a.vb"}).PathMap(0))
Dim doublemap = Parse({"/pathmap:/temp=/goo,/temp/=/bar", "a.vb"}).PathMap
Assert.Equal(New KeyValuePair(Of String, String)("/temp/", "/goo/"), doublemap(0))
Assert.Equal(New KeyValuePair(Of String, String)("/temp/", "/bar/"), doublemap(1))
End Sub
<Fact>
Public Sub NothingBaseDirectoryNotAddedToKeyFileSearchPaths()
Dim args As VisualBasicCommandLineArguments = VisualBasicCommandLineParser.Default.Parse(New String() {}, Nothing, RuntimeEnvironment.GetRuntimeDirectory())
AssertEx.Equal(ImmutableArray.Create(Of String)(), args.KeyFileSearchPaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub SdkPathArg()
Dim parentDir = Temp.CreateDirectory()
Dim sdkDir = parentDir.CreateDirectory("sdk")
Dim sdkPath = sdkDir.Path
Dim parser = VisualBasicCommandLineParser.Default.Parse({$"-sdkPath:{sdkPath}"}, parentDir.Path, Nothing)
AssertEx.Equal(ImmutableArray.Create(sdkPath), parser.ReferencePaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub SdkPathNoArg()
Dim parentDir = Temp.CreateDirectory()
Dim parser = VisualBasicCommandLineParser.Default.Parse({"file.vb", "-sdkPath", $"-out:{parentDir.Path}"}, parentDir.Path, Nothing)
parser.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired, arguments:={"sdkpath", ":<path>"}).WithLocation(1, 1),
Diagnostic(ERRID.WRN_CannotFindStandardLibrary1).WithArguments("System.dll").WithLocation(1, 1),
Diagnostic(ERRID.ERR_LibNotFound).WithArguments("Microsoft.VisualBasic.dll").WithLocation(1, 1))
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub SdkPathFollowedByNoSdkPath()
Dim parentDir = Temp.CreateDirectory()
Dim parser = VisualBasicCommandLineParser.Default.Parse({"file.vb", $"-out:{parentDir.Path}", "-sdkPath:path/to/sdk", "/noSdkPath"}, parentDir.Path, Nothing)
AssertEx.Equal(ImmutableArray(Of String).Empty, parser.ReferencePaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub NoSdkPathFollowedBySdkPath()
Dim parentDir = Temp.CreateDirectory()
Dim sdkDir = parentDir.CreateDirectory("sdk")
Dim parser = VisualBasicCommandLineParser.Default.Parse({"file.vb", $"-out:{parentDir.Path}", "/noSdkPath", $"-sdkPath:{sdkDir.Path}"}, parentDir.Path, Nothing)
AssertEx.Equal(ImmutableArray.Create(sdkDir.Path), parser.ReferencePaths)
End Sub
<Fact>
<WorkItem(29252, "https://github.com/dotnet/roslyn/issues/29252")>
Public Sub NoSdkPathReferenceSystemDll()
Dim source = "
Module M
End Module
"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/nosdkpath", "/t:library", "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Dim output = outWriter.ToString().Trim()
Assert.Equal(1, exitCode)
Assert.Contains("vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'", output)
CleanupAllGeneratedFiles(file.Path)
End Sub
<CompilerTrait(CompilerFeature.Determinism)>
<Fact>
Public Sub PathMapPdbDeterminism()
Dim assertPdbEmit =
Sub(dir As TempDirectory, pePdbPath As String, extraArgs As String())
Dim source =
<compilation>
Imports System
Module Program
Sub Main()
End Sub
End Module
</compilation>
Dim src = dir.CreateFile("a.vb").WriteAllText(source.Value)
Dim pdbPath = Path.Combine(dir.Path, "a.pdb")
Dim defaultArgs = {"/nologo", "/debug", "a.vb"}
Dim isDeterministic = extraArgs.Contains("/deterministic")
Dim args = defaultArgs.Concat(extraArgs).ToArray()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(dir.Path, args)
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim exePath = Path.Combine(dir.Path, "a.exe")
Assert.True(File.Exists(exePath))
Assert.True(File.Exists(pdbPath))
Using peStream = File.OpenRead(exePath)
PdbValidation.ValidateDebugDirectory(peStream, Nothing, pePdbPath, hashAlgorithm:=Nothing, hasEmbeddedPdb:=False, isDeterministic)
End Using
End Sub
' No mappings
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, pePdbPath, {})
End Using
' Simple mapping
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = "q:\a.pdb"
assertPdbEmit(dir, pePdbPath, {$"/pathmap:{dir.Path}=q:\"})
End Using
' Simple mapping deterministic
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = "q:\a.pdb"
assertPdbEmit(dir, pePdbPath, {$"/pathmap:{dir.Path}=q:\", "/deterministic"})
End Using
' Partial mapping
Using dir As New DisposableDirectory(Temp)
Dim subDir = dir.CreateDirectory("example")
Dim pePdbPath = "q:\example\a.pdb"
assertPdbEmit(subDir, pePdbPath, {$"/pathmap:{dir.Path}=q:\"})
End Using
' Legacy feature flag
Using dir As New DisposableDirectory(Temp)
Dim pePdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, "a.pdb", {"/features:pdb-path-determinism"})
End Using
' Unix path map
Using dir As New DisposableDirectory(Temp)
Dim pdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, "/a.pdb", {$"/pathmap:{dir.Path}=/"})
End Using
' Multi-specified path map with mixed slashes
Using dir As New DisposableDirectory(Temp)
Dim pdbPath = Path.Combine(dir.Path, "a.pdb")
assertPdbEmit(dir, "/goo/a.pdb", {$"/pathmap:{dir.Path}=/goo,{dir.Path}{PathUtilities.DirectorySeparatorChar}=/bar"})
End Using
End Sub
<WorkItem(540891, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/540891")>
<Fact>
Public Sub ParseOut()
Const baseDirectory As String = "C:\abc\def\baz"
' Should preserve fully qualified paths
Dim parsedArgs = DefaultParse({"/out:C:\MyFolder\MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal("C:\MyFolder", parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/out:""C:\My Folder\MyBinary.dll""", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal("C:\My Folder", parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/refout:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("refout", ":<file>").WithLocation(1, 1))
parsedArgs = DefaultParse({"/refout:ref.dll", "/refonly", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_NoRefOutWhenRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/refonly:incorrect", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("refonly").WithLocation(1, 1))
parsedArgs = DefaultParse({"/refout:ref.dll", "/target:module", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_NoNetModuleOutputWhenRefOutOrRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/refout:ref.dll", "/link:b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/refonly", "/link:b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/refonly", "/target:module", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_NoNetModuleOutputWhenRefOutOrRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/out:C:\""My Folder""\MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("C:""My Folder\MyBinary.dll").WithLocation(1, 1))
parsedArgs = DefaultParse({"/out:MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/out:Ignored.dll", "/out:MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
parsedArgs = DefaultParse({"/out:..\MyBinary.dll", "/t:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("MyBinary", parsedArgs.CompilationName)
Assert.Equal("MyBinary.dll", parsedArgs.OutputFileName)
Assert.Equal("MyBinary.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal("C:\abc\def", parsedArgs.OutputDirectory)
' not specified: exe
parsedArgs = DefaultParse({"a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: dll
parsedArgs = DefaultParse({"/target:library", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.dll", parsedArgs.OutputFileName)
Assert.Equal("a.dll", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: module
parsedArgs = DefaultParse({"/target:module", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal("a.netmodule", parsedArgs.OutputFileName)
Assert.Equal("a.netmodule", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: appcontainerexe
parsedArgs = DefaultParse({"/target:appcontainerexe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' not specified: winmdobj
parsedArgs = DefaultParse({"/target:winmdobj", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.winmdobj", parsedArgs.OutputFileName)
Assert.Equal("a.winmdobj", parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' drive-relative path:
Dim currentDrive As Char = Directory.GetCurrentDirectory()(0)
parsedArgs = DefaultParse({currentDrive + ":a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(currentDrive + ":a.vb"))
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
Assert.Equal(baseDirectory, parsedArgs.OutputDirectory)
' UNC
parsedArgs = DefaultParse({"/out:\\b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("\\b"))
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/out:\\server\share\file.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\\server\share", parsedArgs.OutputDirectory)
Assert.Equal("file.exe", parsedArgs.OutputFileName)
Assert.Equal("file", parsedArgs.CompilationName)
Assert.Equal("file.exe", parsedArgs.CompilationOptions.ModuleName)
' invalid name
parsedArgs = DefaultParse({"/out:a.b" & vbNullChar & "b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("a.b" & vbNullChar & "b"))
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' Temp Skip: Unicode?
' parsedArgs = DefaultParse({"/out:a" & ChrW(&HD800) & "b.dll", "a.vb"}, _baseDirectory)
' parsedArgs.Errors.Verify(
' Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("a" & ChrW(&HD800) & "b.dll"))
' Assert.Equal("a.exe", parsedArgs.OutputFileName)
' Assert.Equal("a", parsedArgs.CompilationName)
' Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' Temp Skip: error message changed (path)
'parsedArgs = DefaultParse({"/out:"" a.dll""", "a.vb"}, _baseDirectory)
'parsedArgs.Errors.Verify(
' Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(" a.dll"))
'Assert.Equal("a.exe", parsedArgs.OutputFileName)
'Assert.Equal("a", parsedArgs.CompilationName)
'Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' Dev11 reports BC2012: can't open 'a<>.z' for writing
parsedArgs = DefaultParse({"/out:""a<>.dll""", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("a<>.dll"))
Assert.Equal("a.exe", parsedArgs.OutputFileName)
Assert.Equal("a", parsedArgs.CompilationName)
Assert.Equal("a.exe", parsedArgs.CompilationOptions.ModuleName)
' bad value
parsedArgs = DefaultParse({"/out", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("out", ":<file>"))
parsedArgs = DefaultParse({"/OUT:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("out", ":<file>"))
parsedArgs = DefaultParse({"/REFOUT:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("refout", ":<file>"))
parsedArgs = DefaultParse({"/refout:ref.dll", "/refonly", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoRefOutWhenRefOnly).WithLocation(1, 1))
parsedArgs = DefaultParse({"/out+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/out+")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/out-:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/out-:")) ' TODO: Dev11 reports ERR_ArgumentRequired
parsedArgs = DefaultParse({"/out:.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:exe", "/out:.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:library", "/out:.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".dll"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:module", "/out:.netmodule", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".netmodule", parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".netmodule", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({".vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:exe", ".vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:library", ".vb"}, _baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".dll"))
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/t:module", ".vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".netmodule", parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".netmodule", parsedArgs.CompilationOptions.ModuleName)
End Sub
<Fact>
Public Sub ParseOut2()
' exe
Dim parsedArgs = DefaultParse({"/out:.x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".x", parsedArgs.CompilationName)
Assert.Equal(".x.exe", parsedArgs.OutputFileName)
Assert.Equal(".x.exe", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:winexe", "/out:.x.eXe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".x", parsedArgs.CompilationName)
Assert.Equal(".x.eXe", parsedArgs.OutputFileName)
Assert.Equal(".x.eXe", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:winexe", "/out:.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".exe"))
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
' dll
parsedArgs = DefaultParse({"/target:library", "/out:.x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".x", parsedArgs.CompilationName)
Assert.Equal(".x.dll", parsedArgs.OutputFileName)
Assert.Equal(".x.dll", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:library", "/out:.X.Dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(".X", parsedArgs.CompilationName)
Assert.Equal(".X.Dll", parsedArgs.OutputFileName)
Assert.Equal(".X.Dll", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:library", "/out:.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(".dll"))
Assert.Null(parsedArgs.CompilationName)
Assert.Null(parsedArgs.OutputFileName)
Assert.Null(parsedArgs.CompilationOptions.ModuleName)
' module
parsedArgs = DefaultParse({"/target:module", "/out:.x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".x", parsedArgs.OutputFileName)
Assert.Equal(".x", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:module", "/out:x.dll", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal("x.dll", parsedArgs.OutputFileName)
Assert.Equal("x.dll", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:module", "/out:.x.netmodule", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal(".x.netmodule", parsedArgs.OutputFileName)
Assert.Equal(".x.netmodule", parsedArgs.CompilationOptions.ModuleName)
parsedArgs = DefaultParse({"/target:module", "/out:x", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.CompilationName)
Assert.Equal("x.netmodule", parsedArgs.OutputFileName)
Assert.Equal("x.netmodule", parsedArgs.CompilationOptions.ModuleName)
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingNoKeyFile()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingEmptyKeyFile()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:""""", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingNoKeyFile_PublicSign()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:", "/publicsign", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
Public Sub ConsistentErrorMessageWhenProvidingEmptyKeyFile_PublicSign()
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/keyfile:""""", "/publicsign", "/target:library", "/nologo", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'keyfile' requires ':<file>'", outWriter.ToString().Trim())
End Sub
<Fact, WorkItem(531020, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531020")>
Public Sub ParseDocBreak1()
Const baseDirectory As String = "C:\abc\def\baz"
' In dev11, this appears to be equivalent to /doc- (i.e. don't parse and don't output).
Dim parsedArgs = DefaultParse({"/doc:""""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("doc", ":<file>"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
End Sub
<Fact, WorkItem(705173, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705173")>
Public Sub Ensure_UTF8_Explicit_Prefix_In_Documentation_Comment_File()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable,
String.Format("/nologo /doc:{1}\src.xml /t:library {0}",
src.ToString(),
dir.ToString()),
startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Dim fileContents = File.ReadAllBytes(dir.ToString() & "\src.xml")
Assert.InRange(fileContents.Length, 4, Integer.MaxValue)
Assert.Equal(&HEF, fileContents(0))
Assert.Equal(&HBB, fileContents(1))
Assert.Equal(&HBF, fileContents(2))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(733242, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/733242")>
Public Sub Bug733242()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim xml = dir.CreateFile("a.xml")
xml.WriteAllText("EMPTY")
Using xmlFileHandle As FileStream = File.Open(xml.ToString(), FileMode.Open, FileAccess.Read, FileShare.Delete Or FileShare.ReadWrite)
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc+ {0}", src.ToString()), startFolder:=dir.ToString(), expectedRetCode:=0)
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "a.xml")))
Using reader As New StreamReader(xmlFileHandle)
Dim content = reader.ReadToEnd()
AssertOutput(
<text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC...XYZ</summary>
</member>
</members>
</doc>
]]>
</text>,
content)
End Using
End Using
CleanupAllGeneratedFiles(src.Path)
CleanupAllGeneratedFiles(xml.Path)
End Sub
<Fact, WorkItem(768605, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/768605")>
Public Sub Bug768605()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC</summary>
Class C: End Class
''' <summary>XYZ</summary>
Class E: End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim xml = dir.CreateFile("a.xml")
xml.WriteAllText("EMPTY")
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc+ {0}", src.ToString()), startFolder:=dir.ToString(), expectedRetCode:=0)
AssertOutput(<text></text>, output)
Using reader As New StreamReader(xml.ToString())
Dim content = reader.ReadToEnd()
AssertOutput(
<text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC</summary>
</member>
<member name="T:E">
<summary>XYZ</summary>
</member>
</members>
</doc>
]]>
</text>,
content)
End Using
src.WriteAllText(
<text>
''' <summary>ABC</summary>
Class C: End Class
</text>.Value.Replace(vbLf, vbCrLf))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc+ {0}", src.ToString()), startFolder:=dir.ToString(), expectedRetCode:=0)
AssertOutput(<text></text>, output)
Using reader As New StreamReader(xml.ToString())
Dim content = reader.ReadToEnd()
AssertOutput(
<text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC</summary>
</member>
</members>
</doc>
]]>
</text>,
content)
End Using
CleanupAllGeneratedFiles(src.Path)
CleanupAllGeneratedFiles(xml.Path)
End Sub
<Fact, WorkItem(705148, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705148")>
Public Sub Bug705148a()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:abcdfg.xyz /doc+ {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "a.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705148, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705148")>
Public Sub Bug705148b()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc /out:MyXml.dll {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "MyXml.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705148, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705148")>
Public Sub Bug705148c()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /doc+ {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "a.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705202, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705202")>
Public Sub Bug705202a()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /out:out.dll {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "doc.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705202, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705202")>
Public Sub Bug705202b()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /doc /out:out.dll {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "out.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(705202, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/705202")>
Public Sub Bug705202c()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /t:library /doc:doc.xml /out:out.dll /doc+ {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "out.xml")))
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(531021, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531021")>
Public Sub ParseDocBreak2()
' In dev11, if you give an invalid file name, the documentation comments
' are parsed but writing the XML file fails with (warning!) BC42311.
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/doc:"" """, "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments(" ", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc:"" \ """, "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments(" \ ", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' UNC
parsedArgs = DefaultParse({"/doc:\\b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("\\b", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
' invalid name:
parsedArgs = DefaultParse({"/doc:a.b" + ChrW(0) + "b", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("a.b" + ChrW(0) + "b", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
parsedArgs = DefaultParse({"/doc:a" + ChrW(55296) + "b.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("a" + ChrW(55296) + "b.xml", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
parsedArgs = DefaultParse({"/doc:""a<>.xml""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("a<>.xml", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
End Sub
<Fact>
Public Sub ParseDoc()
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/doc:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("doc", ":<file>"))
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc-", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc+:abc.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("doc"))
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
parsedArgs = DefaultParse({"/doc-:a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("doc"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
' Should preserve fully qualified paths
parsedArgs = DefaultParse({"/doc:C:\MyFolder\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\MyFolder\MyBinary.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' Should handle quotes
parsedArgs = DefaultParse({"/doc:""C:\My Folder\MyBinary.xml""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\My Folder\MyBinary.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/doc:MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "MyBinary.xml"), parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/doc:..\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\MyBinary.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
' drive-relative path:
Dim currentDrive As Char = Directory.GetCurrentDirectory()(0)
parsedArgs = DefaultParse({"/doc:" + currentDrive + ":a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments(currentDrive + ":a.xml", "The system cannot find the path specified"))
Assert.Null(parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode) ' Even though the format was incorrect
' UNC
parsedArgs = DefaultParse({"/doc:\\server\share\file.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\\server\share\file.xml", parsedArgs.DocumentationPath)
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
End Sub
<Fact>
Public Sub ParseDocAndOut()
Const baseDirectory As String = "C:\abc\def\baz"
' Can specify separate directories for binary and XML output.
Dim parsedArgs = DefaultParse({"/doc:a\b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\a\b.xml", parsedArgs.DocumentationPath)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
' XML does not fall back on output directory.
parsedArgs = DefaultParse({"/doc:b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\b.xml", parsedArgs.DocumentationPath)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
End Sub
<Fact>
Public Sub ParseDocMultiple()
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/doc+", "/doc-", "/doc+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc-", "/doc+", "/doc-", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
Assert.Null(parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc:a.xml", "/doc-", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.None, parsedArgs.ParseOptions.DocumentationMode)
Assert.Null(parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc:abc.xml", "/doc+", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc-", "/doc:a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
parsedArgs = DefaultParse({"/doc+", "/doc:a.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(DocumentationMode.Diagnose, parsedArgs.ParseOptions.DocumentationMode)
Assert.Equal(Path.Combine(baseDirectory, "a.xml"), parsedArgs.DocumentationPath)
End Sub
<Fact>
Public Sub ParseErrorLog()
Const baseDirectory As String = "C:\abc\def\baz"
Dim parsedArgs = DefaultParse({"/errorlog:", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
parsedArgs = DefaultParse({"/errorlog", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Should preserve fully qualified paths
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\MyFolder\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Should handle quotes
parsedArgs = DefaultParse({"/errorlog:""C:\My Folder\MyBinary.xml""", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\My Folder\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Quote after a \ is treated as an escape
parsedArgs = DefaultParse({"/errorlog:C:\""My Folder""\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("C:""My Folder\MyBinary.xml").WithLocation(1, 1))
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/errorlog:MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Path.Combine(baseDirectory, "MyBinary.xml"), parsedArgs.ErrorLogOptions.Path)
' Should expand partially qualified paths
parsedArgs = DefaultParse({"/errorlog:..\MyBinary.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' drive-relative path:
Dim currentDrive As Char = Directory.GetCurrentDirectory()(0)
Dim filePath = currentDrive + ":a.xml"
parsedArgs = DefaultParse({"/errorlog:" + filePath, "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments(filePath))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' UNC
parsedArgs = DefaultParse({"/errorlog:\\server\share\file.xml", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\\server\share\file.xml", parsedArgs.ErrorLogOptions.Path)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Parses SARIF version.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=2", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\MyFolder\MyBinary.xml", parsedArgs.ErrorLogOptions.Path)
Assert.Equal(SarifVersion.Sarif2, parsedArgs.ErrorLogOptions.SarifVersion)
Assert.True(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Invalid SARIF version.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=42", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=42", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=1.0.0", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=1.0.0", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=2.1.0", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=2.1.0", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Invalid errorlog qualifier.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,invalid=42", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,invalid=42", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
' Too many errorlog qualifiers.
parsedArgs = DefaultParse({"/errorlog:C:\MyFolder\MyBinary.xml,version=2,version=2", "a.cs"}, baseDirectory)
parsedArgs.Errors.Verify(
Diagnostic(ERRID.ERR_BadSwitchValue).WithArguments("C:\MyFolder\MyBinary.xml,version=2,version=2", "errorlog", CommandLineParser.ErrorLogOptionFormat))
Assert.Null(parsedArgs.ErrorLogOptions)
Assert.False(parsedArgs.CompilationOptions.ReportSuppressedDiagnostics)
End Sub
<Fact>
Public Sub ParseErrorLogAndOut()
Const baseDirectory As String = "C:\abc\def\baz"
' Can specify separate directories for binary and error log output.
Dim parsedArgs = DefaultParse({"/errorlog:a\b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\a\b.xml", parsedArgs.ErrorLogOptions.Path)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
' error log does not fall back on output directory.
parsedArgs = DefaultParse({"/errorlog:b.xml", "/out:c\d.exe", "a.vb"}, baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("C:\abc\def\baz\b.xml", parsedArgs.ErrorLogOptions.Path)
Assert.Equal("C:\abc\def\baz\c", parsedArgs.OutputDirectory)
Assert.Equal("d.exe", parsedArgs.OutputFileName)
End Sub
<Fact>
Public Sub KeyContainerAndKeyFile()
' KEYCONTAINER
Dim parsedArgs = DefaultParse({"/KeyContainer:key-cont-name", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("key-cont-name", parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/KEYcontainer", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keycontainer", ":<string>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/keycontainer-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/keycontainer-"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/keycontainer:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keycontainer", ":<string>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
parsedArgs = DefaultParse({"/keycontainer: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keycontainer", ":<string>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyContainer)
' KEYFILE
parsedArgs = DefaultParse({"/keyfile:\somepath\s""ome Fil""e.goo.bar", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("\somepath\some File.goo.bar", parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs = DefaultParse({"/keyFile", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs = DefaultParse({"/keyfile-", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/keyfile-"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs = DefaultParse({"/keyfile: ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>"))
Assert.Null(parsedArgs.CompilationOptions.CryptoKeyFile)
' default value
parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyContainer)
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyFile)
' keyfile/keycontainer conflicts
parsedArgs = DefaultParse({"/keycontainer:a", "/keyfile:b", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyContainer)
Assert.Equal("b", parsedArgs.CompilationOptions.CryptoKeyFile)
' keyfile/keycontainer conflicts
parsedArgs = DefaultParse({"/keyfile:b", "/keycontainer:a", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal("a", parsedArgs.CompilationOptions.CryptoKeyContainer)
Assert.Equal(Nothing, parsedArgs.CompilationOptions.CryptoKeyFile)
End Sub
<Fact, WorkItem(530088, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530088")>
Public Sub Platform()
' test recognizing all options
Dim parsedArgs = DefaultParse({"/platform:X86", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.X86, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:x64", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.X64, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:itanium", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.Itanium, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:anycpu", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/t:exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu32BitPreferred, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/t:appcontainerexe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu32BitPreferred, parsedArgs.CompilationOptions.Platform)
parsedArgs = DefaultParse({"/platform:arm", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.Arm, parsedArgs.CompilationOptions.Platform)
' test default (AnyCPU)
parsedArgs = DefaultParse({"/debug-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu, parsedArgs.CompilationOptions.Platform)
' test missing
parsedArgs = DefaultParse({"/platform:", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("platform", ":<string>"))
parsedArgs = DefaultParse({"/platform", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("platform", ":<string>"))
parsedArgs = DefaultParse({"/platform+", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/platform+")) ' TODO: Dev11 reports ERR_ArgumentRequired
' test illegal input
parsedArgs = DefaultParse({"/platform:abcdef", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("platform", "abcdef"))
' test overriding
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/platform:anycpu", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(CodeAnalysis.Platform.AnyCpu, parsedArgs.CompilationOptions.Platform)
' test illegal
parsedArgs = DefaultParse({"/platform:anycpu32bitpreferred", "/t:library", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_LibAnycpu32bitPreferredConflict).WithArguments("Platform", "AnyCpu32BitPreferred").WithLocation(1, 1))
parsedArgs = DefaultParse({"/platform:anycpu", "/platform:anycpu32bitpreferred", "/target:winmdobj", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_LibAnycpu32bitPreferredConflict).WithArguments("Platform", "AnyCpu32BitPreferred").WithLocation(1, 1))
End Sub
<Fact()>
Public Sub FileAlignment()
' test recognizing all options
Dim parsedArgs = DefaultParse({"/filealign:512", "a.vb"}, _baseDirectory)
Assert.Equal(512, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:1024", "a.vb"}, _baseDirectory)
Assert.Equal(1024, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:2048", "a.vb"}, _baseDirectory)
Assert.Equal(2048, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:4096", "a.vb"}, _baseDirectory)
Assert.Equal(4096, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:8192", "a.vb"}, _baseDirectory)
Assert.Equal(8192, parsedArgs.EmitOptions.FileAlignment)
' test oct values
parsedArgs = DefaultParse({"/filealign:01000", "a.vb"}, _baseDirectory)
Assert.Equal(512, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:02000", "a.vb"}, _baseDirectory)
Assert.Equal(1024, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:04000", "a.vb"}, _baseDirectory)
Assert.Equal(2048, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:010000", "a.vb"}, _baseDirectory)
Assert.Equal(4096, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:020000", "a.vb"}, _baseDirectory)
Assert.Equal(8192, parsedArgs.EmitOptions.FileAlignment)
' test hex values
parsedArgs = DefaultParse({"/filealign:0x200", "a.vb"}, _baseDirectory)
Assert.Equal(512, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x400", "a.vb"}, _baseDirectory)
Assert.Equal(1024, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x800", "a.vb"}, _baseDirectory)
Assert.Equal(2048, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x1000", "a.vb"}, _baseDirectory)
Assert.Equal(4096, parsedArgs.EmitOptions.FileAlignment)
parsedArgs = DefaultParse({"/filealign:0x2000", "a.vb"}, _baseDirectory)
Assert.Equal(8192, parsedArgs.EmitOptions.FileAlignment)
' test default (no value)
parsedArgs = DefaultParse({"/platform:x86", "a.vb"}, _baseDirectory)
Assert.Equal(0, parsedArgs.EmitOptions.FileAlignment)
' test missing
parsedArgs = DefaultParse({"/filealign:", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("filealign", ":<number>"))
' test illegal
parsedArgs = DefaultParse({"/filealign:0", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "0"))
parsedArgs = DefaultParse({"/filealign:0x", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "0x"))
parsedArgs = DefaultParse({"/filealign:0x0", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "0x0"))
parsedArgs = DefaultParse({"/filealign:-1", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "-1"))
parsedArgs = DefaultParse({"/filealign:-0x100", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("filealign", "-0x100"))
End Sub
<Fact()>
Public Sub RemoveIntChecks()
Dim parsedArgs = DefaultParse({"/removeintcheckS", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintcheckS+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.False(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintcheckS-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintchecks+", "/removeintchecks-", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.True(parsedArgs.CompilationOptions.CheckOverflow)
parsedArgs = DefaultParse({"/removeintchecks:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("removeintchecks"))
parsedArgs = DefaultParse({"/removeintchecks:+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("removeintchecks"))
parsedArgs = DefaultParse({"/removeintchecks+:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_SwitchNeedsBool).WithArguments("removeintchecks"))
End Sub
<Fact()>
Public Sub BaseAddress()
' This test is about what passes the parser. Even if a value was accepted by the parser it might not be considered
' as a valid base address later on (e.g. values >0x8000).
' test decimal values being treated as hex
Dim parsedArgs = DefaultParse({"/baseaddress:0", "a.vb"}, _baseDirectory)
Assert.Equal(CType(0, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:1024", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H1024, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:2048", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H2048, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:4096", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H4096, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:8192", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H8192, ULong), parsedArgs.EmitOptions.BaseAddress)
' test hex values being treated as hex
parsedArgs = DefaultParse({"/baseaddress:0x200", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H200, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0x400", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H400, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0x800", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H800, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0x1000", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H1000, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:0xFFFFFFFFFFFFFFFF", "a.vb"}, _baseDirectory)
Assert.Equal(ULong.MaxValue, parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:FFFFFFFFFFFFFFFF", "a.vb"}, _baseDirectory)
Assert.Equal(ULong.MaxValue, parsedArgs.EmitOptions.BaseAddress)
' test octal values being treated as hex
parsedArgs = DefaultParse({"/baseaddress:00", "a.vb"}, _baseDirectory)
Assert.Equal(CType(0, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:01024", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H1024, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:02048", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H2048, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:04096", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H4096, ULong), parsedArgs.EmitOptions.BaseAddress)
parsedArgs = DefaultParse({"/baseaddress:08192", "a.vb"}, _baseDirectory)
Assert.Equal(CType(&H8192, ULong), parsedArgs.EmitOptions.BaseAddress)
' test default (no value)
parsedArgs = DefaultParse({"/platform:x86", "a.vb"}, _baseDirectory)
Assert.Equal(CType(0, ULong), parsedArgs.EmitOptions.BaseAddress)
' test missing
parsedArgs = DefaultParse({"/baseaddress:", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("baseaddress", ":<number>"))
' test illegal
parsedArgs = DefaultParse({"/baseaddress:0x10000000000000000", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("baseaddress", "0x10000000000000000"))
parsedArgs = DefaultParse({"/BASEADDRESS:-1", "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("baseaddress", "-1"))
parsedArgs = DefaultParse({"/BASEADDRESS:" + ULong.MaxValue.ToString, "a.vb"}, _baseDirectory)
Verify(parsedArgs.Errors, Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("baseaddress", ULong.MaxValue.ToString))
End Sub
<Fact()>
Public Sub BinaryFile()
Dim binaryPath = Temp.CreateFile().WriteAllBytes(TestMetadata.ResourcesNet451.mscorlib).Path
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", binaryPath}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2015: the file '" + binaryPath + "' is not a text file", outWriter.ToString.Trim())
CleanupAllGeneratedFiles(binaryPath)
End Sub
<Fact()>
Public Sub AddModule()
Dim parsedArgs = DefaultParse({"/nostdlib", "/vbruntime-", "/addMODULE:c:\,d:\x\y\z,abc,,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
Assert.Equal(3, parsedArgs.MetadataReferences.Length)
Assert.Equal("c:\", parsedArgs.MetadataReferences(0).Reference)
Assert.Equal(MetadataImageKind.Module, parsedArgs.MetadataReferences(0).Properties.Kind)
Assert.Equal("d:\x\y\z", parsedArgs.MetadataReferences(1).Reference)
Assert.Equal(MetadataImageKind.Module, parsedArgs.MetadataReferences(1).Properties.Kind)
Assert.Equal("abc", parsedArgs.MetadataReferences(2).Reference)
Assert.Equal(MetadataImageKind.Module, parsedArgs.MetadataReferences(2).Properties.Kind)
Assert.False(parsedArgs.MetadataReferences(0).Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.False(parsedArgs.MetadataReferences(1).Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.False(parsedArgs.MetadataReferences(2).Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.True(parsedArgs.DefaultCoreLibraryReference.Value.Reference.EndsWith("mscorlib.dll", StringComparison.Ordinal))
Assert.Equal(MetadataImageKind.Assembly, parsedArgs.DefaultCoreLibraryReference.Value.Properties.Kind)
parsedArgs = DefaultParse({"/ADDMODULE", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("addmodule", ":<file_list>"))
parsedArgs = DefaultParse({"/addmodule:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("addmodule", ":<file_list>"))
parsedArgs = DefaultParse({"/addmodule+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/addmodule+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact()>
Public Sub LibPathsAndLibEnvVariable()
Dim parsedArgs = DefaultParse({"/libpath:c:\,d:\x\y\z,abc,,", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, Nothing, "c:\", "d:\x\y\z", Path.Combine(_baseDirectory, "abc"))
parsedArgs = DefaultParse({"/lib:c:\Windows", "/libpaths:abc\def, , , ", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, Nothing, "c:\Windows", Path.Combine(_baseDirectory, "abc\def"))
parsedArgs = DefaultParse({"/libpath", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("libpath", ":<path_list>"))
parsedArgs = DefaultParse({"/libpath:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("libpath", ":<path_list>"))
parsedArgs = DefaultParse({"/libpath+", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/libpath+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact(), WorkItem(546005, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546005")>
Public Sub LibPathsAndLibEnvVariable_Relative_vbc()
Dim tempFolder = Temp.CreateDirectory()
Dim baseDirectory = tempFolder.ToString()
Dim subFolder = tempFolder.CreateDirectory("temp")
Dim subDirectory = subFolder.ToString()
Dim src = Temp.CreateFile("a.vb")
src.WriteAllText("Imports System")
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, subDirectory, {"/nologo", "/t:library", "/out:abc.xyz", src.ToString()}).Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString().Trim())
outWriter = New StringWriter()
exitCode = New MockVisualBasicCompiler(Nothing, baseDirectory, {"/nologo", "/libpath:temp", "/r:abc.xyz.dll", "/t:library", src.ToString()}).Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", outWriter.ToString().Trim())
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub UnableWriteOutput()
Dim tempFolder = Temp.CreateDirectory()
Dim baseDirectory = tempFolder.ToString()
Dim subFolder = tempFolder.CreateDirectory("temp.dll")
Dim src = Temp.CreateFile("a.vb")
src.WriteAllText("Imports System")
Dim outWriter As New StringWriter()
Dim exitCode As Integer = New MockVisualBasicCompiler(Nothing, baseDirectory, {"/nologo", "/preferreduilang:en", "/t:library", "/out:" & subFolder.ToString(), src.ToString()}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.True(outWriter.ToString().Contains("error BC2012: can't open '" & subFolder.ToString() & "' for writing: ")) ' Cannot create a file when that file already exists.
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub SdkPathAndLibEnvVariable()
Dim parsedArgs = DefaultParse({"/libpath:c:lib2", "/sdkpath:<>,d:\sdk1", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
' invalid paths are ignored
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "d:\sdk1")
parsedArgs = DefaultParse({"/sdkpath:c:\Windows", "/sdkpath:d:\Windows", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "d:\Windows")
parsedArgs = DefaultParse({"/sdkpath:c:\Windows,d:\blah", "a.vb"}, _baseDirectory)
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "c:\Windows", "d:\blah")
parsedArgs = DefaultParse({"/libpath:c:\Windows,d:\blah", "/sdkpath:c:\lib2", "a.vb"}, _baseDirectory)
AssertReferencePathsEqual(parsedArgs.ReferencePaths, "c:\lib2", "c:\Windows", "d:\blah")
parsedArgs = DefaultParse({"/sdkpath", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("sdkpath", ":<path>"))
parsedArgs = DefaultParse({"/sdkpath:", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("sdkpath", ":<path>"))
parsedArgs = DefaultParse({"/sdkpath+", "/vbruntime*", "/nostdlib", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/sdkpath+")) ' TODO: Dev11 reports ERR_ArgumentRequired
End Sub
<Fact()>
Public Sub VbRuntime()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Imports Microsoft.VisualBasic
Class C
Dim a = vbLf
Dim b = Loc
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30455: Argument not specified for parameter 'FileNumber' of 'Public Function Loc(FileNumber As Integer) As Long'.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime+ /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30455: Argument not specified for parameter 'FileNumber' of 'Public Function Loc(FileNumber As Integer) As Long'.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime* /t:library /r:System.dll " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30451: 'Loc' is not declared. It may be inaccessible due to its protection level.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime+ /vbruntime:abc /vbruntime* /t:library /r:System.dll " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30451: 'Loc' is not declared. It may be inaccessible due to its protection level.
Dim b = Loc
~~~
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime+ /vbruntime:abc /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'abc'
</text>, output)
Dim newVbCore = dir.CreateFile("Microsoft.VisualBasic.dll")
newVbCore.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "Microsoft.VisualBasic.dll")))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /vbruntime:" & newVbCore.ToString() & " /t:library " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(5) : error BC30455: Argument not specified for parameter 'FileNumber' of 'Public Function Loc(FileNumber As Integer) As Long'.
Dim b = Loc
~~~
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<WorkItem(997208, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/997208")>
<Fact>
Public Sub VbRuntime02()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Imports Microsoft.VisualBasic
Class C
Dim a = vbLf
Dim b = Loc
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /r:mscorlib.dll /vbruntime- /t:library /d:_MyType=\""Empty\"" " & src.ToString(), expectedRetCode:=1)
AssertOutput(
<text>
src.vb(2) : warning BC40056: Namespace or type specified in the Imports 'Microsoft.VisualBasic' 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.
Imports Microsoft.VisualBasic
~~~~~~~~~~~~~~~~~~~~~
src.vb(4) : error BC30451: 'vbLf' is not declared. It may be inaccessible due to its protection level.
Dim a = vbLf
~~~~
src.vb(5) : error BC30451: 'Loc' is not declared. It may be inaccessible due to its protection level.
Dim b = Loc
~~~
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub VbRuntimeEmbeddedIsIncompatibleWithNetModule()
Dim opt = TestOptions.ReleaseModule
opt = opt.WithEmbedVbCoreRuntime(True)
opt.Errors.Verify(Diagnostic(ERRID.ERR_VBCoreNetModuleConflict))
CreateCompilationWithMscorlib40AndVBRuntime(<compilation><file/></compilation>, opt).GetDiagnostics().Verify(Diagnostic(ERRID.ERR_VBCoreNetModuleConflict))
opt = opt.WithOutputKind(OutputKind.DynamicallyLinkedLibrary)
opt.Errors.Verify()
CreateCompilationWithMscorlib40AndVBRuntime(<compilation><file/></compilation>, opt).GetDiagnostics().Verify()
End Sub
<Fact()>
Public Sub SdkPathInAction()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:l:\x /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /r:mscorlib.dll /vbruntime- /sdkpath:c:folder /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'mscorlib.dll'
</text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:" & dir.Path & " /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
' Create 'System.Runtime.dll'
Dim sysRuntime = dir.CreateFile("System.Runtime.dll")
sysRuntime.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.Runtime.dll")))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:" & dir.Path & " /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
' trash in 'System.Runtime.dll'
sysRuntime.WriteAllBytes({0, 1, 2, 3, 4, 5})
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:" & dir.Path & " /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
' Create 'mscorlib.dll'
Dim msCorLib = dir.CreateFile("mscorlib.dll")
msCorLib.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "mscorlib.dll")))
' NOT: both libraries exist, but 'System.Runtime.dll' is invalid, so we need to pick up 'mscorlib.dll'
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /nostdlib /sdkpath:" & dir.Path & " /t:library /vbruntime* /r:" & Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.dll") & " " & src.ToString(), startFolder:=dir.Path)
AssertOutput(<text></text>, output.Replace(dir.Path, "{SDKPATH}")) ' SUCCESSFUL BUILD with 'mscorlib.dll' and embedded VbCore
File.Delete(sysRuntime.Path)
' NOTE: only 'mscorlib.dll' exists
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /nostdlib /sdkpath:" & dir.Path & " /t:library /vbruntime* /r:" & Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.dll") & " " & src.ToString(), startFolder:=dir.Path)
AssertOutput(<text></text>, output.Replace(dir.Path, "{SDKPATH}"))
File.Delete(msCorLib.Path)
CleanupAllGeneratedFiles(src.Path)
End Sub
<WorkItem(598158, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/598158")>
<Fact()>
Public Sub MultiplePathsInSdkPath()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output As String = ""
Dim subFolder1 = dir.CreateDirectory("fldr1")
Dim subFolder2 = dir.CreateDirectory("fldr2")
Dim sdkMultiPath = subFolder1.Path & "," & subFolder2.Path
Dim cmd As String = " /nologo /preferreduilang:en /sdkpath:" & sdkMultiPath &
" /t:library /r:" & Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "System.dll") &
" " & src.ToString()
Dim cmdNoStdLibNoRuntime As String = "/nostdlib /vbruntime* /r:mscorlib.dll /preferreduilang:en" & cmd
' NOTE: no 'mscorlib.dll' exists
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, cmdNoStdLibNoRuntime, startFolder:=dir.Path, expectedRetCode:=1)
AssertOutput(<text>vbc : error BC2017: could not find library 'mscorlib.dll'</text>, output.Replace(dir.Path, "{SDKPATH}"))
' Create '<dir>\fldr2\mscorlib.dll'
Dim msCorLib = subFolder2.CreateFile("mscorlib.dll")
msCorLib.WriteAllBytes(File.ReadAllBytes(Path.Combine(RuntimeEnvironment.GetRuntimeDirectory(), "mscorlib.dll")))
' NOTE: only 'mscorlib.dll' exists
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, cmdNoStdLibNoRuntime, startFolder:=dir.Path)
AssertOutput(<text></text>, output.Replace(dir.Path, "{SDKPATH}"))
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, cmd, startFolder:=dir.Path, expectedRetCode:=1)
AssertOutput(
<text>
vbc : warning BC40049: Could not find standard library 'System.dll'.
vbc : error BC2017: could not find library 'Microsoft.VisualBasic.dll'
</text>, output.Replace(dir.Path, "{SDKPATH}"))
File.Delete(msCorLib.Path)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact()>
Public Sub NostdlibInAction()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /t:library " & src.ToString(), startFolder:=dir.Path, expectedRetCode:=1)
Assert.Contains("error BC30002: Type 'Global.System.ComponentModel.EditorBrowsable' is not defined.", output, StringComparison.Ordinal)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /nostdlib /define:_MYTYPE=\""Empty\"" /t:library " & src.ToString(), startFolder:=dir.Path)
AssertOutput(<text></text>, output)
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /nostdlib /sdkpath:x:\ /vbruntime- /define:_MYTYPE=\""Empty\"" /t:library " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text>
src.vb(2) : error BC30002: Type 'System.Void' is not defined.
Class C
~~~~~~~
End Class
~~~~~~~~~
src.vb(2) : error BC31091: Import of type 'Object' from assembly or module 'src.dll' failed.
Class C
~
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
Private Sub AssertOutput(expected As XElement, output As String, Optional fileName As String = "src.vb")
AssertOutput(expected.Value, output, fileName)
End Sub
Private Sub AssertOutput(expected As String, output As String, Optional fileName As String = "src.vb")
output = Regex.Replace(output, "^.*" & fileName, fileName, RegexOptions.Multiline)
output = Regex.Replace(output, "\r\n\s*\r\n", vbCrLf) ' empty strings
output = output.Trim()
Assert.Equal(expected.Replace(vbLf, vbCrLf).Trim, output)
End Sub
<Fact()>
Public Sub ResponsePathInSearchPath()
Dim file = Temp.CreateDirectory().CreateFile("vb.rsp")
file.WriteAllText("")
Dim parsedArgs = DefaultParse({"/libpath:c:\lib2,", "@" & file.ToString(), "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
AssertReferencePathsEqual(parsedArgs.ReferencePaths, Nothing, Path.GetDirectoryName(file.ToString()), "c:\lib2")
CleanupAllGeneratedFiles(file.Path)
End Sub
Private Sub AssertReferencePathsEqual(refPaths As ImmutableArray(Of String), sdkPathOrNothing As String, ParamArray paths() As String)
Assert.Equal(1 + paths.Length, refPaths.Length)
Assert.Equal(If(sdkPathOrNothing, RuntimeEnvironment.GetRuntimeDirectory()), refPaths(0))
For i = 0 To paths.Count - 1
Assert.Equal(paths(i), refPaths(i + 1))
Next
End Sub
<Fact()>
Public Sub HighEntropyVirtualAddressSpace()
Dim parsedArgs = DefaultParse({"/highentropyva", "a.vb"}, _baseDirectory)
Assert.True(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
parsedArgs = DefaultParse({"/highentropyva+", "a.vb"}, _baseDirectory)
Assert.True(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
parsedArgs = DefaultParse({"/highentropyva-", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
parsedArgs = DefaultParse({"/highentropyva:+", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
Verify(parsedArgs.Errors, Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/highentropyva:+"))
parsedArgs = DefaultParse({"/highentropyva:", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
Verify(parsedArgs.Errors, Diagnostic(ERRID.WRN_BadSwitch).WithArguments("/highentropyva:"))
parsedArgs = DefaultParse({"/highentropyva+ /highentropyva-", "a.vb"}, _baseDirectory)
Assert.False(parsedArgs.EmitOptions.HighEntropyVirtualAddressSpace)
End Sub
<Fact>
Public Sub Win32ResQuotes()
Dim responseFile As String() = {
" /win32resource:d:\\""abc def""\a""b c""d\a.res"
}
Dim args = DefaultParse(VisualBasicCommandLineParser.ParseResponseLines(responseFile), "c:\")
Assert.Equal("d:\abc def\ab cd\a.res", args.Win32ResourceFile)
responseFile = {
" /win32icon:d:\\""abc def""\a""b c""d\a.ico"
}
args = DefaultParse(VisualBasicCommandLineParser.ParseResponseLines(responseFile), "c:\")
Assert.Equal("d:\abc def\ab cd\a.ico", args.Win32Icon)
responseFile = {
" /win32manifest:d:\\""abc def""\a""b c""d\a.manifest"
}
args = DefaultParse(VisualBasicCommandLineParser.ParseResponseLines(responseFile), "c:\")
Assert.Equal("d:\abc def\ab cd\a.manifest", args.Win32Manifest)
End Sub
<Fact>
Public Sub ResourceOnlyCompile()
Dim parsedArgs = DefaultParse({"/resource:goo.vb,ed", "/out:e.dll"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/resource:goo.vb,ed"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_NoSourcesOut))
End Sub
<Fact>
Public Sub OutputFileName1()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library"},
expectedOutputName:="p.dll")
End Sub
<Fact>
Public Sub OutputFileName2()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:r.dll"},
expectedOutputName:="r.dll")
End Sub
<Fact>
Public Sub OutputFileName3()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe"},
expectedOutputName:="p.exe")
End Sub
<Fact>
Public Sub OutputFileName4()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe", "/out:r.exe"},
expectedOutputName:="r.exe")
End Sub
<Fact>
Public Sub OutputFileName5()
Dim source1 = <![CDATA[
Class A
Shared Sub Main()
End Sub
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe", "/main:A"},
expectedOutputName:="p.exe")
End Sub
<Fact>
Public Sub OutputFileName6()
Dim source1 = <![CDATA[
Class A
Shared Sub Main()
End Sub
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:exe", "/main:B"},
expectedOutputName:="p.exe")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName7()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:goo"},
expectedOutputName:="goo.dll")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName8()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:goo. "},
expectedOutputName:="goo.dll")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName9()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:library", "/out:goo.a"},
expectedOutputName:="goo.a.dll")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName10()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:module", "/out:goo.a"},
expectedOutputName:="goo.a")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName11()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:module", "/out:goo.a . . . . "},
expectedOutputName:="goo.a")
End Sub
<WorkItem(545773, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545773")>
<Fact>
Public Sub OutputFileName12()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from command-line option.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:module", "/out:goo. . . . . "},
expectedOutputName:="goo.netmodule")
End Sub
<Fact>
Public Sub OutputFileName13()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:winmdobj"},
expectedOutputName:="p.winmdobj")
End Sub
<Fact>
Public Sub OutputFileName14()
Dim source1 = <![CDATA[
Class A
End Class
]]>
Dim source2 = <![CDATA[
Class B
Shared Sub Main()
End Sub
End Class
]]>
' Name comes from name of first file.
CheckOutputFileName(
source1, source2,
inputName1:="p.cs", inputName2:="q.cs",
commandLineArguments:={"/target:appcontainerexe"},
expectedOutputName:="p.exe")
End Sub
Private Sub CheckOutputFileName(source1 As XCData, source2 As XCData, inputName1 As String, inputName2 As String, commandLineArguments As String(), expectedOutputName As String)
Dim dir = Temp.CreateDirectory()
Dim file1 = dir.CreateFile(inputName1)
file1.WriteAllText(source1.Value)
Dim file2 = dir.CreateFile(inputName2)
file2.WriteAllText(source2.Value)
Dim outWriter As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, commandLineArguments.Concat({inputName1, inputName2}).ToArray())
Dim exitCode As Integer = vbc.Run(outWriter, Nothing)
If exitCode <> 0 Then
Console.WriteLine(outWriter.ToString())
Assert.Equal(0, exitCode)
End If
Assert.Equal(1, Directory.EnumerateFiles(dir.Path, "*" & PathUtilities.GetExtension(expectedOutputName)).Count())
Assert.Equal(1, Directory.EnumerateFiles(dir.Path, expectedOutputName).Count())
If System.IO.File.Exists(expectedOutputName) Then
System.IO.File.Delete(expectedOutputName)
End If
CleanupAllGeneratedFiles(file1.Path)
CleanupAllGeneratedFiles(file2.Path)
End Sub
Private Shared Sub AssertSpecificDiagnostics(expectedCodes As Integer(), expectedOptions As ReportDiagnostic(), args As VisualBasicCommandLineArguments)
Dim actualOrdered = args.CompilationOptions.SpecificDiagnosticOptions.OrderBy(Function(entry) entry.Key)
AssertEx.Equal(
expectedCodes.Select(Function(i) MessageProvider.Instance.GetIdForErrorCode(i)),
actualOrdered.Select(Function(entry) entry.Key))
AssertEx.Equal(expectedOptions, actualOrdered.Select(Function(entry) entry.Value))
End Sub
<Fact>
Public Sub WarningsOptions()
' Baseline
Dim parsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors
parsedArgs = DefaultParse({"/warnaserror", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Error, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors+
parsedArgs = DefaultParse({"/warnaserror+", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Error, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors:
parsedArgs = DefaultParse({"/warnaserror:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors:42024,42025
parsedArgs = DefaultParse({"/warnaserror:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Error, ReportDiagnostic.Error}, parsedArgs)
' Test for /warnaserrors+:
parsedArgs = DefaultParse({"/warnaserror+:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors+:42024,42025
parsedArgs = DefaultParse({"/warnaserror+:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Error, ReportDiagnostic.Error}, parsedArgs)
' Test for /warnaserrors-
parsedArgs = DefaultParse({"/warnaserror-", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors-:
parsedArgs = DefaultParse({"/warnaserror-:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /warnaserrors-:42024,42025
parsedArgs = DefaultParse({"/warnaserror-:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Default, ReportDiagnostic.Default}, parsedArgs)
' Test for /nowarn
parsedArgs = DefaultParse({"/nowarn", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Suppress, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /nowarn:
parsedArgs = DefaultParse({"/nowarn:", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
' Test for /nowarn:42024,42025
parsedArgs = DefaultParse({"/nowarn:42024,42025", "a.vb"}, _baseDirectory)
Assert.Equal(ReportDiagnostic.Default, parsedArgs.CompilationOptions.GeneralDiagnosticOption)
AssertSpecificDiagnostics({42024, 42025}, {ReportDiagnostic.Suppress, ReportDiagnostic.Suppress}, parsedArgs)
End Sub
<Fact()>
Public Sub WarningsErrors()
' Previous versions of the compiler used to report warnings (BC2026, BC2014)
' whenever an unrecognized warning code was supplied via /nowarn or /warnaserror.
' We no longer generate a warning in such cases.
' Test for /warnaserrors:1
Dim parsedArgs = DefaultParse({"/warnaserror:1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
' Test for /warnaserrors:abc
parsedArgs = DefaultParse({"/warnaserror:abc", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
' Test for /nowarn:1
parsedArgs = DefaultParse({"/nowarn:1", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
' Test for /nowarn:abc
parsedArgs = DefaultParse({"/nowarn:abc", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
End Sub
<WorkItem(545025, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545025")>
<Fact()>
Public Sub CompilationWithWarnAsError()
Dim source = <![CDATA[
Class A
Shared Sub Main()
End Sub
End Class
]]>
' Baseline without warning options (expect success)
Dim exitCode As Integer = GetExitCode(source.Value, "a.vb", {})
Assert.Equal(0, exitCode)
' The case with /warnaserror (expect to be success, since there will be no warning)
exitCode = GetExitCode(source.Value, "b.vb", {"/warnaserror"})
Assert.Equal(0, exitCode)
' The case with /warnaserror and /nowarn:1 (expect success)
' Note that even though the command line option has a warning, it is not going to become an error
' in order to avoid the halt of compilation.
exitCode = GetExitCode(source.Value, "c.vb", {"/warnaserror", "/nowarn:1"})
Assert.Equal(0, exitCode)
End Sub
Public Function GetExitCode(source As String, fileName As String, commandLineArguments As String()) As Integer
Dim dir = Temp.CreateDirectory()
Dim file1 = dir.CreateFile(fileName)
file1.WriteAllText(source)
Dim outWriter As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, commandLineArguments.Concat({fileName}).ToArray())
Return vbc.Run(outWriter, Nothing)
End Function
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_01()
Dim source =
<compilation>
<file name="a.vb">Imports System
Module Program
Sub Main(args As String())
Dim x As Integer
Dim yy As Integer
Const zzz As Long = 0
End Sub
Function goo()
End Function
End Module
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(5) : warning BC42024: Unused local variable: 'x'.
Dim x As Integer
~
PATH(6) : warning BC42024: Unused local variable: 'yy'.
Dim yy As Integer
~~
PATH(7) : warning BC42099: Unused local constant: 'zzz'.
Const zzz As Long = 0
~~~
PATH(11) : warning BC42105: Function 'goo' doesn't return a value on all code paths. A null reference exception could occur at run time when the result is used.
End Function
~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Dim expected = ReplacePathAndVersionAndHash(result, file).Trim()
Dim actual = output.ToString().Trim()
Assert.Equal(expected, actual)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_02()
' It verifies the case where diagnostic does not have the associated location in it.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System.Runtime.CompilerServices
Module Module1
Delegate Sub delegateType()
Sub main()
Dim a As ArgIterator = Nothing
Dim d As delegateType = AddressOf a.Goo
End Sub
<Extension()> _
Public Function Goo(ByVal x As ArgIterator) as Integer
Return 1
End Function
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(9) : error BC36640: Instance of restricted type 'ArgIterator' cannot be used in a lambda expression.
Dim d As delegateType = AddressOf a.Goo
~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "-imports:System"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_03()
' It verifies the case where the squiggles covers the error span with tabs in it.
Dim source = "Module Module1" + vbCrLf +
" Sub Main()" + vbCrLf +
" Dim x As Integer = ""a" + vbTab + vbTab + vbTab + "b""c ' There is a tab in the string." + vbCrLf +
" End Sub" + vbCrLf +
"End Module" + vbCrLf
Dim result = <file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(3) : error BC30201: Expression expected.
Dim x As Integer = "a b"c ' There is a tab in the string.
~
PATH(3) : error BC30004: Character constant must contain exactly one character.
Dim x As Integer = "a b"c ' There is a tab in the string.
~~~~~~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Dim expected = ReplacePathAndVersionAndHash(result, file).Trim()
Dim actual = output.ToString().Trim()
Assert.Equal(expected, actual)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_04()
' It verifies the case where the squiggles covers multiple lines.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System.Collections.Generic
Module Module1
Sub Main()
Dim i3 = From el In {
3, 33, 333
} Select el
End Sub
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(5) : error BC36593: Expression of type 'Integer()' is not queryable. Make sure you are not missing an assembly reference and/or namespace import for the LINQ provider.
Dim i3 = From el In {
~
3, 33, 333
~~~~~~~~~~~~~~~~~~~~~~~~~~
} Select el
~~~~~~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_05()
' It verifies the case where the squiggles covers multiple lines.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System.Collections.Generic
Module _
Module1
Sub Main()
End Sub
'End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(3) : error BC30625: 'Module' statement must end with a matching 'End Module'.
Module _
~~~~~~~~
Module1
~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_06()
' It verifies the case where the squiggles covers the very long error span.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Imports System.Collections.Generic
Module Program
Event eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee()
Event eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee()
Sub Main(args As String())
End Sub
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(7) : error BC37220: Name 'eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeEventHandler' exceeds the maximum length allowed in metadata.
Event eeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeeee()
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545214, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545214")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_07()
' It verifies the case where the error is on the last line.
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
Console.WriteLine("Hello from VB")
End Sub
End Class]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(4) : error BC30625: 'Module' statement must end with a matching 'End Module'.
Module Module1
~~~~~~~~~~~~~~
PATH(8) : error BC30460: 'End Class' must be preceded by a matching 'Class'.
End Class
~~~~~~~~~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(531606, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531606")>
<Fact()>
Public Sub ErrorMessageWithSquiggles_08()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
Dim i As system.Boolean,
End Sub
End Module
]]>
</file>
</compilation>
Dim result =
<file name="output">Microsoft (R) Visual Basic Compiler version VERSION (HASH)
Copyright (C) Microsoft Corporation. All rights reserved.
PATH(6) : error BC30203: Identifier expected.
Dim i As system.Boolean,
~
</file>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en"})
vbc.Run(output, Nothing)
Assert.Equal(ReplacePathAndVersionAndHash(result, file), output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
Private Shared Function ReplacePathAndVersionAndHash(result As XElement, file As TempFile) As String
Return result.Value.Replace("PATH", file.Path).Replace("VERSION (HASH)", s_compilerVersion).Replace(vbLf, vbCrLf)
End Function
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithNonExistingOutPath()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/target:exe", "/preferreduilang:en", "/out:sub\a.exe"})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2012: can't open '" + dir.Path + "\sub\a.exe' for writing", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_01()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out:sub\"})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Dim message = output.ToString()
Assert.Contains("error BC2032: File name", message, StringComparison.Ordinal)
Assert.Contains("sub", message, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_02()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out:sub\ "})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Dim message = output.ToString()
Assert.Contains("error BC2032: File name", message, StringComparison.Ordinal)
Assert.Contains("sub", message, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_03()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out:aaa:\a.exe"})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2032: File name 'aaa:\a.exe' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(545247, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545247")>
<Fact()>
Public Sub CompilationWithWrongOutPath_04()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, "/preferreduilang:en", "/target:exe", "/out: "})
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2006: option 'out' requires ':<file>'", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact()>
Public Sub SpecifyProperCodePage()
' Class <UTF8 Cyrillic Character>
' End Class
Dim source() As Byte = {
&H43, &H6C, &H61, &H73, &H73, &H20, &HD0, &H96, &HD, &HA,
&H45, &H6E, &H64, &H20, &H43, &H6C, &H61, &H73, &H73
}
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllBytes(source)
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /t:library " & file.ToString(), startFolder:=dir.Path)
Assert.Equal("", output) ' Autodetected UTF8, NO ERROR
output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /preferreduilang:en /t:library /codepage:20127 " & file.ToString(), expectedRetCode:=1, startFolder:=dir.Path) ' 20127: US-ASCII
' 0xd0, 0x96 ==> 'Ж' ==> ERROR
Dim expected = <result>
a.vb(1) : error BC30203: Identifier expected.
Class ??
~
</result>.Value.Replace(vbLf, vbCrLf).Trim()
Dim actual = Regex.Replace(output, "^.*a.vb", "a.vb", RegexOptions.Multiline).Trim()
Assert.Equal(expected, actual)
End Sub
<Fact()>
Public Sub EmittedSubsystemVersion()
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(
<text>
Class C
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim comp = VisualBasicCompilation.Create("a.dll", options:=TestOptions.ReleaseDll)
Dim peHeaders = New PEHeaders(comp.EmitToStream(New EmitOptions(subsystemVersion:=SubsystemVersion.Create(5, 1))))
Assert.Equal(5, peHeaders.PEHeader.MajorSubsystemVersion)
Assert.Equal(1, peHeaders.PEHeader.MinorSubsystemVersion)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub DefaultManifestForExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="490">
<Contents><![CDATA[<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="MyApplication.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.ConsoleApplication, explicitManifest:=Nothing, expectedManifest:=expectedManifest)
End Sub
<Fact>
Public Sub DefaultManifestForDll()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
CheckManifestXml(source, OutputKind.DynamicallyLinkedLibrary, explicitManifest:=Nothing, expectedManifest:=Nothing)
End Sub
<Fact>
Public Sub DefaultManifestForModule()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
CheckManifestXml(source, OutputKind.NetModule, explicitManifest:=Nothing, expectedManifest:=Nothing)
End Sub
<Fact>
Public Sub DefaultManifestForWinExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="490">
<Contents><![CDATA[<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="MyApplication.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.WindowsApplication, explicitManifest:=Nothing, expectedManifest:=expectedManifest)
End Sub
<Fact>
Public Sub DefaultManifestForAppContainerExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="490">
<Contents><![CDATA[<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="MyApplication.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.WindowsRuntimeApplication, explicitManifest:=Nothing, expectedManifest:=expectedManifest)
End Sub
<Fact>
Public Sub DefaultManifestForWinMDObj()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
CheckManifestXml(source, OutputKind.WindowsRuntimeMetadata, explicitManifest:=Nothing, expectedManifest:=Nothing)
End Sub
<Fact>
Public Sub ExplicitManifestForExe()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim explicitManifest =
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="421">
<Contents><![CDATA[<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app" />
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false" />
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.ConsoleApplication, explicitManifest, expectedManifest)
End Sub
<Fact>
Public Sub ExplicitManifestResForDll()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim explicitManifest =
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>
Dim expectedManifest =
<?xml version="1.0" encoding="utf-16"?>
<ManifestResource Size="421">
<Contents><![CDATA[<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app" />
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false" />
</requestedPrivileges>
</security>
</trustInfo>
</assembly>]]></Contents>
</ManifestResource>
CheckManifestXml(source, OutputKind.DynamicallyLinkedLibrary, explicitManifest, expectedManifest)
End Sub
<Fact>
Public Sub ExplicitManifestForModule()
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Imports System
Module Module1
Sub Main()
End Sub
End Module
]]>
</file>
</compilation>
Dim explicitManifest =
<?xml version="1.0" encoding="UTF-8" standalone="yes"?>
<assembly xmlns="urn:schemas-microsoft-com:asm.v1" manifestVersion="1.0">
<assemblyIdentity version="1.0.0.0" name="Test.app"/>
<trustInfo xmlns="urn:schemas-microsoft-com:asm.v2">
<security>
<requestedPrivileges xmlns="urn:schemas-microsoft-com:asm.v3">
<requestedExecutionLevel level="asInvoker" uiAccess="false"/>
</requestedPrivileges>
</security>
</trustInfo>
</assembly>
CheckManifestXml(source, OutputKind.NetModule, explicitManifest, expectedManifest:=Nothing)
End Sub
<DllImport("kernel32.dll", SetLastError:=True)> Public Shared Function _
LoadLibraryEx(lpFileName As String, hFile As IntPtr, dwFlags As UInteger) As IntPtr
End Function
<DllImport("kernel32.dll", SetLastError:=True)> Public Shared Function _
FreeLibrary(hFile As IntPtr) As Boolean
End Function
Private Sub CheckManifestXml(source As XElement, outputKind As OutputKind, explicitManifest As XDocument, expectedManifest As XDocument)
Dim dir = Temp.CreateDirectory()
Dim sourceFile = dir.CreateFile("Test.cs").WriteAllText(source.Value)
Dim outputFileName As String
Dim target As String
Select Case outputKind
Case OutputKind.ConsoleApplication
outputFileName = "Test.exe"
target = "exe"
Case OutputKind.WindowsApplication
outputFileName = "Test.exe"
target = "winexe"
Case OutputKind.DynamicallyLinkedLibrary
outputFileName = "Test.dll"
target = "library"
Case OutputKind.NetModule
outputFileName = "Test.netmodule"
target = "module"
Case OutputKind.WindowsRuntimeMetadata
outputFileName = "Test.winmdobj"
target = "winmdobj"
Case OutputKind.WindowsRuntimeApplication
outputFileName = "Test.exe"
target = "appcontainerexe"
Case Else
Throw TestExceptionUtilities.UnexpectedValue(outputKind)
End Select
Dim vbc As VisualBasicCompiler
Dim manifestFile As TempFile
If explicitManifest Is Nothing Then
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
String.Format("/target:{0}", target),
String.Format("/out:{0}", outputFileName),
Path.GetFileName(sourceFile.Path)
})
Else
manifestFile = dir.CreateFile("Test.config").WriteAllText(explicitManifest.ToString())
vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{
String.Format("/target:{0}", target),
String.Format("/out:{0}", outputFileName),
String.Format("/win32manifest:{0}", Path.GetFileName(manifestFile.Path)),
Path.GetFileName(sourceFile.Path)
})
End If
Assert.Equal(0, vbc.Run(New StringWriter(), Nothing))
Dim library As IntPtr = LoadLibraryEx(Path.Combine(dir.Path, outputFileName), IntPtr.Zero, 2)
If library = IntPtr.Zero Then
Throw New Win32Exception(Marshal.GetLastWin32Error())
End If
Const resourceType As String = "#24"
Dim resourceId As String = If(outputKind = OutputKind.DynamicallyLinkedLibrary, "#2", "#1")
Dim manifestSize As UInteger = Nothing
If expectedManifest Is Nothing Then
Assert.Throws(Of Win32Exception)(Function() Win32Res.GetResource(library, resourceId, resourceType, manifestSize))
Else
Dim manifestResourcePointer As IntPtr = Win32Res.GetResource(library, resourceId, resourceType, manifestSize)
Dim actualManifest As String = Win32Res.ManifestResourceToXml(manifestResourcePointer, manifestSize)
Assert.Equal(expectedManifest.ToString(), XDocument.Parse(actualManifest).ToString())
End If
FreeLibrary(library)
CleanupAllGeneratedFiles(sourceFile.Path)
End Sub
<WorkItem(530221, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/530221")>
<WorkItem(5664, "https://github.com/dotnet/roslyn/issues/5664")>
<ConditionalFact(GetType(IsEnglishLocal))>
Public Sub Bug15538()
' The icacls command fails on our Helix machines And it appears to be related to the use of the $ in
' the username.
' https://github.com/dotnet/roslyn/issues/28836
If StringComparer.OrdinalIgnoreCase.Equals(Environment.UserDomainName, "WORKGROUP") Then
Return
End If
Dim folder = Temp.CreateDirectory()
Dim source As String = folder.CreateFile("src.vb").WriteAllText("").Path
Dim ref As String = folder.CreateFile("ref.dll").WriteAllText("").Path
Try
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C icacls " & ref & " /inheritance:r /Q")
Assert.Equal("Successfully processed 1 files; Failed processing 0 files", output.Trim())
output = ProcessUtilities.RunAndGetOutput("cmd", "/C icacls " & ref & " /deny %USERDOMAIN%\%USERNAME%:(r,WDAC) /Q")
Assert.Equal("Successfully processed 1 files; Failed processing 0 files", output.Trim())
output = ProcessUtilities.RunAndGetOutput("cmd", "/C """ & s_basicCompilerExecutable & """ /nologo /preferreduilang:en /r:" & ref & " /t:library " & source, expectedRetCode:=1)
Assert.True(output.StartsWith("vbc : error BC31011: Unable to load referenced library '" & ref & "': Access to the path '" & ref & "' is denied.", StringComparison.Ordinal))
Finally
Dim output = ProcessUtilities.RunAndGetOutput("cmd", "/C icacls " & ref & " /reset /Q")
Assert.Equal("Successfully processed 1 files; Failed processing 0 files", output.Trim())
File.Delete(ref)
End Try
CleanupAllGeneratedFiles(source)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_01()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
Dim x As Integer
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/warnaserror
</text>.Value).Path
' Checks the base case without /noconfig (expect to see error)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
' Checks the base case with /noconfig (expect to see warning, instead of error)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/noconfig"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
' Checks the base case with /NOCONFIG (expect to see warning, instead of error)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/NOCONFIG"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
' Checks the base case with -noconfig (expect to see warning, instead of error)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "-noconfig"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC42024: Unused local variable: 'x'.", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_02()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/noconfig
</text>.Value).Path
' Checks the case with /noconfig inside the response file (expect to see warning)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
' Checks the case with /noconfig inside the response file as along with /nowarn (expect to see warning)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/nowarn"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_03()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
/NOCONFIG
</text>.Value).Path
' Checks the case with /noconfig inside the response file (expect to see warning)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
' Checks the case with /NOCONFIG inside the response file as along with /nowarn (expect to see warning)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/nowarn"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(544926, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/544926")>
<Fact()>
Public Sub ResponseFilesWithNoconfig_04()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
-noconfig
</text>.Value).Path
' Checks the case with /noconfig inside the response file (expect to see warning)
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
' Checks the case with -noconfig inside the response file as along with /nowarn (expect to see warning)
vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en", "/nowarn"})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Contains("warning BC2025: ignoring /noconfig option because it was specified in a response file", output.ToString(), StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(545832, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/545832")>
<Fact()>
Public Sub ResponseFilesWithEmptyAliasReference()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
</text>.Value).Path
Dim rsp As String = Temp.CreateFile().WriteAllText(<text>
-nologo
/r:a=""""
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(rsp, _baseDirectory, {source, "/preferreduilang:en"})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2017: could not find library 'a='", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(rsp)
End Sub
<WorkItem(546031, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546031")>
<WorkItem(546032, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546032")>
<WorkItem(546033, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546033")>
<Fact()>
Public Sub InvalidDefineSwitch()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Imports System
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define", source})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'define' requires ':<symbol_list>'", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'define' requires ':<symbol_list>'", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define: ", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC2006: option 'define' requires ':<symbol_list>'", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_,", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_a,", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_ a,", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ a' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:a,_,b", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:_ ", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"-nologo", "/preferreduilang:en", "/t:libraRY", "/define:a,_", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant '_ ^^ ^^ ' is not valid: Identifier expected.", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
End Sub
Private Function GetDefaultResponseFilePath() As String
Return Temp.CreateFile().WriteAllBytes(GetType(CommandLineTests).Assembly.GetManifestResourceStream("vbc.rsp").ReadAllBytes()).Path
End Function
<Fact>
Public Sub DefaultResponseFile()
Dim defaultResponseFile = GetDefaultResponseFilePath()
Assert.True(File.Exists(defaultResponseFile))
Dim vbc As New MockVisualBasicCompiler(defaultResponseFile, _baseDirectory, {})
' VB includes these by default, with or without the default response file.
Dim corlibLocation = GetType(Object).Assembly.Location
Dim corlibDir = Path.GetDirectoryName(corlibLocation)
Dim systemLocation = Path.Combine(corlibDir, "System.dll")
Dim msvbLocation = Path.Combine(corlibDir, "Microsoft.VisualBasic.dll")
Assert.Equal(vbc.Arguments.MetadataReferences.Select(Function(r) r.Reference),
{
"Accessibility.dll",
"System.Configuration.dll",
"System.Configuration.Install.dll",
"System.Data.dll",
"System.Data.OracleClient.dll",
"System.Deployment.dll",
"System.Design.dll",
"System.DirectoryServices.dll",
"System.dll",
"System.Drawing.Design.dll",
"System.Drawing.dll",
"System.EnterpriseServices.dll",
"System.Management.dll",
"System.Messaging.dll",
"System.Runtime.Remoting.dll",
"System.Runtime.Serialization.Formatters.Soap.dll",
"System.Security.dll",
"System.ServiceProcess.dll",
"System.Transactions.dll",
"System.Web.dll",
"System.Web.Mobile.dll",
"System.Web.RegularExpressions.dll",
"System.Web.Services.dll",
"System.Windows.Forms.dll",
"System.XML.dll",
"System.Workflow.Activities.dll",
"System.Workflow.ComponentModel.dll",
"System.Workflow.Runtime.dll",
"System.Runtime.Serialization.dll",
"System.ServiceModel.dll",
"System.Core.dll",
"System.Xml.Linq.dll",
"System.Data.Linq.dll",
"System.Data.DataSetExtensions.dll",
"System.Web.Extensions.dll",
"System.Web.Extensions.Design.dll",
"System.ServiceModel.Web.dll",
systemLocation,
msvbLocation
}, StringComparer.OrdinalIgnoreCase)
Assert.Equal(vbc.Arguments.CompilationOptions.GlobalImports.Select(Function(i) i.Name),
{
"System",
"Microsoft.VisualBasic",
"System.Linq",
"System.Xml.Linq"
})
Assert.True(vbc.Arguments.CompilationOptions.OptionInfer)
End Sub
<Fact>
Public Sub DefaultResponseFileNoConfig()
Dim defaultResponseFile = GetDefaultResponseFilePath()
Assert.True(File.Exists(defaultResponseFile))
Dim vbc As New MockVisualBasicCompiler(defaultResponseFile, _baseDirectory, {"/noconfig"})
' VB includes these by default, with or without the default response file.
Dim corlibLocation = GetType(Object).Assembly.Location
Dim corlibDir = Path.GetDirectoryName(corlibLocation)
Dim systemLocation = Path.Combine(corlibDir, "System.dll")
Dim msvbLocation = Path.Combine(corlibDir, "Microsoft.VisualBasic.dll")
Assert.Equal(vbc.Arguments.MetadataReferences.Select(Function(r) r.Reference),
{
systemLocation,
msvbLocation
}, StringComparer.OrdinalIgnoreCase)
Assert.Equal(0, vbc.Arguments.CompilationOptions.GlobalImports.Count)
Assert.False(vbc.Arguments.CompilationOptions.OptionInfer)
End Sub
<Fact(), WorkItem(546114, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546114")>
Public Sub TestFilterCommandLineDiagnostics()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Function blah() As Integer
End Function
Sub Main()
End Sub
End Module
</text>.Value).Path
' Previous versions of the compiler used to report warnings (BC2026)
' whenever an unrecognized warning code was supplied via /nowarn or /warnaserror.
' We no longer generate a warning in such cases.
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/blah", "/nowarn:2007,42353,1234,2026", source})
Dim output = New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("vbc : warning BC2007: unrecognized option '/blah'; ignored", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
End Sub
<WorkItem(546305, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/546305")>
<Fact()>
Public Sub Bug15539()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/define:I(", source})
Dim output As New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant 'I ^^ ^^ ' is not valid: End of statement expected.", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/define:I*", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Equal("vbc : error BC31030: Conditional compilation constant 'I ^^ ^^ ' is not valid: End of statement expected.", output.ToString().Trim())
End Sub
<Fact()>
Public Sub TestImportsWithQuotes()
Dim errors As IEnumerable(Of DiagnosticInfo) = Nothing
Dim [imports] = "System,""COLL = System.Collections"",System.Diagnostics,""COLLGEN = System.Collections.Generic"""
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/imports:" + [imports]})
Assert.Equal(4, vbc.Arguments.CompilationOptions.GlobalImports.Count)
Assert.Equal("System", vbc.Arguments.CompilationOptions.GlobalImports(0).Name)
Assert.Equal("COLL = System.Collections", vbc.Arguments.CompilationOptions.GlobalImports(1).Name)
Assert.Equal("System.Diagnostics", vbc.Arguments.CompilationOptions.GlobalImports(2).Name)
Assert.Equal("COLLGEN = System.Collections.Generic", vbc.Arguments.CompilationOptions.GlobalImports(3).Name)
End Sub
<Fact()>
Public Sub TestCommandLineSwitchThatNoLongerAreImplemented()
' These switches are no longer implemented and should fail silently
' the switches have various arguments that can be used
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/netcf", source})
Dim output = New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/bugreport", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/bugreport:test.dmp", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:prompt", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:queue", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:send", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/bugreport:", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/novbruntimeref", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
' Just to confirm case insensitive
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/errorreport:PROMPT", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
Assert.Equal("", output.ToString().Trim())
CleanupAllGeneratedFiles(source)
End Sub
<WorkItem(531263, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/531263")>
<Fact>
Public Sub EmptyFileName()
Dim outWriter As New StringWriter()
Dim exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {""}).Run(outWriter, Nothing)
Assert.NotEqual(0, exitCode)
' error BC2032: File name '' is empty, contains invalid characters, has a drive specification without an absolute path, or is too long
Assert.Contains("BC2032", outWriter.ToString(), StringComparison.Ordinal)
End Sub
<WorkItem(1119609, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/1119609")>
<Fact>
Public Sub PreferredUILang()
Dim outWriter As New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2006", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2006", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:zz"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:en-zz"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:en-US"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.DoesNotContain("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:de"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.DoesNotContain("BC2038", outWriter.ToString(), StringComparison.Ordinal)
outWriter = New StringWriter(CultureInfo.InvariantCulture)
exitCode = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/preferreduilang:de-AT"}).Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Assert.DoesNotContain("BC2038", outWriter.ToString(), StringComparison.Ordinal)
End Sub
<Fact, WorkItem(650083, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/650083")>
Public Sub ReservedDeviceNameAsFileName()
' Source file name
Dim parsedArgs = DefaultParse({"/t:library", "con.vb"}, _baseDirectory)
parsedArgs.Errors.Verify()
parsedArgs = DefaultParse({"/out:com1.exe", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("\\.\com1").WithLocation(1, 1))
parsedArgs = DefaultParse({"/doc:..\lpt2.xml", "a.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_XMLCannotWriteToXMLDocFile2).WithArguments("..\lpt2.xml", "The system cannot find the path specified").WithLocation(1, 1))
parsedArgs = DefaultParse({"/SdkPath:..\aux", "com.vb"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.WRN_CannotFindStandardLibrary1).WithArguments("System.dll").WithLocation(1, 1),
Diagnostic(ERRID.ERR_LibNotFound).WithArguments("Microsoft.VisualBasic.dll").WithLocation(1, 1))
End Sub
<Fact()>
Public Sub ReservedDeviceNameAsFileName2()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Module Module1
Sub Main()
End Sub
End Module
</text>.Value).Path
' Make sure these reserved device names don't affect compiler
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/r:.\com3.dll", "/preferreduilang:en", source})
Dim output = New StringWriter()
Dim exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2017: could not find library '.\com3.dll'", output.ToString(), StringComparison.Ordinal)
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/link:prn.dll", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2017: could not find library 'prn.dll'", output.ToString(), StringComparison.Ordinal)
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"@aux.rsp", "/preferreduilang:en", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Dim errMessage = output.ToString().Trim()
Assert.Contains("error BC2011: unable to open response file", errMessage, StringComparison.Ordinal)
Assert.Contains("aux.rsp", errMessage, StringComparison.Ordinal)
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/nologo", "/preferreduilang:en", "/vbruntime:..\con.dll", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(1, exitCode)
Assert.Contains("error BC2017: could not find library '..\con.dll'", output.ToString(), StringComparison.Ordinal)
' Native VB compiler also ignore invalid lib paths
vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/LibPath:lpt1,Lpt2,LPT9", source})
output = New StringWriter()
exitCode = vbc.Run(output, Nothing)
Assert.Equal(0, exitCode)
CleanupAllGeneratedFiles(source)
End Sub
<Fact, WorkItem(574361, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/574361")>
Public Sub LangVersionForOldBC36716()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("src.vb")
src.WriteAllText(
<text><![CDATA[
Imports System.Runtime.CompilerServices
Imports System.Collections
Friend Module AutoPropAttributesmod
Class AttrInThisAsmAttribute
Inherits Attribute
Public Property Prop() As Integer
End Class
Class HasProps
<CompilerGenerated()>
Public Property Scen1() As <CompilerGenerated()> Func(Of String)
<CLSCompliant(False), Obsolete("obsolete message!")>
<AttrInThisAsmAttribute()>
Public Property Scen2() As String
End Class
End Module
]]>
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, "/nologo /t:library /langversion:9 /preferreduilang:en " & src.ToString(), expectedRetCode:=1, startFolder:=dir.Path)
AssertOutput(
<text><![CDATA[
src.vb(8) : error BC36716: Visual Basic 9.0 does not support auto-implemented properties.
Public Property Prop() As Integer
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(12) : error BC36716: Visual Basic 9.0 does not support auto-implemented properties.
<CompilerGenerated()>
~~~~~~~~~~~~~~~~~~~~~
Public Property Scen1() As <CompilerGenerated()> Func(Of String)
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(12) : error BC36716: Visual Basic 9.0 does not support implicit line continuation.
<CompilerGenerated()>
~~~~~~~~~~~~~~~~~~~~~
Public Property Scen1() As <CompilerGenerated()> Func(Of String)
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(14) : error BC36716: Visual Basic 9.0 does not support auto-implemented properties.
<CLSCompliant(False), Obsolete("obsolete message!")>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
<AttrInThisAsmAttribute()>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Public Property Scen2() As String
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
src.vb(14) : error BC36716: Visual Basic 9.0 does not support implicit line continuation.
<CLSCompliant(False), Obsolete("obsolete message!")>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
<AttrInThisAsmAttribute()>
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
Public Property Scen2() As String
~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
]]>
</text>, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact>
Public Sub DiagnosticFormatting()
Dim source = "
Class C
Sub Main()
Goo(0)
#ExternalSource(""c:\temp\a\1.vb"", 10)
Goo(1)
#End ExternalSource
#ExternalSource(""C:\a\..\b.vb"", 20)
Goo(2)
#End ExternalSource
#ExternalSource(""C:\a\../B.vb"", 30)
Goo(3)
#End ExternalSource
#ExternalSource(""../b.vb"", 40)
Goo(4)
#End ExternalSource
#ExternalSource(""..\b.vb"", 50)
Goo(5)
#End ExternalSource
#ExternalSource(""C:\X.vb"", 60)
Goo(6)
#End ExternalSource
#ExternalSource(""C:\x.vb"", 70)
Goo(7)
#End ExternalSource
#ExternalSource("" "", 90)
Goo(9)
#End ExternalSource
#ExternalSource(""C:\*.vb"", 100)
Goo(10)
#End ExternalSource
#ExternalSource("""", 110)
Goo(11)
#End ExternalSource
Goo(12)
#ExternalSource(""***"", 140)
Goo(14)
#End ExternalSource
End Sub
End Class
"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb").WriteAllText(source)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/preferreduilang:en", "/t:library", "a.vb"})
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
' with /fullpaths off
Dim expected =
file.Path & "(4) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(0)
~~~
c:\temp\a\1.vb(10) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(1)
~~~
C:\b.vb(20) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(2)
~~~
C:\B.vb(30) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(3)
~~~
" & Path.GetFullPath(Path.Combine(dir.Path, "..\b.vb")) & "(40) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(4)
~~~
" & Path.GetFullPath(Path.Combine(dir.Path, "..\b.vb")) & "(50) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(5)
~~~
C:\X.vb(60) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(6)
~~~
C:\x.vb(70) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(7)
~~~
(90) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(9)
~~~
C:\*.vb(100) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(10)
~~~
(110) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(11)
~~~
" & file.Path & "(35) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(12)
~~~
***(140) : error BC30451: 'Goo' is not declared. It may be inaccessible due to its protection level.
Goo(14)
~~~
"
AssertOutput(expected.Replace(vbCrLf, vbLf), outWriter.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact>
Public Sub ParseFeatures()
Dim args = DefaultParse({"/features:Test", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal("Test", args.ParseOptions.Features.Single().Key)
args = DefaultParse({"/features:Test", "a.vb", "/Features:Experiment"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.ParseOptions.Features.Count)
Assert.True(args.ParseOptions.Features.ContainsKey("Test"))
Assert.True(args.ParseOptions.Features.ContainsKey("Experiment"))
args = DefaultParse({"/features:Test=false,Key=value", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.ParseOptions.Features.SetEquals(New Dictionary(Of String, String) From {{"Test", "false"}, {"Key", "value"}}))
' We don't do any rigorous validation of /features arguments...
args = DefaultParse({"/features", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Empty(args.ParseOptions.Features)
args = DefaultParse({"/features:Test,", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.True(args.ParseOptions.Features.SetEquals(New Dictionary(Of String, String) From {{"Test", "true"}}))
End Sub
<Fact>
Public Sub ParseAdditionalFile()
Dim args = DefaultParse({"/additionalfile:web.config", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles.Single().Path)
args = DefaultParse({"/additionalfile:web.config", "a.vb", "/additionalfile:app.manifest"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:web.config", "a.vb", "/additionalfile:web.config"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:..\web.config", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(Path.Combine(_baseDirectory, "..\web.config"), args.AdditionalFiles.Single().Path)
Dim baseDir = Temp.CreateDirectory()
baseDir.CreateFile("web1.config")
baseDir.CreateFile("web2.config")
baseDir.CreateFile("web3.config")
args = DefaultParse({"/additionalfile:web*.config", "a.vb"}, baseDir.Path)
args.Errors.Verify()
Assert.Equal(3, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(baseDir.Path, "web1.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(baseDir.Path, "web2.config"), args.AdditionalFiles(1).Path)
Assert.Equal(Path.Combine(baseDir.Path, "web3.config"), args.AdditionalFiles(2).Path)
args = DefaultParse({"/additionalfile:web.config;app.manifest", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:web.config,app.manifest", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:""web.config,app.manifest""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(1, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config,app.manifest"), args.AdditionalFiles(0).Path)
args = DefaultParse({"/additionalfile:\""web.config,app.manifest\""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(1, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config,app.manifest"), args.AdditionalFiles(0).Path)
args = DefaultParse({"/additionalfile:\""""web.config,app.manifest""\""", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(2, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config"), args.AdditionalFiles(0).Path)
Assert.Equal(Path.Combine(_baseDirectory, "app.manifest"), args.AdditionalFiles(1).Path)
args = DefaultParse({"/additionalfile:web.config:app.manifest", "a.vb"}, _baseDirectory)
args.Errors.Verify()
Assert.Equal(1, args.AdditionalFiles.Length)
Assert.Equal(Path.Combine(_baseDirectory, "web.config:app.manifest"), args.AdditionalFiles(0).Path)
args = DefaultParse({"/additionalfile", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("additionalfile", ":<file_list>"))
Assert.Equal(0, args.AdditionalFiles.Length)
args = DefaultParse({"/additionalfile:", "a.vb"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("additionalfile", ":<file_list>"))
Assert.Equal(0, args.AdditionalFiles.Length)
End Sub
<Fact>
Public Sub ParseEditorConfig()
Dim args = DefaultParse({"/analyzerconfig:.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths.Single())
args = DefaultParse({"/analyzerconfig:.editorconfig", "a.vb", "/analyzerconfig:subdir\.editorconfig"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, "subdir\.editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:.editorconfig", "a.vb", "/analyzerconfig:.editorconfig"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:..\.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(Path.Combine(_baseDirectory, "..\.editorconfig"), args.AnalyzerConfigPaths.Single())
args = DefaultParse({"/analyzerconfig:.editorconfig;subdir\.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, "subdir\.editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:.editorconfig,subdir\.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(2, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig"), args.AnalyzerConfigPaths(0))
Assert.Equal(Path.Combine(_baseDirectory, "subdir\.editorconfig"), args.AnalyzerConfigPaths(1))
args = DefaultParse({"/analyzerconfig:.editorconfig:.editorconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertNoErrors()
Assert.Equal(1, args.AnalyzerConfigPaths.Length)
Assert.Equal(Path.Combine(_baseDirectory, ".editorconfig:.editorconfig"), args.AnalyzerConfigPaths(0))
args = DefaultParse({"/analyzerconfig", "a.vb"}, _baseDirectory)
args.Errors.AssertTheseDiagnostics(
<errors><![CDATA[
BC2006: option 'analyzerconfig' requires ':<file_list>'
]]>
</errors>)
Assert.Equal(0, args.AnalyzerConfigPaths.Length)
args = DefaultParse({"/analyzerconfig:", "a.vb"}, _baseDirectory)
args.Errors.AssertTheseDiagnostics(
<errors><![CDATA[
BC2006: option 'analyzerconfig' requires ':<file_list>']]>
</errors>)
Assert.Equal(0, args.AnalyzerConfigPaths.Length)
End Sub
Private Shared Sub Verify(actual As IEnumerable(Of Diagnostic), ParamArray expected As DiagnosticDescription())
actual.Verify(expected)
End Sub
Private Const s_logoLine1 As String = "Microsoft (R) Visual Basic Compiler version"
Private Const s_logoLine2 As String = "Copyright (C) Microsoft Corporation. All rights reserved."
Private Shared Function OccurrenceCount(source As String, word As String) As Integer
Dim n = 0
Dim index = source.IndexOf(word, StringComparison.Ordinal)
While (index >= 0)
n += 1
index = source.IndexOf(word, index + word.Length, StringComparison.Ordinal)
End While
Return n
End Function
Private Shared Function VerifyOutput(sourceDir As TempDirectory, sourceFile As TempFile,
Optional includeCurrentAssemblyAsAnalyzerReference As Boolean = True,
Optional additionalFlags As String() = Nothing,
Optional expectedInfoCount As Integer = 0,
Optional expectedWarningCount As Integer = 0,
Optional expectedErrorCount As Integer = 0,
Optional errorlog As Boolean = False,
Optional analyzers As ImmutableArray(Of DiagnosticAnalyzer) = Nothing) As String
Dim args = {
"/nologo", "/preferreduilang:en", "/t:library",
sourceFile.Path
}
If includeCurrentAssemblyAsAnalyzerReference Then
args = args.Append("/a:" + Assembly.GetExecutingAssembly().Location)
End If
If errorlog Then
args = args.Append("/errorlog:errorlog")
End If
If additionalFlags IsNot Nothing Then
args = args.Append(additionalFlags)
End If
Dim vbc = New MockVisualBasicCompiler(Nothing, sourceDir.Path, args, analyzers)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = vbc.Run(outWriter, Nothing)
Dim output = outWriter.ToString()
Dim expectedExitCode = If(expectedErrorCount > 0, 1, 0)
Assert.True(expectedExitCode = exitCode,
String.Format("Expected exit code to be '{0}' was '{1}'.{2}Output:{3}{4}", expectedExitCode, exitCode, Environment.NewLine, Environment.NewLine, output))
Assert.DoesNotContain(" : hidden", output, StringComparison.Ordinal)
If expectedInfoCount = 0 Then
Assert.DoesNotContain(" : info", output, StringComparison.Ordinal)
Else
' Info diagnostics are only logged with /errorlog.
Assert.True(errorlog)
Assert.Equal(expectedInfoCount, OccurrenceCount(output, " : info"))
End If
If expectedWarningCount = 0 Then
Assert.DoesNotContain(" : warning", output, StringComparison.Ordinal)
Else
Assert.Equal(expectedWarningCount, OccurrenceCount(output, " : warning"))
End If
If expectedErrorCount = 0 Then
Assert.DoesNotContain(" : error", output, StringComparison.Ordinal)
Else
Assert.Equal(expectedErrorCount, OccurrenceCount(output, " : error"))
End If
Return output
End Function
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<Fact>
Public Sub NoWarnAndWarnAsError_AnalyzerDriverWarnings()
' This assembly has an abstract MockAbstractDiagnosticAnalyzer type which should cause
' compiler warning BC42376 to be produced when compilations created in this test try to load it.
Dim source = "Imports System"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42376 can be suppressed via /nowarn.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"})
' TEST: Verify that compiler warning BC42376 can be individually suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:BC42376"})
' TEST: Verify that compiler warning BC42376 can be promoted to an error via /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42376 can be individually promoted to an error via /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:42376"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<Fact>
Public Sub NoWarnAndWarnAsError_HiddenDiagnostic()
' This assembly has a HiddenDiagnosticAnalyzer type which should produce custom hidden
' diagnostics for #ExternalSource directives present in the compilations created in this test.
Dim source = "Imports System
#ExternalSource (""file"", 123)
#End ExternalSource"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"})
' TEST: Verify that /nowarn: has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror+ has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:42376"})
' TEST: Verify that /warnaserror- has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror: promotes custom hidden diagnostic Hidden01 to an error.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:hidden01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror-: has no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:Hidden01", "/nowarn:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:hidden01", "/warnaserror:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/nowarn:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:hidden01", "/warnaserror-:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn doesn't override /warnaserror: in the case of custom hidden diagnostics.
' Although the compiler normally suppresses printing of hidden diagnostics in the compiler output, they are never really suppressed
' because in the IDE features that rely on hidden diagnostics to display light bulb need to continue to work even when users have global
' suppression (/nowarn) specified in their project. In other words, /nowarn flag is a no-op for hidden diagnostics.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror:Hidden01"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify /nowarn doesn't override /warnaserror: in the case of custom hidden diagnostics.
' Although the compiler normally suppresses printing of hidden diagnostics in the compiler output, they are never really suppressed
' because in the IDE features that rely on hidden diagnostics to display light bulb need to continue to work even when users have global
' suppression (/nowarn) specified in their project. In other words, /nowarn flag is a no-op for hidden diagnostics.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:HIDDen01", "/nowarn"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify /nowarn and /warnaserror-: have no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/nowarn"})
' TEST: Verify /nowarn and /warnaserror-: have no impact on custom hidden diagnostic Hidden01.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror-:Hidden01"})
' TEST: Sanity test for /nowarn and /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/nowarn:Hidden01"})
' TEST: Sanity test for /nowarn and /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Hidden01", "/nowarn"})
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:Hidden01", "/warnaserror-:hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/warnaserror+:hidden01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror+:hidden01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:hiddEn01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:HiDden01", "/warnaserror-"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror-:Hidden01", "/nowarn:42376"})
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror-:Hidden01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Hidden01", "/warnaserror-"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:HiDden01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror+:HiDden01", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Hidden01: Throwing a diagnostic for #ExternalSource", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<WorkItem(42166, "https://github.com/dotnet/roslyn/issues/42166")>
<CombinatorialData, Theory>
Public Sub NoWarnAndWarnAsError_InfoDiagnostic(errorlog As Boolean)
' NOTE: Info diagnostics are only logged on command line when /errorlog is specified. See https://github.com/dotnet/roslyn/issues/42166 for details.
' This assembly has an InfoDiagnosticAnalyzer type which should produce custom info
' diagnostics for the #Enable directives present in the compilations created in this test.
Dim source = "Imports System
#Enable Warning"
Dim name = "a.vb"
Dim output = GetOutput(name, source, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that custom info diagnostic Info01 can be suppressed via /nowarn.
output = GetOutput(name, source, additionalFlags:={"/nowarn"}, errorlog:=errorlog)
' TEST: Verify that custom info diagnostic Info01 can be individually suppressed via /nowarn:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:Info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that custom info diagnostic Info01 can never be promoted to an error via /warnaserror+.
output = GetOutput(name, source, additionalFlags:={"/warnaserror+", "/nowarn:42376"}, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that custom info diagnostic Info01 is still reported as an info when /warnaserror- is used.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that custom info diagnostic Info01 can be individually promoted to an error via /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror:info01"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that custom info diagnostic Info01 is still reported as an info when passed to /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:info01"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify /nowarn: overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror:Info01", "/nowarn:info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:INFO01", "/warnaserror:Info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/nowarn:info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn: overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:INFO01", "/warnaserror-:Info01"}, expectedWarningCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify /nowarn overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/nowarn", "/warnaserror:Info01"}, errorlog:=errorlog)
' TEST: Verify /nowarn overrides /warnaserror:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror:Info01", "/nowarn"}, errorlog:=errorlog)
' TEST: Verify /nowarn overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/nowarn", "/warnaserror-:Info01"}, errorlog:=errorlog)
' TEST: Verify /nowarn overrides /warnaserror-:.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/nowarn"}, errorlog:=errorlog)
' TEST: Sanity test for /nowarn and /nowarn:.
output = GetOutput(name, source, additionalFlags:={"/nowarn", "/nowarn:Info01"}, errorlog:=errorlog)
' TEST: Sanity test for /nowarn and /nowarn:.
output = GetOutput(name, source, additionalFlags:={"/nowarn:Info01", "/nowarn"}, errorlog:=errorlog)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:Info01", "/warnaserror-:info01"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/warnaserror+:INfo01"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror-", "/warnaserror+:info01"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:InFo01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:InfO01", "/warnaserror-"}, expectedWarningCount:=1, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+", "/warnaserror-:INfo01", "/nowarn:42376"}, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror-", "/warnaserror-:INfo01"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror-:Info01", "/warnaserror-"}, expectedWarningCount:=1, expectedInfoCount:=If(errorlog, 1, 0), errorlog:=errorlog)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
If errorlog Then
Assert.Contains("a.vb(2) : info Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End If
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+", "/warnaserror+:Info01", "/nowarn:42376"}, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = GetOutput(name, source, additionalFlags:={"/warnaserror+:InFO01", "/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1, errorlog:=errorlog)
Assert.Contains("a.vb(2) : error Info01: Throwing a diagnostic for #Enable", output, StringComparison.Ordinal)
End Sub
Private Function GetOutput(name As String,
source As String,
Optional includeCurrentAssemblyAsAnalyzerReference As Boolean = True,
Optional additionalFlags As String() = Nothing,
Optional expectedInfoCount As Integer = 0,
Optional expectedWarningCount As Integer = 0,
Optional expectedErrorCount As Integer = 0,
Optional errorlog As Boolean = False) As String
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(name)
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference, additionalFlags, expectedInfoCount, expectedWarningCount, expectedErrorCount, errorlog)
CleanupAllGeneratedFiles(file.Path)
Return output
End Function
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<WorkItem(998069, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/998069")>
<WorkItem(998724, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/998724")>
<Fact>
Public Sub NoWarnAndWarnAsError_WarningDiagnostic()
' This assembly has a WarningDiagnosticAnalyzer type which should produce custom warning
' diagnostics for source types present in the compilations created in this test.
Dim source = "Imports System
Module Module1
Sub Main
Dim x as Integer
End Sub
End Module"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be suppressed via /nowarn.
' This doesn't work for BC42376 currently (Bug 899050).
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"})
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be individually suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be promoted to errors via /warnaserror.
' Promoting compiler warning BC42024 to an error causes us to no longer report any custom warning diagnostics as errors (Bug 998069).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror"}, expectedWarningCount:=0, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 can be promoted to errors via /warnaserror+.
' This doesn't work correctly currently - promoting compiler warning BC42024 to an error causes us to no longer report any custom warning diagnostics as errors (Bug 998069).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+"}, expectedWarningCount:=0, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /warnaserror- keeps compiler warning BC42024 as well as custom warning diagnostics Warning01 and Warning03 as warnings.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that custom warning diagnostics Warning01 and Warning03 can be individually promoted to errors via /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Something,warning03"}, expectedWarningCount:=2, expectedErrorCount:=2)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler warning BC42024 can be individually promoted to an error via /warnaserror+:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:bc42024"}, expectedWarningCount:=3, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : error BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that custom warning diagnostics Warning01 and Warning03 as well as compiler warning BC42024 can be individually promoted to errors via /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1, expectedErrorCount:=3)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : error BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that last flag on command line wins between /nowarn and /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror", "/nowarn"})
' TEST: Verify that last flag on command line wins between /nowarn and /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror-"})
' TEST: Verify that /nowarn overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/nowarn"})
' TEST: Verify that /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:Something,042024,Warning01,Warning03", "/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000", "/warnaserror:Something,042024,Warning01,Warning03"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Something,042024,Warning01,Warning03", "/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000", "/warnaserror-:Something,042024,Warning01,Warning03"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:warning01,Warning03,bc42024,58000,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000,42376", "/warnaserror"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/nowarn:warning01,Warning03,bc42024,58000,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000,42376", "/warnaserror-"})
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03,bc42024,58000", "/nowarn:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000", "/warnaserror-:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror:Something,042024,Warning01,Warning03,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:warning01,Warning03,bc42024,58000,42376", "/warnaserror"})
' TEST: Verify that /nowarn overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Something,042024,Warning01,Warning03,42376", "/nowarn"})
' TEST: Verify that /nowarn overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/warnaserror-:Something,042024,Warning01,Warning03,42376"})
' TEST: Sanity test for /nowarn and /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn", "/nowarn:Something,042024,Warning01,Warning03,42376"})
' TEST: Sanity test for /nowarn: and /nowarn.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Something,042024,Warning01,Warning03,42376", "/nowarn"})
' TEST: Verify that last /warnaserror[+/-] flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' Note: Old native compiler behaved strangely for the below case.
' When /warnaserror+ and /warnaserror- appeared on the same command line, native compiler would allow /warnaserror+ to win always
' regardless of order. However when /warnaserror+:xyz and /warnaserror-:xyz appeared on the same command line, native compiler
' would allow the flag that appeared last on the command line to win. Roslyn compiler allows the last flag that appears on the
' command line to win in both cases. This is not a breaking change since at worst this only makes a case that used to be an error
' in the native compiler to be a warning in Roslyn.
' TEST: Verify that last /warnaserror[+/-] flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror-"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03", "/warnaserror+:Warning01,Warning03"}, expectedWarningCount:=2, expectedErrorCount:=2)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that last /warnaserror[+/-]: flag on command line wins.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:Warning01,Warning03", "/warnaserror-:warning01,Warning03"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03,bc42024,58000,42376", "/warnaserror+"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Warning03,58000", "/warnaserror-"}, expectedWarningCount:=2, expectedErrorCount:=2)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror+:warning01,Warning03,bc42024,58000"}, expectedWarningCount:=1, expectedErrorCount:=3)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : error BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror-:warning01,Warning03,bc42024,58000,42376"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/warnaserror+:warning01,Warning03,bc42024,58000,42376"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:warning01,Warning03,bc42024,58000,42376", "/warnaserror"}, expectedErrorCount:=1)
Assert.Contains("error BC42376", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/warnaserror-:warning01,Warning03,bc42024,58000,42376"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
' TEST: Verify that specific promotions and suppressions (via /warnaserror[+/-]:) override general ones (i.e. /warnaserror[+/-]).
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:warning01,Warning03,bc42024,58000,42376", "/warnaserror-"}, expectedWarningCount:=4)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning01: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : warning Warning03: Throwing a diagnostic for types declared", output, StringComparison.Ordinal)
Assert.Contains("a.vb(4) : warning BC42024: Unused local variable: 'x'.", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(899050, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/899050")>
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<Fact>
Public Sub NoWarnAndWarnAsError_ErrorDiagnostic()
' This assembly has an ErrorDiagnosticAnalyzer type which should produce custom error
' diagnostics for #Disable directives present in the compilations created in this test.
Dim source = "Imports System
#Disable Warning"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' TEST: Verify that custom error diagnostic Error01 can't be suppressed via /nowarn.
Dim output = VerifyOutput(dir, file, additionalFlags:={"/nowarn"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
' TEST: Verify that custom error diagnostic Error01 can be suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:Error01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that custom error diagnostic Error01 can be suppressed via /nowarn:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01"}, expectedWarningCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
' TEST: Verify that /nowarn: overrides /warnaserror+.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror"})
' TEST: Verify that /nowarn: overrides /warnaserror+:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:Error01,42376", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror:Error01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror-"})
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Error01,42376", "/nowarn:ERROR01,42376"})
' TEST: Verify that /nowarn: overrides /warnaserror-:.
output = VerifyOutput(dir, file, additionalFlags:={"/nowarn:ERROR01,42376", "/warnaserror-:Error01,42376"})
' TEST: Verify that nothing bad happens when using /warnaserror[+/-] when custom error diagnostic Error01 is present.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+", "/nowarn:42376"}, expectedErrorCount:=1)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
' TEST: Verify that nothing bad happens if someone passes custom error diagnostic Error01 to /warnaserror[+/-]:.
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror:Error01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror+:ERROR01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, additionalFlags:={"/warnaserror-:Error01"}, expectedWarningCount:=1, expectedErrorCount:=1)
Assert.Contains("warning BC42376", output, StringComparison.Ordinal)
Assert.Contains("a.vb(2) : error Error01: Throwing a diagnostic for #Disable", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(981677, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/981677")>
<Fact>
Public Sub NoWarnAndWarnAsError_CompilerErrorDiagnostic()
Dim source = "Imports System
Module Module1
Sub Main
Dim x as Integer = New Exception()
End Sub
End Module"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
Dim output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler error BC30311 can't be suppressed via /nowarn.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that compiler error BC30311 can't be suppressed via /nowarn:.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:BC30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:bc30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that nothing bad happens when using /warnaserror[+/-] when compiler error BC30311 is present.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
' TEST: Verify that nothing bad happens if someone passes BC30311 to /warnaserror[+/-]:.
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror:30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+:BC30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+:bc30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-:30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-:BC30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
output = VerifyOutput(dir, file, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror-:bc30311"}, expectedErrorCount:=1)
Assert.Contains("a.vb(4) : error BC30311: Value of type 'Exception' cannot be converted to 'Integer'.", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Fact, WorkItem(1091972, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/1091972"), WorkItem(444, "CodePlex")>
Public Sub Bug1091972()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
<text>
''' <summary>ABC...XYZ</summary>
Class C
Shared Sub Main()
Dim textStreamReader = New System.IO.StreamReader(GetType(C).Assembly.GetManifestResourceStream("doc.xml"))
System.Console.WriteLine(textStreamReader.ReadToEnd())
End Sub
End Class
</text>.Value.Replace(vbLf, vbCrLf))
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, String.Format("/nologo /doc:doc.xml /out:out.exe /resource:doc.xml {0}", src.ToString()), startFolder:=dir.ToString())
AssertOutput(<text></text>, output)
Assert.True(File.Exists(Path.Combine(dir.ToString(), "doc.xml")))
Dim expected = <text>
<![CDATA[
<?xml version="1.0"?>
<doc>
<assembly>
<name>
out
</name>
</assembly>
<members>
<member name="T:C">
<summary>ABC...XYZ</summary>
</member>
</members>
</doc>
]]>
</text>
Using reader As New StreamReader(Path.Combine(dir.ToString(), "doc.xml"))
Dim content = reader.ReadToEnd()
AssertOutput(expected, content)
End Using
output = ProcessUtilities.RunAndGetOutput(Path.Combine(dir.ToString(), "out.exe"), startFolder:=dir.ToString())
AssertOutput(expected, output)
CleanupAllGeneratedFiles(src.Path)
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralCommandLineOptionOverridesGeneralRuleSetOption()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<IncludeAll Action=""Warning"" />
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=0, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralWarnAsErrorPromotesWarningFromRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralWarnAsErrorDoesNotPromoteInfoFromRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Info"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Info, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificWarnAsErrorPromotesInfoFromRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Info"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+:Test001", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralWarnAsErrorMinusResetsRules()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "/WarnAsError-", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificWarnAsErrorMinusResetsRules()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "/WarnAsError-:Test001", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificWarnAsErrorMinusDefaultsRuleNotInRuleSet()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+:Test002", "/WarnAsError-:Test002", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=2, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
Assert.Equal(expected:=ReportDiagnostic.Default, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test002"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_LastGeneralWarnAsErrorTrumpsNoWarn()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/NoWarn", "/WarnAsError+", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralNoWarnTrumpsGeneralWarnAsErrorMinus()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/WarnAsError+", "/NoWarn", "/WarnAsError-", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Warn, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_GeneralNoWarnTurnsOffAllButErrors()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Error"" />
<Rule Id=""Test002"" Action=""Warning"" />
<Rule Id=""Test003"" Action=""Info"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/NoWarn", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=3, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test002"))
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test003"))
End Sub
<Fact, WorkItem(468, "https://github.com/dotnet/roslyn/issues/468")>
Public Sub RuleSet_SpecificNoWarnAlwaysWins()
Dim dir = Temp.CreateDirectory()
Dim ruleSetSource = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""12.0"">
<Rules AnalyzerId=""Microsoft.Analyzers.ManagedCodeAnalysis"" RuleNamespace=""Microsoft.Rules.Managed"">
<Rule Id=""Test001"" Action=""Warning"" />
</Rules>
</RuleSet>
"
Dim ruleSetFile = dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
Dim arguments = DefaultParse({"/ruleset:Rules.RuleSet", "/NoWarn:Test001", "/WarnAsError+", "/WarnAsError-:Test001", "A.vb"}, dir.Path)
Assert.Empty(arguments.Errors)
Assert.Equal(expected:=ReportDiagnostic.Error, actual:=arguments.CompilationOptions.GeneralDiagnosticOption)
Assert.Equal(expected:=1, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions.Count)
Assert.Equal(expected:=ReportDiagnostic.Suppress, actual:=arguments.CompilationOptions.SpecificDiagnosticOptions("Test001"))
End Sub
<Fact>
Public Sub ReportAnalyzer()
Dim args1 = DefaultParse({"/reportanalyzer", "a.vb"}, _baseDirectory)
Assert.True(args1.ReportAnalyzer)
Dim args2 = DefaultParse({"", "a.vb"}, _baseDirectory)
Assert.False(args2.ReportAnalyzer)
End Sub
<Fact>
Public Sub ReportAnalyzerOutput()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/reportanalyzer", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, source})
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
Assert.Contains(New WarningDiagnosticAnalyzer().ToString(), output, StringComparison.Ordinal)
Assert.Contains(CodeAnalysisResources.AnalyzerExecutionTimeColumnHeader, output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(40926, "https://github.com/dotnet/roslyn/issues/40926")>
Public Sub SkipAnalyzersParse()
Dim ParsedArgs = DefaultParse({"a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.False(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/SKIPANALYZERS+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers-", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.False(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers-", "/skipanalyzers+", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.True(ParsedArgs.SkipAnalyzers)
ParsedArgs = DefaultParse({"/skipanalyzers", "/skipanalyzers-", "a.vb"}, _baseDirectory)
ParsedArgs.Errors.Verify()
Assert.False(ParsedArgs.SkipAnalyzers)
End Sub
<Theory, CombinatorialData>
<WorkItem(40926, "https://github.com/dotnet/roslyn/issues/40926")>
Public Sub SkipAnalyzersSemantics(skipAnalyzers As Boolean)
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim skipAnalyzersFlag = "/skipanalyzers" + If(skipAnalyzers, "+", "-")
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {skipAnalyzersFlag, "/reportanalyzer", "/t:library", "/a:" + Assembly.GetExecutingAssembly().Location, source})
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
If skipAnalyzers Then
Assert.DoesNotContain(CodeAnalysisResources.AnalyzerExecutionTimeColumnHeader, output, StringComparison.Ordinal)
Assert.DoesNotContain(New WarningDiagnosticAnalyzer().ToString(), output, StringComparison.Ordinal)
Else
Assert.Contains(CodeAnalysisResources.AnalyzerExecutionTimeColumnHeader, output, StringComparison.Ordinal)
Assert.Contains(New WarningDiagnosticAnalyzer().ToString(), output, StringComparison.Ordinal)
End If
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(1759, "https://github.com/dotnet/roslyn/issues/1759")>
Public Sub AnalyzerDiagnosticThrowsInGetMessage()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", source},
analyzer:=New AnalyzerThatThrowsInGetMessage)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
' Verify that the diagnostic reported by AnalyzerThatThrowsInGetMessage is reported, though it doesn't have the message.
Assert.Contains(AnalyzerThatThrowsInGetMessage.Rule.Id, output, StringComparison.Ordinal)
' Verify that the analyzer exception diagnostic for the exception throw in AnalyzerThatThrowsInGetMessage is also reported.
Assert.Contains(AnalyzerExecutor.AnalyzerExceptionDiagnosticId, output, StringComparison.Ordinal)
Assert.Contains(NameOf(NotImplementedException), output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(3707, "https://github.com/dotnet/roslyn/issues/3707")>
Public Sub AnalyzerExceptionDiagnosticCanBeConfigured()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", $"/warnaserror:{AnalyzerExecutor.AnalyzerExceptionDiagnosticId}", source},
analyzer:=New AnalyzerThatThrowsInGetMessage)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.NotEqual(0, exitCode)
Dim output = outWriter.ToString()
' Verify that the analyzer exception diagnostic for the exception throw in AnalyzerThatThrowsInGetMessage is also reported.
Assert.Contains(AnalyzerExecutor.AnalyzerExceptionDiagnosticId, output, StringComparison.Ordinal)
Assert.Contains(NameOf(NotImplementedException), output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
<WorkItem(4589, "https://github.com/dotnet/roslyn/issues/4589")>
Public Sub AnalyzerReportsMisformattedDiagnostic()
Dim source As String = Temp.CreateFile().WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, {"/t:library", source},
analyzer:=New AnalyzerReportingMisformattedDiagnostic)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
' Verify that the diagnostic reported by AnalyzerReportingMisformattedDiagnostic is reported with the message format string, instead of the formatted message.
Assert.Contains(AnalyzerThatThrowsInGetMessage.Rule.Id, output, StringComparison.Ordinal)
Assert.Contains(AnalyzerThatThrowsInGetMessage.Rule.MessageFormat.ToString(CultureInfo.InvariantCulture), output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(source)
End Sub
<Fact>
Public Sub AdditionalFileDiagnostics()
Dim dir = Temp.CreateDirectory()
Dim source = dir.CreateFile("a.vb").WriteAllText(<text>
Class C
End Class
</text>.Value).Path
Dim additionalFile = dir.CreateFile("AdditionalFile.txt").WriteAllText(<text>
Additional File Line 1!
Additional File Line 2!
</text>.Value).Path
Dim nonCompilerInputFile = dir.CreateFile("DummyFile.txt").WriteAllText(<text>
Dummy File Line 1!
</text>.Value).Path
Dim analyzer = New AdditionalFileDiagnosticAnalyzer(nonCompilerInputFile)
Dim arguments = {"/nologo", "/preferreduilang:en", "/vbruntime", "/t:library",
"/additionalfile:" & additionalFile, ' Valid additional text file
"/additionalfile:" & Assembly.GetExecutingAssembly.Location, ' Non-text file specified as an additional text file
source}
Dim vbc = New MockVisualBasicCompiler(Nothing, _baseDirectory, arguments, analyzer)
Dim outWriter = New StringWriter()
Dim exitCode = vbc.Run(outWriter, Nothing)
Assert.Equal(1, exitCode)
Dim output = outWriter.ToString()
AssertOutput(
String.Format(<text>
AdditionalFile.txt(1) : warning AdditionalFileDiagnostic: Additional File Diagnostic: AdditionalFile
Additional File Line 1!
~~~~~~~~~~
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: {0}
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: AdditionalFile
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: DummyFile
vbc : warning AdditionalFileDiagnostic: Additional File Diagnostic: NonExistentPath
vbc : error BC2015: the file '{1}' is not a text file
</text>.Value.ToString(),
IO.Path.GetFileNameWithoutExtension(Assembly.GetExecutingAssembly.Location),
Assembly.GetExecutingAssembly.Location),
output, fileName:="AdditionalFile.txt")
CleanupAllGeneratedFiles(source)
CleanupAllGeneratedFiles(additionalFile)
CleanupAllGeneratedFiles(nonCompilerInputFile)
End Sub
<Fact, WorkItem(1093063, "http://vstfdevdiv:8080/DevDiv2/DevDiv/_workitems/edit/1093063")>
Public Sub VerifyDiagnosticSeverityNotLocalized()
Dim source = <![CDATA[
Class A
End Class
]]>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile(fileName)
file.WriteAllText(source.Value)
Dim output As New StringWriter()
Dim vbc As New MockVisualBasicCompiler(Nothing, dir.Path, {"/nologo", "/target:exe", fileName})
vbc.Run(output, Nothing)
' If "error" was localized, below assert will fail on PLOC builds. The output would be something like: "!pTCvB!vbc : !FLxft!error 表! BC30420:"
Assert.Contains("error BC30420:", output.ToString())
CleanupAllGeneratedFiles(file.Path)
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub SourceFile_BadPath()
Dim args = DefaultParse({"e:c:\test\test.cs", "/t:library"}, _baseDirectory)
args.Errors.Verify(Diagnostic(ERRID.FTL_InvalidInputFileName).WithArguments("e:c:\test\test.cs").WithLocation(1, 1))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub FilePaths()
Dim args = FullParse("\\unc\path\a.vb b.vb c:\path\c.vb", "e:\temp")
Assert.Equal(
New String() {"\\unc\path\a.vb", "e:\temp\b.vb", "c:\path\c.vb"},
args.SourceFiles.Select(Function(x) x.Path))
args = FullParse("\\unc\path\a.vb ""b.vb"" c:\path\c.vb", "e:\temp")
Assert.Equal(
New String() {"\\unc\path\a.vb", "e:\temp\b.vb", "c:\path\c.vb"},
args.SourceFiles.Select(Function(x) x.Path))
args = FullParse("""b"".vb""", "e:\temp")
Assert.Equal(
New String() {"e:\temp\b.vb"},
args.SourceFiles.Select(Function(x) x.Path))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub ReferencePathsEx()
Dim args = FullParse("/nostdlib /vbruntime- /noconfig /r:a.dll,b.dll test.vb", "e:\temp")
Assert.Equal(
New String() {"a.dll", "b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = FullParse("/nostdlib /vbruntime- /noconfig /r:""a.dll,b.dll"" test.vb", "e:\temp")
Assert.Equal(
New String() {"a.dll,b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = FullParse("/nostdlib /vbruntime- /noconfig /r:""lib, ex\a.dll"",b.dll test.vb", "e:\temp")
Assert.Equal(
New String() {"lib, ex\a.dll", "b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = FullParse("/nostdlib /vbruntime- /noconfig /r:""lib, ex\a.dll"" test.vb", "e:\temp")
Assert.Equal(
New String() {"lib, ex\a.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub ParseAssemblyReferences()
Dim parseCore =
Sub(value As String, paths As String())
Dim list As New List(Of Diagnostic)
Dim references = VisualBasicCommandLineParser.ParseAssemblyReferences("", value, list, embedInteropTypes:=False)
Assert.Equal(0, list.Count)
Assert.Equal(paths, references.Select(Function(r) r.Reference))
End Sub
parseCore("""a.dll""", New String() {"a.dll"})
parseCore("a,b", New String() {"a", "b"})
parseCore("""a,b""", New String() {"a,b"})
' This is an intentional deviation from the native compiler. BCL docs on MSDN, MSBuild and the C# compiler
' treat a semicolon as a separator. VB compiler was the lone holdout here. Rather than deviate we decided
' to unify the behavior.
parseCore("a;b", New String() {"a", "b"})
parseCore("""a;b""", New String() {"a;b"})
' Note this case can only happen when it is the last option on the command line. When done
' in another position the command line splitting routine would continue parsing all the text
' after /r:"a as it resides in an unterminated quote.
parseCore("""a", New String() {"a"})
parseCore("a""mid""b", New String() {"amidb"})
End Sub
<Fact>
Public Sub PublicSign()
Dim args As VisualBasicCommandLineArguments
Dim baseDir = "c:\test"
Dim parse = Function(x As String) FullParse(x, baseDir)
args = parse("/publicsign a.exe")
Assert.True(args.CompilationOptions.PublicSign)
args = parse("/publicsign+ a.exe")
Assert.True(args.CompilationOptions.PublicSign)
args = parse("/publicsign- a.exe")
Assert.False(args.CompilationOptions.PublicSign)
args = parse("a.exe")
Assert.False(args.CompilationOptions.PublicSign)
End Sub
<WorkItem(8360, "https://github.com/dotnet/roslyn/issues/8360")>
<Fact>
Public Sub PublicSign_KeyFileRelativePath()
Dim parsedArgs = FullParse("/publicsign /keyfile:test.snk a.cs", _baseDirectory)
Assert.Equal(Path.Combine(_baseDirectory, "test.snk"), parsedArgs.CompilationOptions.CryptoKeyFile)
parsedArgs.Errors.Verify()
End Sub
<WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
<Fact>
Public Sub PublicSignWithEmptyKeyPath()
Dim parsedArgs = FullParse("/publicsign /keyfile: a.cs", _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>").WithLocation(1, 1))
End Sub
<WorkItem(11497, "https://github.com/dotnet/roslyn/issues/11497")>
<Fact>
Public Sub PublicSignWithEmptyKeyPath2()
Dim parsedArgs = FullParse("/publicsign /keyfile:"""" a.cs", _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ArgumentRequired).WithArguments("keyfile", ":<file>").WithLocation(1, 1))
End Sub
<ConditionalFact(GetType(WindowsOnly))>
Public Sub CommandLineMisc()
Dim args As VisualBasicCommandLineArguments
Dim baseDir = "c:\test"
Dim parse = Function(x As String) FullParse(x, baseDir)
args = parse("/out:""a.exe""")
Assert.Equal("a.exe", args.OutputFileName)
args = parse("/out:""a-b.exe""")
Assert.Equal("a-b.exe", args.OutputFileName)
args = parse("/out:""a,b.exe""")
Assert.Equal("a,b.exe", args.OutputFileName)
' The \ here causes " to be treated as a quote, not as an escaping construct
args = parse("a\""b c""\d.cs")
Assert.Equal(
New String() {"c:\test\a""b", "c:\test\c\d.cs"},
args.SourceFiles.Select(Function(x) x.Path))
args = parse("a\\""b c""\d.cs")
Assert.Equal(
New String() {"c:\test\a\b c\d.cs"},
args.SourceFiles.Select(Function(x) x.Path))
args = parse("/nostdlib /vbruntime- /r:""a.dll"",""b.dll"" c.cs")
Assert.Equal(
New String() {"a.dll", "b.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = parse("/nostdlib /vbruntime- /r:""a-s.dll"",""b-s.dll"" c.cs")
Assert.Equal(
New String() {"a-s.dll", "b-s.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
args = parse("/nostdlib /vbruntime- /r:""a,s.dll"",""b,s.dll"" c.cs")
Assert.Equal(
New String() {"a,s.dll", "b,s.dll"},
args.MetadataReferences.Select(Function(x) x.Reference))
End Sub
<WorkItem(7588, "https://github.com/dotnet/roslyn/issues/7588")>
<Fact()>
Public Sub Version()
Dim folderName = Temp.CreateDirectory().ToString()
Dim argss = {
"/version",
"a.cs /version /preferreduilang:en",
"/version /nologo",
"/version /help"}
For Each args In argss
Dim output = ProcessUtilities.RunAndGetOutput(s_basicCompilerExecutable, args, startFolder:=folderName)
Assert.Equal(s_compilerVersion, output.Trim())
Next
End Sub
<Fact>
Public Sub RefOut()
Dim dir = Temp.CreateDirectory()
Dim refDir = dir.CreateDirectory("ref")
Dim src = dir.CreateFile("a.vb")
src.WriteAllText("
Public Class C
''' <summary>Main method</summary>
Public Shared Sub Main()
System.Console.Write(""Hello"")
End Sub
''' <summary>Private method</summary>
Private Shared Sub PrivateMethod()
System.Console.Write(""Private"")
End Sub
End Class")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{"/define:_MYTYPE=""Empty"" ", "/nologo", "/out:a.exe", "/refout:ref/a.dll", "/doc:doc.xml", "/deterministic", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim exe = Path.Combine(dir.Path, "a.exe")
Assert.True(File.Exists(exe))
MetadataReaderUtils.VerifyPEMetadata(exe,
{"TypeDefinition:<Module>", "TypeDefinition:C"},
{"MethodDefinition:Void C.Main()", "MethodDefinition:Void C..ctor()", "MethodDefinition:Void C.PrivateMethod()"},
{"CompilationRelaxationsAttribute", "RuntimeCompatibilityAttribute", "DebuggableAttribute", "STAThreadAttribute"}
)
Dim doc = Path.Combine(dir.Path, "doc.xml")
Assert.True(File.Exists(doc))
Dim content = File.ReadAllText(doc)
Dim expectedDoc =
"<?xml version=""1.0""?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name=""M:C.Main"">
<summary>Main method</summary>
</member>
<member name=""M:C.PrivateMethod"">
<summary>Private method</summary>
</member>
</members>
</doc>"
Assert.Equal(expectedDoc, content.Trim())
Dim output = ProcessUtilities.RunAndGetOutput(exe, startFolder:=dir.Path)
Assert.Equal("Hello", output.Trim())
Dim refDll = Path.Combine(refDir.Path, "a.dll")
Assert.True(File.Exists(refDll))
' The types and members that are included needs further refinement.
' See issue https://github.com/dotnet/roslyn/issues/17612
MetadataReaderUtils.VerifyPEMetadata(refDll,
{"TypeDefinition:<Module>", "TypeDefinition:C"},
{"MethodDefinition:Void C.Main()", "MethodDefinition:Void C..ctor()"},
{"CompilationRelaxationsAttribute", "RuntimeCompatibilityAttribute", "DebuggableAttribute", "STAThreadAttribute", "ReferenceAssemblyAttribute"}
)
' Clean up temp files
CleanupAllGeneratedFiles(dir.Path)
CleanupAllGeneratedFiles(refDir.Path)
End Sub
<Fact>
Public Sub RefOutWithError()
Dim dir = Temp.CreateDirectory()
dir.CreateDirectory("ref")
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
"Class C
Public Shared Sub Main()
Bad()
End Sub
End Class")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{"/define:_MYTYPE=""Empty"" ", "/nologo", "/out:a.dll", "/refout:ref/a.dll", "/deterministic", "/preferreduilang:en", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(1, exitCode)
Dim vb = Path.Combine(dir.Path, "a.vb")
Dim dll = Path.Combine(dir.Path, "a.dll")
Assert.False(File.Exists(dll))
Dim refDll = Path.Combine(dir.Path, Path.Combine("ref", "a.dll"))
Assert.False(File.Exists(refDll))
Assert.Equal(
$"{vb}(3) : error BC30451: 'Bad' is not declared. It may be inaccessible due to its protection level.
Bad()
~~~",
outWriter.ToString().Trim())
' Clean up temp files
CleanupAllGeneratedFiles(dir.Path)
End Sub
<Fact>
Public Sub RefOnly()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("a.vb")
src.WriteAllText(
"Class C
''' <summary>Main method</summary>
Public Shared Sub Main()
Bad()
End Sub
''' <summary>Field</summary>
Private Dim field As Integer
''' <summary>Field</summary>
Private Structure S
''' <summary>Struct Field</summary>
Private Dim field As Integer
End Structure
End Class")
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path,
{"/define:_MYTYPE=""Empty"" ", "/nologo", "/out:a.dll", "/refonly", "/debug", "/deterministic", "/doc:doc.xml", "a.vb"})
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim refDll = Path.Combine(dir.Path, "a.dll")
Assert.True(File.Exists(refDll))
' The types and members that are included needs further refinement.
' See issue https://github.com/dotnet/roslyn/issues/17612
MetadataReaderUtils.VerifyPEMetadata(refDll,
{"TypeDefinition:<Module>", "TypeDefinition:C", "TypeDefinition:S"},
{"MethodDefinition:Void C.Main()", "MethodDefinition:Void C..ctor()"},
{"CompilationRelaxationsAttribute", "RuntimeCompatibilityAttribute", "DebuggableAttribute", "STAThreadAttribute", "ReferenceAssemblyAttribute"}
)
Dim pdb = Path.Combine(dir.Path, "a.pdb")
Assert.False(File.Exists(pdb))
Dim doc = Path.Combine(dir.Path, "doc.xml")
Assert.True(File.Exists(doc))
Dim content = File.ReadAllText(doc)
Dim expectedDoc =
"<?xml version=""1.0""?>
<doc>
<assembly>
<name>
a
</name>
</assembly>
<members>
<member name=""M:C.Main"">
<summary>Main method</summary>
</member>
<member name=""F:C.field"">
<summary>Field</summary>
</member>
<member name=""T:C.S"">
<summary>Field</summary>
</member>
<member name=""F:C.S.field"">
<summary>Struct Field</summary>
</member>
</members>
</doc>"
Assert.Equal(expectedDoc, content.Trim())
' Clean up temp files
CleanupAllGeneratedFiles(dir.Path)
End Sub
<WorkItem(13681, "https://github.com/dotnet/roslyn/issues/13681")>
<Theory()>
<InlineData("/t:exe", "/out:goo.dll", "goo.dll", "goo.dll.exe")> 'Output with known but different extension
<InlineData("/t:exe", "/out:goo.dLL", "goo.dLL", "goo.dLL.exe")> 'Output with known but different extension (different casing)
<InlineData("/t:library", "/out:goo.exe", "goo.exe", "goo.exe.dll")> 'Output with known but different extension
<InlineData("/t:library", "/out:goo.eXe", "goo.eXe", "goo.eXe.dll")> 'Output with known but different extension (different casing)
<InlineData("/t:module", "/out:goo.dll", "goo.dll", "goo.dll.netmodule")> 'Output with known but different extension
<InlineData("/t:winmdobj", "/out:goo.netmodule", "goo.netmodule", "goo.netmodule.winmdobj")> 'Output with known but different extension
<InlineData("/t:exe", "/out:goo.netmodule", "goo.netmodule", "goo.netmodule.exe")> 'Output with known but different extension
<InlineData("/t:library", "/out:goo.txt", "goo.txt.dll", "goo.dll")> 'Output with unknown extension (.txt)
<InlineData("/t:exe", "/out:goo.md", "goo.md.exe", "goo.exe")> 'Output with unknown extension (.md)
<InlineData("/t:exe", "/out:goo", "goo.exe", "goo")> 'Output without extension
<InlineData("/t:library", "/out:goo", "goo.dll", "goo")> 'Output without extension
<InlineData("/t:module", "/out:goo", "goo.netmodule", "goo")> 'Output without extension
<InlineData("/t:winmdobj", "/out:goo", "goo.winmdobj", "goo")> 'Output without extension
<InlineData("/t:exe", "/out:goo.exe", "goo.exe", "goo.exe.exe")> 'Output with correct extension (.exe)
<InlineData("/t:library", "/out:goo.dll", "goo.dll", "goo.dll.dll")> 'Output with correct extension (.dll)
<InlineData("/t:module", "/out:goo.netmodule", "goo.netmodule", "goo.netmodule.netmodule")> 'Output with correct extension (.netmodule)
<InlineData("/t:module", "/out:goo.NetModule", "goo.NetModule", "goo.NetModule.netmodule")> 'Output with correct extension (.netmodule) (different casing)
<InlineData("/t:winmdobj", "/out:goo.winmdobj", "goo.winmdobj", "goo.winmdobj.winmdobj")> 'Output with correct extension (.winmdobj)
Public Sub OutputingFilesWithDifferentExtensions(targetArg As String, outArg As String, expectedFile As String, unexpectedFile As String)
Dim source =
<compilation>
<file name="a.vb">
<![CDATA[
Module Program
Sub Main(args As String())
End Sub
End Module
]]>
</file>
</compilation>
Dim fileName = "a.vb"
Dim dir = Temp.CreateDirectory()
Dim sourceFile = dir.CreateFile(fileName)
sourceFile.WriteAllText(source.Value)
Dim output As New StringWriter()
Assert.Equal(0, New MockVisualBasicCompiler(Nothing, dir.Path, {fileName, targetArg, outArg}).Run(output, Nothing))
Assert.True(File.Exists(Path.Combine(dir.Path, expectedFile)), "Expected to find: " & expectedFile)
Assert.False(File.Exists(Path.Combine(dir.Path, unexpectedFile)), "Didn't expect to find: " & unexpectedFile)
CleanupAllGeneratedFiles(sourceFile.Path)
End Sub
<Fact>
Public Sub IOFailure_DisposeOutputFile()
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim exePath = Path.Combine(Path.GetDirectoryName(srcPath), "test.exe")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", $"/out:{exePath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = exePath Then
Return New TestStream(backingStream:=New MemoryStream(), dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{exePath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Fact>
Public Sub IOFailure_DisposePdbFile()
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim exePath = Path.Combine(Path.GetDirectoryName(srcPath), "test.exe")
Dim pdbPath = Path.ChangeExtension(exePath, "pdb")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", "/debug", $"/out:{exePath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = pdbPath Then
Return New TestStream(backingStream:=New MemoryStream(), dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{pdbPath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Fact>
Public Sub IOFailure_DisposeXmlFile()
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim xmlPath = Path.Combine(Path.GetDirectoryName(srcPath), "test.xml")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", $"/doc:{xmlPath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = xmlPath Then
Return New TestStream(backingStream:=New MemoryStream(), dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{xmlPath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Theory>
<InlineData("portable")>
<InlineData("full")>
Public Sub IOFailure_DisposeSourceLinkFile(format As String)
Dim srcPath = MakeTrivialExe(Temp.CreateDirectory().Path)
Dim sourceLinkPath = Path.Combine(Path.GetDirectoryName(srcPath), "test.json")
Dim vbc = New MockVisualBasicCompiler(_baseDirectory, {"/nologo", "/preferreduilang:en", "/debug:" & format, $"/sourcelink:{sourceLinkPath}", srcPath})
vbc.FileSystem = TestableFileSystem.CreateForStandard(openFileFunc:=
Function(filePath, mode, access, share)
If filePath = sourceLinkPath Then
Return New TestStream(
backingStream:=New MemoryStream(Encoding.UTF8.GetBytes("
{
""documents"": {
""f:/build/*"" : ""https://raw.githubusercontent.com/my-org/my-project/1111111111111111111111111111111111111111/*""
}
}
")),
dispose:=Sub() Throw New IOException("Fake IOException"))
End If
Return File.Open(filePath, mode, access, share)
End Function)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Assert.Equal(1, vbc.Run(outWriter))
Assert.Equal($"vbc : error BC2012: can't open '{sourceLinkPath}' for writing: Fake IOException{Environment.NewLine}", outWriter.ToString())
End Sub
<Fact>
Public Sub CompilingCodeWithInvalidPreProcessorSymbolsShouldProvideDiagnostics()
Dim parsedArgs = DefaultParse({"/define:1", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_ConditionalCompilationConstantNotValid).WithArguments("Identifier expected.", "1 ^^ ^^ ").WithLocation(1, 1))
End Sub
<Fact>
Public Sub CompilingCodeWithInvalidLanguageVersionShouldProvideDiagnostics()
Dim parsedArgs = DefaultParse({"/langversion:1000", "a.cs"}, _baseDirectory)
parsedArgs.Errors.Verify(Diagnostic(ERRID.ERR_InvalidSwitchValue).WithArguments("langversion", "1000").WithLocation(1, 1))
End Sub
<WorkItem(406649, "https://devdiv.visualstudio.com/DevDiv/_workitems?id=406649")>
<ConditionalFact(GetType(IsEnglishLocal))>
Public Sub MissingCompilerAssembly()
Dim dir = Temp.CreateDirectory()
Dim vbcPath = dir.CopyFile(s_basicCompilerExecutable).Path
dir.CopyFile(GetType(Compilation).Assembly.Location)
' Missing Microsoft.CodeAnalysis.VisualBasic.dll.
Dim result = ProcessUtilities.Run(vbcPath, arguments:="/nologo /t:library unknown.vb", workingDirectory:=dir.Path)
Assert.Equal(1, result.ExitCode)
Assert.Equal(
$"Could not load file or assembly '{GetType(VisualBasicCompilation).Assembly.FullName}' or one of its dependencies. The system cannot find the file specified.",
result.Output.Trim())
' Missing System.Collections.Immutable.dll.
dir.CopyFile(GetType(VisualBasicCompilation).Assembly.Location)
result = ProcessUtilities.Run(vbcPath, arguments:="/nologo /t:library unknown.vb", workingDirectory:=dir.Path)
Assert.Equal(1, result.ExitCode)
Assert.Equal(
$"Could not load file or assembly '{GetType(ImmutableArray).Assembly.FullName}' or one of its dependencies. The system cannot find the file specified.",
result.Output.Trim())
End Sub
<ConditionalFact(GetType(WindowsOnly))>
<WorkItem(21935, "https://github.com/dotnet/roslyn/issues/21935")>
Public Sub PdbPathNotEmittedWithoutPdb()
Dim dir = Temp.CreateDirectory()
Dim src = MakeTrivialExe(directory:=dir.Path)
Dim args = {"/nologo", src, "/out:a.exe", "/debug-"}
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim vbc = New MockVisualBasicCompiler(Nothing, dir.Path, args)
Dim exitCode = vbc.Run(outWriter)
Assert.Equal(0, exitCode)
Dim exePath = Path.Combine(dir.Path, "a.exe")
Assert.True(File.Exists(exePath))
Using peStream = File.OpenRead(exePath)
Using peReader = New PEReader(peStream)
Dim debugDirectory = peReader.PEHeaders.PEHeader.DebugTableDirectory
Assert.Equal(0, debugDirectory.Size)
Assert.Equal(0, debugDirectory.RelativeVirtualAddress)
End Using
End Using
End Sub
<Fact>
Public Sub StrongNameProviderWithCustomTempPath()
Dim tempDir = Temp.CreateDirectory()
Dim workingDir = Temp.CreateDirectory()
workingDir.CreateFile("a.vb")
Dim vbc = New MockVisualBasicCompiler(Nothing, New BuildPaths("", workingDir.Path, Nothing, tempDir.Path),
{"/features:UseLegacyStrongNameProvider", "/nostdlib", "a.vb"})
Dim comp = vbc.CreateCompilation(TextWriter.Null, New TouchedFileLogger(), NullErrorLogger.Instance, Nothing)
Assert.False(comp.SignUsingBuilder)
End Sub
Private Function MakeTrivialExe(Optional directory As String = Nothing) As String
Return Temp.CreateFile(directory:=directory, prefix:="", extension:=".vb").WriteAllText("
Class Program
Public Shared Sub Main()
End Sub
End Class").Path
End Function
<Fact>
<WorkItem(23525, "https://github.com/dotnet/roslyn/issues/23525")>
Public Sub InvalidPathCharacterInPathMap()
Dim filePath = Temp.CreateFile().WriteAllText("").Path
Dim compiler = New MockVisualBasicCompiler(Nothing, _baseDirectory,
{
filePath,
"/debug:embedded",
"/pathmap:test\\=""",
"/target:library",
"/preferreduilang:en"
})
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = compiler.Run(outWriter)
Assert.Equal(1, exitCode)
Assert.Contains("vbc : error BC37253: The pathmap option was incorrectly formatted.", outWriter.ToString(), StringComparison.Ordinal)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact(Skip:="https://github.com/dotnet/roslyn/issues/38454")>
Public Sub TestSuppression_CompilerWarning()
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that compiler warning BC40008 is reported.
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("warning BC40008", output, StringComparison.Ordinal)
' Verify that compiler warning BC40008 is suppressed with diagnostic suppressor
' and info diagnostic is logged with programmatic suppression information.
Dim suppressor = New DiagnosticSuppressorForId("BC40008")
' Diagnostic '{0}: {1}' was programmatically suppressed by a DiagnosticSuppressor with suppression ID '{2}' and justification '{3}'
Dim suppressionMessage = String.Format(CodeAnalysisResources.SuppressionDiagnosticDescriptorMessage,
suppressor.SuppressionDescriptor.SuppressedDiagnosticId,
New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.WRN_UseOfObsoleteSymbolNoMessage1, "C"), Location.None).GetMessage(CultureInfo.InvariantCulture),
suppressor.SuppressionDescriptor.Id,
suppressor.SuppressionDescriptor.Justification)
Dim suppressors = ImmutableArray.Create(Of DiagnosticAnalyzer)(suppressor)
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=suppressors)
Assert.DoesNotContain("warning BC40008", output, StringComparison.Ordinal)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact(Skip:="https://github.com/dotnet/roslyn/issues/38454")>
Public Sub TestSuppression_CompilerWarningAsError()
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that compiler warning BC40008 is reported.
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("warning BC40008", output, StringComparison.Ordinal)
' Verify that compiler warning BC40008 is reported as error for /warnaserror.
output = VerifyOutput(dir, file, expectedErrorCount:=1, additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("error BC40008", output, StringComparison.Ordinal)
' Verify that compiler warning BC40008 is suppressed with diagnostic suppressor even with /warnaserror
' and info diagnostic is logged with programmatic suppression information.
Dim suppressor = New DiagnosticSuppressorForId("BC40008")
Dim suppressors = ImmutableArray.Create(Of DiagnosticAnalyzer)(suppressor)
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0, expectedErrorCount:=0,
additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=suppressors)
Assert.DoesNotContain($"warning BC40008", output, StringComparison.Ordinal)
Assert.DoesNotContain($"error BC40008", output, StringComparison.Ordinal)
' Diagnostic '{0}: {1}' was programmatically suppressed by a DiagnosticSuppressor with suppression ID '{2}' and justification '{3}'
Dim suppressionMessage = String.Format(CodeAnalysisResources.SuppressionDiagnosticDescriptorMessage,
suppressor.SuppressionDescriptor.SuppressedDiagnosticId,
New VBDiagnostic(ErrorFactory.ErrorInfo(ERRID.WRN_UseOfObsoleteSymbolNoMessage1, "C"), Location.None).GetMessage(CultureInfo.InvariantCulture),
suppressor.SuppressionDescriptor.Id,
suppressor.SuppressionDescriptor.Justification)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact>
Public Sub TestNoSuppression_CompilerError()
' warning BC30203 : Identifier expected
Dim source = "
Class
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that compiler error BC30203 is reported.
Dim output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False)
Assert.Contains("error BC30203", output, StringComparison.Ordinal)
' Verify that compiler error BC30203 cannot be suppressed with diagnostic suppressor.
Dim analyzers = ImmutableArray.Create(Of DiagnosticAnalyzer)(New DiagnosticSuppressorForId("BC30203"))
output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains("error BC30203", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact(Skip:="https://github.com/dotnet/roslyn/issues/38454")>
Public Sub TestSuppression_AnalyzerWarning()
Dim source = "
Class C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that analyzer warning is reported.
Dim analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Warning, configurable:=True)
Dim analyzers = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer)
Dim output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
' Verify that analyzer warning is suppressed with diagnostic suppressor
' and info diagnostic is logged with programmatic suppression information.
Dim suppressor = New DiagnosticSuppressorForId(analyzer.Descriptor.Id)
' Diagnostic '{0}: {1}' was programmatically suppressed by a DiagnosticSuppressor with suppression ID '{2}' and justification '{3}'
Dim suppressionMessage = String.Format(CodeAnalysisResources.SuppressionDiagnosticDescriptorMessage,
suppressor.SuppressionDescriptor.SuppressedDiagnosticId,
analyzer.Descriptor.MessageFormat,
suppressor.SuppressionDescriptor.Id,
suppressor.SuppressionDescriptor.Justification)
Dim analyzerAndSuppressor = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer, suppressor)
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.DoesNotContain($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
' Verify that analyzer warning is reported as error for /warnaserror.
output = VerifyOutput(dir, file, expectedErrorCount:=1,
additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains($"error {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
' Verify that analyzer warning is suppressed with diagnostic suppressor even with /warnaserror
' and info diagnostic is logged with programmatic suppression information.
output = VerifyOutput(dir, file, expectedInfoCount:=1, expectedWarningCount:=0, expectedErrorCount:=0,
additionalFlags:={"/warnaserror+"},
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.DoesNotContain($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
Assert.Contains("info SP0001", output, StringComparison.Ordinal)
Assert.Contains(suppressionMessage, output, StringComparison.Ordinal)
' Verify that "NotConfigurable" analyzer warning cannot be suppressed with diagnostic suppressor even with /warnaserror.
analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Warning, configurable:=False)
suppressor = New DiagnosticSuppressorForId(analyzer.Descriptor.Id)
analyzerAndSuppressor = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer, suppressor)
output = VerifyOutput(dir, file, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.Contains($"warning {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<WorkItem(20242, "https://github.com/dotnet/roslyn/issues/20242")>
<Fact>
Public Sub TestNoSuppression_AnalyzerError()
Dim source = "
Class C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("a.vb")
file.WriteAllText(source)
' Verify that analyzer error is reported.
Dim analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Error, configurable:=True)
Dim analyzers = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer)
Dim output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzers)
Assert.Contains($"error {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
' Verify that analyzer error cannot be suppressed with diagnostic suppressor.
Dim suppressor = New DiagnosticSuppressorForId(analyzer.Descriptor.Id)
Dim analyzerAndSuppressor = ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer, suppressor)
output = VerifyOutput(dir, file, expectedErrorCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
analyzers:=analyzerAndSuppressor)
Assert.Contains($"error {analyzer.Descriptor.Id}", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(file.Path)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub CompilerWarnAsErrorDoesNotEmit(ByVal warnAsError As Boolean)
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim docName As String = "doc.xml"
Dim additionalFlags = {$"/doc:{docName}", "/debug:full"}
If warnAsError Then
additionalFlags = additionalFlags.Append("/warnaserror").AsArray()
End If
Dim expectedErrorCount = If(warnAsError, 1, 0)
Dim expectedWarningCount = If(Not warnAsError, 1, 0)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount)
Dim expectedOutput = If(warnAsError, "error BC40008", "warning BC40008")
Assert.Contains(expectedOutput, output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not warnAsError)
Dim pdbPath As String = Path.Combine(dir.Path, "temp.pdb")
Assert.True(IO.File.Exists(pdbPath) = Not warnAsError)
Dim docPath As String = Path.Combine(dir.Path, docName)
Assert.True(IO.File.Exists(docPath) = Not warnAsError)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub AnalyzerConfigSeverityEscalationToErrorDoesNotEmit(ByVal analyzerConfigSetToError As Boolean)
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim docName As String = "doc.xml"
Dim additionalFlags = {$"/doc:{docName}", "/debug:full"}
If analyzerConfigSetToError Then
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.bc40008.severity = error")
additionalFlags = additionalFlags.Append("/analyzerconfig:" + analyzerConfig.Path).ToArray()
End If
Dim expectedErrorCount = If(analyzerConfigSetToError, 1, 0)
Dim expectedWarningCount = If(Not analyzerConfigSetToError, 1, 0)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount)
Dim expectedOutput = If(analyzerConfigSetToError, "error BC40008", "warning BC40008")
Assert.Contains(expectedOutput, output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not analyzerConfigSetToError)
Dim pdbPath As String = Path.Combine(dir.Path, "temp.pdb")
Assert.True(IO.File.Exists(pdbPath) = Not analyzerConfigSetToError)
Dim docPath As String = Path.Combine(dir.Path, docName)
Assert.True(IO.File.Exists(docPath) = Not analyzerConfigSetToError)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub RulesetSeverityEscalationToErrorDoesNotEmit(ByVal rulesetSetToError As Boolean)
' warning BC40008 : 'C' is obsolete
Dim source = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim docName As String = "doc.xml"
Dim additionalFlags = {$"/doc:{docName}", "/debug:full"}
If rulesetSetToError Then
Dim rulesetSource = <?xml version="1.0" encoding="utf-8"?>
<RuleSet Name="Ruleset1" Description="Test" ToolsVersion="12.0">
<Rules AnalyzerId="Microsoft.CodeAnalysis" RuleNamespace="Microsoft.CodeAnalysis">
<Rule Id="BC40008" Action="Error"/>
</Rules>
</RuleSet>
Dim ruleSetFile = CreateRuleSetFile(rulesetSource)
additionalFlags = additionalFlags.Append("/ruleset:" + ruleSetFile.Path).ToArray()
End If
Dim expectedErrorCount = If(rulesetSetToError, 1, 0)
Dim expectedWarningCount = If(Not rulesetSetToError, 1, 0)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount)
Dim expectedOutput = If(rulesetSetToError, "error BC40008", "warning BC40008")
Assert.Contains(expectedOutput, output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not rulesetSetToError)
Dim pdbPath As String = Path.Combine(dir.Path, "temp.pdb")
Assert.True(IO.File.Exists(pdbPath) = Not rulesetSetToError)
Dim docPath As String = Path.Combine(dir.Path, docName)
Assert.True(IO.File.Exists(docPath) = Not rulesetSetToError)
End Sub
<Theory>
<InlineData(True)>
<InlineData(False)>
<WorkItem(37779, "https://github.com/dotnet/roslyn/issues/37779")>
Public Sub AnalyzerWarnAsErrorDoesNotEmit(ByVal warnAsError As Boolean)
Dim source = "
Class C
End Class"
Dim dir = Temp.CreateDirectory()
Dim file = dir.CreateFile("temp.vb")
file.WriteAllText(source)
Dim expectedErrorCount = If(warnAsError, 2, 0)
Dim expectedWarningCount = If(Not warnAsError, 2, 0)
Dim analyzer As DiagnosticAnalyzer = New WarningDiagnosticAnalyzer() ' Reports 2 warnings for each named type.
Dim additionalFlags = If(warnAsError, {"/warnaserror"}, Nothing)
Dim output = VerifyOutput(dir, file,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags,
expectedErrorCount:=expectedErrorCount,
expectedWarningCount:=expectedWarningCount,
analyzers:=ImmutableArray.Create(analyzer))
Dim expectedODiagnosticSeverity = If(warnAsError, "error", "warning")
Assert.Contains($"{expectedODiagnosticSeverity} {WarningDiagnosticAnalyzer.Warning01.Id}", output)
Assert.Contains($"{expectedODiagnosticSeverity} {WarningDiagnosticAnalyzer.Warning03.Id}", output)
Dim binaryPath As String = Path.Combine(dir.Path, "temp.dll")
Assert.True(IO.File.Exists(binaryPath) = Not warnAsError)
End Sub
<WorkItem(42166, "https://github.com/dotnet/roslyn/issues/42166")>
<CombinatorialData, Theory>
Public Sub TestAnalyzerFilteringBasedOnSeverity(ByVal defaultSeverity As DiagnosticSeverity, ByVal errorlog As Boolean)
' This test verifies that analyzer execution is skipped at build time for the following:
' 1. Analyzer reporting Hidden diagnostics
' 2. Analyzer reporting Info diagnostics, when /errorlog is not specified
Dim analyzerShouldBeSkipped = defaultSeverity = DiagnosticSeverity.Hidden OrElse
defaultSeverity = DiagnosticSeverity.Info AndAlso Not errorlog
' We use an analyzer that throws an exception on every analyzer callback.
' So an AD0001 analyzer exception diagnostic is reported if analyzer executed, otherwise not.
Dim analyzer = New NamedTypeAnalyzerWithConfigurableEnabledByDefault(isEnabledByDefault:=True, defaultSeverity, throwOnAllNamedTypes:=True)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
End Class")
Dim args = {"/nologo", "/t:library", "/preferreduilang:en", src.Path}
If errorlog Then
args = args.Append("/errorlog:errorlog")
End If
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, args, analyzer)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Assert.Equal(0, exitCode)
Dim output = outWriter.ToString()
If analyzerShouldBeSkipped Then
Assert.Empty(output)
Else
Assert.Contains("warning AD0001: Analyzer 'Microsoft.CodeAnalysis.CommonDiagnosticAnalyzers+NamedTypeAnalyzerWithConfigurableEnabledByDefault' threw an exception of type 'System.NotImplementedException'", output, StringComparison.Ordinal)
End If
End Sub
<WorkItem(47017, "https://github.com/dotnet/roslyn/issues/47017")>
<CombinatorialData, Theory>
Public Sub TestWarnAsErrorMinusDoesNotEnableDisabledByDefaultAnalyzers(defaultSeverity As DiagnosticSeverity, isEnabledByDefault As Boolean)
' This test verifies that '/warnaserror-:DiagnosticId' does not affect if analyzers are executed or skipped.
' Setup the analyzer to always throw an exception on analyzer callbacks for cases where we expect analyzer execution to be skipped:
' 1. Disabled by default analyzer, i.e. 'isEnabledByDefault == false'.
' 2. Default severity Hidden/Info: We only execute analyzers reporting Warning/Error severity diagnostics on command line builds.
Dim analyzerShouldBeSkipped = Not isEnabledByDefault OrElse
defaultSeverity = DiagnosticSeverity.Hidden OrElse
defaultSeverity = DiagnosticSeverity.Info
Dim analyzer = New NamedTypeAnalyzerWithConfigurableEnabledByDefault(isEnabledByDefault, defaultSeverity, throwOnAllNamedTypes:=analyzerShouldBeSkipped)
Dim diagnosticId = analyzer.Descriptor.Id
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.cs").WriteAllText("
Class C
End Class")
' Verify '/warnaserror-:DiagnosticId' behavior.
Dim args = {"/warnaserror+", $"/warnaserror-:{diagnosticId}", "/nologo", "/t:library", "/preferreduilang:en", src.Path}
Dim cmd = New MockVisualBasicCompiler(Nothing, dir.Path, args, analyzer)
Dim outWriter = New StringWriter(CultureInfo.InvariantCulture)
Dim exitCode = cmd.Run(outWriter)
Dim expectedExitCode = If(Not analyzerShouldBeSkipped AndAlso defaultSeverity = DiagnosticSeverity.[Error], 1, 0)
Assert.Equal(expectedExitCode, exitCode)
Dim output = outWriter.ToString()
If analyzerShouldBeSkipped Then
Assert.Empty(output)
Else
Dim prefix = If(defaultSeverity = DiagnosticSeverity.Warning, "warning", "error")
Assert.Contains($"{prefix} {diagnosticId}: {analyzer.Descriptor.MessageFormat}", output)
End If
End Sub
<WorkItem(49446, "https://github.com/dotnet/roslyn/issues/49446")>
<Theory>
<InlineData(False, DiagnosticSeverity.Info, DiagnosticSeverity.Warning, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Info, DiagnosticSeverity.Warning, DiagnosticSeverity.Warning)>
<InlineData(False, DiagnosticSeverity.Warning, Nothing, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Warning, Nothing, DiagnosticSeverity.Warning)>
<InlineData(False, DiagnosticSeverity.Warning, DiagnosticSeverity.Error, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Warning, DiagnosticSeverity.Error, DiagnosticSeverity.Warning)>
<InlineData(False, DiagnosticSeverity.Info, DiagnosticSeverity.Error, DiagnosticSeverity.Error)>
<InlineData(True, DiagnosticSeverity.Info, DiagnosticSeverity.Error, DiagnosticSeverity.Error)>
Public Sub TestWarnAsErrorMinusDoesNotNullifyEditorConfig(warnAsErrorMinus As Boolean,
defaultSeverity As DiagnosticSeverity,
severityInConfigFile As DiagnosticSeverity?,
expectedEffectiveSeverity As DiagnosticSeverity)
Dim analyzer = New NamedTypeAnalyzerWithConfigurableEnabledByDefault(isEnabledByDefault:=True, defaultSeverity, throwOnAllNamedTypes:=False)
Dim diagnosticId = analyzer.Descriptor.Id
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("test.vb").WriteAllText("
Class C
End Class")
Dim additionalFlags = {"/warnaserror+"}
If severityInConfigFile.HasValue Then
Dim severityString = DiagnosticDescriptor.MapSeverityToReport(severityInConfigFile.Value).ToAnalyzerConfigString()
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText($"
[*.vb]
dotnet_diagnostic.{diagnosticId}.severity = {severityString}")
additionalFlags = additionalFlags.Append($"/analyzerconfig:{analyzerConfig.Path}").ToArray()
End If
If warnAsErrorMinus Then
additionalFlags = additionalFlags.Append($"/warnaserror-:{diagnosticId}").ToArray()
End If
Dim expectedWarningCount As Integer = 0, expectedErrorCount As Integer = 0
Select Case expectedEffectiveSeverity
Case DiagnosticSeverity.Warning
expectedWarningCount = 1
Case DiagnosticSeverity.[Error]
expectedErrorCount = 1
Case Else
Throw ExceptionUtilities.UnexpectedValue(expectedEffectiveSeverity)
End Select
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False,
expectedWarningCount:=expectedWarningCount,
expectedErrorCount:=expectedErrorCount,
additionalFlags:=additionalFlags,
analyzers:=ImmutableArray.Create(Of DiagnosticAnalyzer)(analyzer))
End Sub
<Fact>
<WorkItem(44087, "https://github.com/dotnet/roslyn/issues/44804")>
Public Sub GlobalAnalyzerConfigDiagnosticOptionsCanBeOverridenByCommandLine()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
Class C
Private Sub M()
Dim a As String
End Sub
End Class
")
Dim globalConfig = dir.CreateFile(".globalconfig").WriteAllText("
is_global = true
dotnet_diagnostic.BC42024.severity = error;
")
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText("
[*.vb]
dotnet_diagnostic.BC42024.severity = warning;
")
Dim globalOption = "/analyzerconfig:" + globalConfig.Path
Dim specificOption = "/analyzerconfig:" + analyzerConfig.Path
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=1)
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=0, additionalFlags:={"/nowarn:BC42024"})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedErrorCount:=1, additionalFlags:={globalOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:BC42024", globalOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:42024", globalOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=1, additionalFlags:={globalOption, specificOption})
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, expectedWarningCount:=0, additionalFlags:={"/nowarn:BC42024", globalOption, specificOption})
End Sub
<Theory, CombinatorialData>
<WorkItem(43051, "https://github.com/dotnet/roslyn/issues/43051")>
Public Sub WarnAsErrorIsRespectedForForWarningsConfiguredInRulesetOrGlobalConfig(useGlobalConfig As Boolean)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
Class C
Private Sub M()
Dim a As String
End Sub
End Class")
Dim additionalFlags = {"/warnaserror+"}
If useGlobalConfig Then
Dim globalConfig = dir.CreateFile(".globalconfig").WriteAllText($"
is_global = true
dotnet_diagnostic.BC42024.severity = warning;
")
additionalFlags = additionalFlags.Append("/analyzerconfig:" & globalConfig.Path).ToArray()
Else
Dim ruleSetSource As String = "<?xml version=""1.0"" encoding=""utf-8""?>
<RuleSet Name=""Ruleset1"" Description=""Test"" ToolsVersion=""15.0"">
<Rules AnalyzerId=""Compiler"" RuleNamespace=""Compiler"">
<Rule Id=""BC42024"" Action=""Warning"" />
</Rules>
</RuleSet>
"
dir.CreateFile("Rules.ruleset").WriteAllText(ruleSetSource)
additionalFlags = additionalFlags.Append("/ruleset:Rules.ruleset").ToArray()
End If
VerifyOutput(dir, src, additionalFlags:=additionalFlags, expectedErrorCount:=1, includeCurrentAssemblyAsAnalyzerReference:=False)
End Sub
<Fact>
<WorkItem(44087, "https://github.com/dotnet/roslyn/issues/44804")>
Public Sub GlobalAnalyzerConfigSpecificDiagnosticOptionsOverrideGeneralCommandLineOptions()
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText("
Class C
Private Sub M()
Dim a As String
End Sub
End Class
")
Dim globalConfig = dir.CreateFile(".globalconfig").WriteAllText("
is_global = true
dotnet_diagnostic.BC42024.severity = none;
")
VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/warnaserror+", "/analyzerconfig:" + globalConfig.Path})
End Sub
<Theory, CombinatorialData>
Public Sub TestAdditionalFileAnalyzer(registerFromInitialize As Boolean)
Dim srcDirectory = Temp.CreateDirectory()
Dim source = "
Class C
End Class"
Dim srcFile = srcDirectory.CreateFile("a.vb")
srcFile.WriteAllText(source)
Dim additionalText = "Additional Text"
Dim additionalFile = srcDirectory.CreateFile("b.txt")
additionalFile.WriteAllText(additionalText)
Dim diagnosticSpan = New TextSpan(2, 2)
Dim analyzer As DiagnosticAnalyzer = New AdditionalFileAnalyzer(registerFromInitialize, diagnosticSpan)
Dim output = VerifyOutput(srcDirectory, srcFile, expectedWarningCount:=1,
includeCurrentAssemblyAsAnalyzerReference:=False,
additionalFlags:={"/additionalfile:" & additionalFile.Path},
analyzers:=ImmutableArray.Create(analyzer))
Assert.Contains("b.txt(1) : warning ID0001", output, StringComparison.Ordinal)
CleanupAllGeneratedFiles(srcDirectory.Path)
End Sub
<Theory>
<InlineData("warning", "/warnaserror", True, False)>
<InlineData("error", "/warnaserror", True, False)>
<InlineData(Nothing, "/warnaserror", True, False)>
<InlineData("warning", "/warnaserror:BC40008", True, False)>
<InlineData("error", "/warnaserror:BC40008", True, False)>
<InlineData(Nothing, "/warnaserror:BC40008", True, False)>
<InlineData("warning", "/nowarn:BC40008", False, False)>
<InlineData("error", "/nowarn:BC40008", False, False)>
<InlineData(Nothing, "/nowarn:BC40008", False, False)>
<InlineData("warning", Nothing, False, True)>
<InlineData("error", Nothing, True, False)>
<InlineData(Nothing, Nothing, False, True)>
<WorkItem(43051, "https://github.com/dotnet/roslyn/issues/43051")>
Public Sub TestCompilationOptionsOverrideAnalyzerConfig_CompilerWarning(analyzerConfigSeverity As String, additionalArg As String, expectError As Boolean, expectWarning As Boolean)
' warning BC40008 : 'C' is obsolete
Dim src = "
Imports System
<Obsolete>
Class C
End Class
Class D
Inherits C
End Class"
TestCompilationOptionsOverrideAnalyzerConfigCore(src, diagnosticId:="BC40008", analyzerConfigSeverity, additionalArg, expectError, expectWarning)
End Sub
<Theory>
<InlineData("warning", "/warnaserror", True, False)>
<InlineData("error", "/warnaserror", True, False)>
<InlineData(Nothing, "/warnaserror", True, False)>
<InlineData("warning", "/warnaserror:" & CompilationAnalyzerWithSeverity.DiagnosticId, True, False)>
<InlineData("error", "/warnaserror:" & CompilationAnalyzerWithSeverity.DiagnosticId, True, False)>
<InlineData(Nothing, "/warnaserror:" & CompilationAnalyzerWithSeverity.DiagnosticId, True, False)>
<InlineData("warning", "/nowarn:" & CompilationAnalyzerWithSeverity.DiagnosticId, False, False)>
<InlineData("error", "/nowarn:" & CompilationAnalyzerWithSeverity.DiagnosticId, False, False)>
<InlineData(Nothing, "/nowarn:" & CompilationAnalyzerWithSeverity.DiagnosticId, False, False)>
<InlineData("warning", Nothing, False, True)>
<InlineData("error", Nothing, True, False)>
<InlineData(Nothing, Nothing, False, True)>
<WorkItem(43051, "https://github.com/dotnet/roslyn/issues/43051")>
Public Sub TestCompilationOptionsOverrideAnalyzerConfig_AnalyzerWarning(analyzerConfigSeverity As String, additionalArg As String, expectError As Boolean, expectWarning As Boolean)
Dim analyzer = New CompilationAnalyzerWithSeverity(DiagnosticSeverity.Warning, configurable:=True)
Dim src = "
Class C
End Class"
TestCompilationOptionsOverrideAnalyzerConfigCore(src, CompilationAnalyzerWithSeverity.DiagnosticId, analyzerConfigSeverity, additionalArg, expectError, expectWarning, analyzer)
End Sub
Private Sub TestCompilationOptionsOverrideAnalyzerConfigCore(
source As String,
diagnosticId As String,
analyzerConfigSeverity As String,
additionalArg As String,
expectError As Boolean,
expectWarning As Boolean,
ParamArray analyzers As DiagnosticAnalyzer())
Assert.True(Not expectError OrElse Not expectWarning)
Dim dir = Temp.CreateDirectory()
Dim src = dir.CreateFile("temp.vb").WriteAllText(source)
Dim additionalArgs = Array.Empty(Of String)()
If analyzerConfigSeverity IsNot Nothing Then
Dim analyzerConfig = dir.CreateFile(".editorconfig").WriteAllText($"
[*.vb]
dotnet_diagnostic.{diagnosticId}.severity = {analyzerConfigSeverity}")
additionalArgs = additionalArgs.Append($"/analyzerconfig:{analyzerConfig.Path}").ToArray()
End If
If Not String.IsNullOrEmpty(additionalArg) Then
additionalArgs = additionalArgs.Append(additionalArg)
End If
Dim output = VerifyOutput(dir, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalArgs,
expectedErrorCount:=If(expectError, 1, 0),
expectedWarningCount:=If(expectWarning, 1, 0),
analyzers:=analyzers.ToImmutableArrayOrEmpty())
If expectError Then
Assert.Contains($"error {diagnosticId}", output)
ElseIf expectWarning Then
Assert.Contains($"warning {diagnosticId}", output)
Else
Assert.DoesNotContain(diagnosticId, output)
End If
End Sub
<ConditionalFact(GetType(CoreClrOnly), Reason:="Can't load a coreclr targeting generator on net framework / mono")>
Public Sub TestGeneratorsCantTargetNetFramework()
Dim directory = Temp.CreateDirectory()
Dim src = directory.CreateFile("test.vb").WriteAllText("
Class C
End Class")
'Core
Dim coreGenerator = EmitGenerator(".NETCoreApp,Version=v5.0")
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & coreGenerator})
'NetStandard
Dim nsGenerator = EmitGenerator(".NETStandard,Version=v2.0")
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & nsGenerator})
'NoTarget
Dim ntGenerator = EmitGenerator(targetFramework:=Nothing)
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & ntGenerator})
'Framework
Dim frameworkGenerator = EmitGenerator(".NETFramework,Version=v4.7.2")
Dim output = VerifyOutput(directory, src, expectedWarningCount:=2, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/analyzer:" & frameworkGenerator})
Assert.Contains("CS8850", output)
Assert.Contains("CS8033", output)
'Framework, suppressed
output = VerifyOutput(directory, src, expectedWarningCount:=1, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:CS8850", "/analyzer:" & frameworkGenerator})
Assert.Contains("CS8033", output)
VerifyOutput(directory, src, includeCurrentAssemblyAsAnalyzerReference:=False, additionalFlags:={"/nowarn:CS8850,CS8033", "/analyzer:" & frameworkGenerator})
End Sub
Private Function EmitGenerator(ByVal targetFramework As String) As String
Dim targetFrameworkAttributeText As String = If(TypeOf targetFramework Is Object, $"<Assembly: System.Runtime.Versioning.TargetFramework(""{targetFramework}"")>", String.Empty)
Dim generatorSource As String = $"
Imports Microsoft.CodeAnalysis
{targetFrameworkAttributeText}
<Generator>
Public Class Generator
Inherits ISourceGenerator
Public Sub Execute(ByVal context As GeneratorExecutionContext)
End Sub
Public Sub Initialize(ByVal context As GeneratorInitializationContext)
End Sub
End Class
"
Dim directory = Temp.CreateDirectory()
Dim generatorPath = Path.Combine(directory.Path, "generator.dll")
Dim compilation = VisualBasicCompilation.Create($"generator_{targetFramework}",
{VisualBasicSyntaxTree.ParseText(generatorSource)},
TargetFrameworkUtil.GetReferences(Roslyn.Test.Utilities.TargetFramework.Standard, {MetadataReference.CreateFromAssemblyInternal(GetType(ISourceGenerator).Assembly)}),
New VisualBasicCompilationOptions(OutputKind.DynamicallyLinkedLibrary))
compilation.VerifyDiagnostics()
Dim result = compilation.Emit(generatorPath)
Assert.[True](result.Success)
Return generatorPath
End Function
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend MustInherit Class MockAbstractDiagnosticAnalyzer
Inherits DiagnosticAnalyzer
Public Overrides Sub Initialize(context As AnalysisContext)
context.RegisterCompilationStartAction(
Sub(startContext As CompilationStartAnalysisContext)
startContext.RegisterCompilationEndAction(AddressOf AnalyzeCompilation)
CreateAnalyzerWithinCompilation(startContext)
End Sub)
End Sub
Public MustOverride Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
Public MustOverride Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class HiddenDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Hidden01 As DiagnosticDescriptor = New DiagnosticDescriptor("Hidden01", "", "Throwing a diagnostic for #ExternalSource", "", DiagnosticSeverity.Hidden, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSyntaxNodeAction(AddressOf AnalyzeNode, SyntaxKind.ExternalSourceDirectiveTrivia)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Hidden01)
End Get
End Property
Public Sub AnalyzeNode(context As SyntaxNodeAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Hidden01, context.Node.GetLocation()))
End Sub
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class InfoDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Info01 As DiagnosticDescriptor = New DiagnosticDescriptor("Info01", "", "Throwing a diagnostic for #Enable", "", DiagnosticSeverity.Info, isEnabledByDefault:=True)
Friend Shared ReadOnly Info02 As DiagnosticDescriptor = New DiagnosticDescriptor("Info02", "", "Throwing a diagnostic for something else", "", DiagnosticSeverity.Info, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSyntaxNodeAction(AddressOf AnalyzeNode, SyntaxKind.EnableWarningDirectiveTrivia)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Info01, Info02)
End Get
End Property
Public Sub AnalyzeNode(context As SyntaxNodeAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Info01, context.Node.GetLocation()))
End Sub
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class WarningDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Warning01 As DiagnosticDescriptor = New DiagnosticDescriptor("Warning01", "", "Throwing a diagnostic for types declared", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Friend Shared ReadOnly Warning02 As DiagnosticDescriptor = New DiagnosticDescriptor("Warning02", "", "Throwing a diagnostic for something else", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Friend Shared ReadOnly Warning03 As DiagnosticDescriptor = New DiagnosticDescriptor("Warning03", "", "Throwing a diagnostic for types declared", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSymbolAction(AddressOf AnalyzeSymbol, SymbolKind.NamedType)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Warning01, Warning02, Warning03)
End Get
End Property
Public Sub AnalyzeSymbol(context As SymbolAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Warning01, context.Symbol.Locations.First()))
context.ReportDiagnostic(Diagnostic.Create(Warning03, context.Symbol.Locations.First()))
End Sub
End Class
<DiagnosticAnalyzer(LanguageNames.VisualBasic)>
Friend Class ErrorDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Error01 As DiagnosticDescriptor = New DiagnosticDescriptor("Error01", "", "Throwing a diagnostic for #Disable", "", DiagnosticSeverity.Error, isEnabledByDefault:=True)
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterSyntaxNodeAction(AddressOf AnalyzeNode, SyntaxKind.DisableWarningDirectiveTrivia)
End Sub
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Error01)
End Get
End Property
Public Sub AnalyzeNode(context As SyntaxNodeAnalysisContext)
context.ReportDiagnostic(Diagnostic.Create(Error01, context.Node.GetLocation()))
End Sub
End Class
Friend Class AdditionalFileDiagnosticAnalyzer
Inherits MockAbstractDiagnosticAnalyzer
Friend Shared ReadOnly Rule As DiagnosticDescriptor = New DiagnosticDescriptor("AdditionalFileDiagnostic", "", "Additional File Diagnostic: {0}", "", DiagnosticSeverity.Warning, isEnabledByDefault:=True)
Private ReadOnly _nonCompilerInputFile As String
Public Sub New(nonCompilerInputFile As String)
_nonCompilerInputFile = nonCompilerInputFile
End Sub
Public Overrides ReadOnly Property SupportedDiagnostics As ImmutableArray(Of DiagnosticDescriptor)
Get
Return ImmutableArray.Create(Rule)
End Get
End Property
Public Overrides Sub AnalyzeCompilation(context As CompilationAnalysisContext)
End Sub
Public Overrides Sub CreateAnalyzerWithinCompilation(context As CompilationStartAnalysisContext)
context.RegisterCompilationEndAction(AddressOf CompilationEndAction)
End Sub
Private Sub CompilationEndAction(context As CompilationAnalysisContext)
' Diagnostic reported on additionals file, with valid span.
For Each additionalFile In context.Options.AdditionalFiles
ReportDiagnostic(additionalFile.Path, context)
Next
' Diagnostic reported on an additional file, but with an invalid span.
ReportDiagnostic(context.Options.AdditionalFiles.First().Path, context, New TextSpan(0, 1000000)) ' Overflow span
' Diagnostic reported on a file which is not an input for the compiler.
ReportDiagnostic(_nonCompilerInputFile, context)
' Diagnostic reported on a non-existent file.
ReportDiagnostic("NonExistentPath", context)
End Sub
Private Sub ReportDiagnostic(path As String, context As CompilationAnalysisContext, Optional span As TextSpan = Nothing)
If span = Nothing Then
span = New TextSpan(0, 11)
End If
Dim linePosSpan = New LinePositionSpan(New LinePosition(0, 0), New LinePosition(0, span.End))
Dim diagLocation = Location.Create(path, span, linePosSpan)
Dim diag = Diagnostic.Create(Rule, diagLocation, IO.Path.GetFileNameWithoutExtension(path))
context.ReportDiagnostic(diag)
End Sub
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/BoundTree/BoundNullCoalescingAssignmentOperator.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 Microsoft.CodeAnalysis.CSharp.Symbols;
namespace Microsoft.CodeAnalysis.CSharp
{
internal partial class BoundNullCoalescingAssignmentOperator
{
internal bool IsNullableValueTypeAssignment
{
get
{
var leftType = LeftOperand.Type;
if (leftType?.IsNullableType() != true)
{
return false;
}
var nullableUnderlying = leftType.GetNullableUnderlyingType();
return nullableUnderlying.Equals(RightOperand.Type);
}
}
}
}
| // 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 Microsoft.CodeAnalysis.CSharp.Symbols;
namespace Microsoft.CodeAnalysis.CSharp
{
internal partial class BoundNullCoalescingAssignmentOperator
{
internal bool IsNullableValueTypeAssignment
{
get
{
var leftType = LeftOperand.Type;
if (leftType?.IsNullableType() != true)
{
return false;
}
var nullableUnderlying = leftType.GetNullableUnderlyingType();
return nullableUnderlying.Equals(RightOperand.Type);
}
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/Core/Def/Implementation/HierarchyItemToProjectIdMap.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.Composition;
using System.Diagnostics.CodeAnalysis;
using System.Linq;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.Host.Mef;
using Microsoft.VisualStudio.LanguageServices.Implementation.ProjectSystem;
using Microsoft.VisualStudio.LanguageServices.Implementation.Venus;
using Microsoft.VisualStudio.Shell;
namespace Microsoft.VisualStudio.LanguageServices.Implementation
{
[ExportWorkspaceService(typeof(IHierarchyItemToProjectIdMap), ServiceLayer.Host), Shared]
internal class HierarchyItemToProjectIdMap : IHierarchyItemToProjectIdMap
{
private readonly VisualStudioWorkspaceImpl _workspace;
[ImportingConstructor]
[SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification = "Used in test code: https://github.com/dotnet/roslyn/issues/42814")]
public HierarchyItemToProjectIdMap(VisualStudioWorkspaceImpl workspace)
=> _workspace = workspace;
public bool TryGetProjectId(IVsHierarchyItem hierarchyItem, string? targetFrameworkMoniker, [NotNullWhen(true)] out ProjectId? projectId)
{
// A project node is represented in two different hierarchies: the solution's IVsHierarchy (where it is a leaf node)
// and the project's own IVsHierarchy (where it is the root node). The IVsHierarchyItem joins them together for the
// purpose of creating the tree displayed in Solution Explorer. The project's hierarchy is what is passed from the
// project system to the language service, so that's the one the one to query here. To do that we need to get
// the "nested" hierarchy from the IVsHierarchyItem.
var nestedHierarchy = hierarchyItem.HierarchyIdentity.NestedHierarchy;
// First filter the projects by matching up properties on the input hierarchy against properties on each
// project's hierarchy.
var candidateProjects = _workspace.CurrentSolution.Projects
.Where(p =>
{
// We're about to access various properties of the IVsHierarchy associated with the project.
// The properties supported and the interpretation of their values varies from one project system
// to another. This code is designed with C# and VB in mind, so we need to filter out everything
// else.
if (p.Language != LanguageNames.CSharp
&& p.Language != LanguageNames.VisualBasic)
{
return false;
}
var hierarchy = _workspace.GetHierarchy(p.Id);
return hierarchy == nestedHierarchy;
})
.ToArray();
// If we only have one candidate then no further checks are required.
if (candidateProjects.Length == 1)
{
projectId = candidateProjects[0].Id;
return true;
}
// For CPS projects, we may have a string we extracted from a $TFM-prefixed capability; compare that to the string we're given
// from CPS to see if this matches.
if (targetFrameworkMoniker != null)
{
var matchingProject = candidateProjects.FirstOrDefault(p => _workspace.TryGetDependencyNodeTargetIdentifier(p.Id) == targetFrameworkMoniker);
if (matchingProject != null)
{
projectId = matchingProject.Id;
return true;
}
}
// If we have multiple candidates then we might be dealing with Web Application Projects. In this case
// there will be one main project plus one project for each open aspx/cshtml/vbhtml file, all with
// identical properties on their hierarchies. We can find the main project by taking the first project
// without a ContainedDocument.
foreach (var candidateProject in candidateProjects)
{
if (!candidateProject.DocumentIds.Any(id => ContainedDocument.TryGetContainedDocument(id) != null))
{
projectId = candidateProject.Id;
return true;
}
}
projectId = null;
return 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.
using System.Composition;
using System.Diagnostics.CodeAnalysis;
using System.Linq;
using Microsoft.CodeAnalysis;
using Microsoft.CodeAnalysis.Host.Mef;
using Microsoft.VisualStudio.LanguageServices.Implementation.ProjectSystem;
using Microsoft.VisualStudio.LanguageServices.Implementation.Venus;
using Microsoft.VisualStudio.Shell;
namespace Microsoft.VisualStudio.LanguageServices.Implementation
{
[ExportWorkspaceService(typeof(IHierarchyItemToProjectIdMap), ServiceLayer.Host), Shared]
internal class HierarchyItemToProjectIdMap : IHierarchyItemToProjectIdMap
{
private readonly VisualStudioWorkspaceImpl _workspace;
[ImportingConstructor]
[SuppressMessage("RoslynDiagnosticsReliability", "RS0033:Importing constructor should be [Obsolete]", Justification = "Used in test code: https://github.com/dotnet/roslyn/issues/42814")]
public HierarchyItemToProjectIdMap(VisualStudioWorkspaceImpl workspace)
=> _workspace = workspace;
public bool TryGetProjectId(IVsHierarchyItem hierarchyItem, string? targetFrameworkMoniker, [NotNullWhen(true)] out ProjectId? projectId)
{
// A project node is represented in two different hierarchies: the solution's IVsHierarchy (where it is a leaf node)
// and the project's own IVsHierarchy (where it is the root node). The IVsHierarchyItem joins them together for the
// purpose of creating the tree displayed in Solution Explorer. The project's hierarchy is what is passed from the
// project system to the language service, so that's the one the one to query here. To do that we need to get
// the "nested" hierarchy from the IVsHierarchyItem.
var nestedHierarchy = hierarchyItem.HierarchyIdentity.NestedHierarchy;
// First filter the projects by matching up properties on the input hierarchy against properties on each
// project's hierarchy.
var candidateProjects = _workspace.CurrentSolution.Projects
.Where(p =>
{
// We're about to access various properties of the IVsHierarchy associated with the project.
// The properties supported and the interpretation of their values varies from one project system
// to another. This code is designed with C# and VB in mind, so we need to filter out everything
// else.
if (p.Language != LanguageNames.CSharp
&& p.Language != LanguageNames.VisualBasic)
{
return false;
}
var hierarchy = _workspace.GetHierarchy(p.Id);
return hierarchy == nestedHierarchy;
})
.ToArray();
// If we only have one candidate then no further checks are required.
if (candidateProjects.Length == 1)
{
projectId = candidateProjects[0].Id;
return true;
}
// For CPS projects, we may have a string we extracted from a $TFM-prefixed capability; compare that to the string we're given
// from CPS to see if this matches.
if (targetFrameworkMoniker != null)
{
var matchingProject = candidateProjects.FirstOrDefault(p => _workspace.TryGetDependencyNodeTargetIdentifier(p.Id) == targetFrameworkMoniker);
if (matchingProject != null)
{
projectId = matchingProject.Id;
return true;
}
}
// If we have multiple candidates then we might be dealing with Web Application Projects. In this case
// there will be one main project plus one project for each open aspx/cshtml/vbhtml file, all with
// identical properties on their hierarchies. We can find the main project by taking the first project
// without a ContainedDocument.
foreach (var candidateProject in candidateProjects)
{
if (!candidateProject.DocumentIds.Any(id => ContainedDocument.TryGetContainedDocument(id) != null))
{
projectId = candidateProject.Id;
return true;
}
}
projectId = null;
return false;
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Test/Resources/Core/SymbolsTests/netModule/netModule2.netmodule | MZ @ !L!This program cannot be run in DOS mode.
$ PE L QK " @ @ ` @ ! S @ H .text `.reloc @ @ B ! H X ` (
*BSJB v4.0.30319 l #~ D #Strings 8 #US @ #GUID P #Blob G %3 . ! P (
(
<Module> mscorlib Class2 System Object .ctor netModule2.netmodule l[Kp z\V4 ! ! ! _CorExeMain mscoree.dll % @ 2 | MZ @ !L!This program cannot be run in DOS mode.
$ PE L QK " @ @ ` @ ! S @ H .text `.reloc @ @ B ! H X ` (
*BSJB v4.0.30319 l #~ D #Strings 8 #US @ #GUID P #Blob G %3 . ! P (
(
<Module> mscorlib Class2 System Object .ctor netModule2.netmodule l[Kp z\V4 ! ! ! _CorExeMain mscoree.dll % @ 2 | -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Features/Core/Portable/AddParameter/IAddParameterService.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.Threading;
using System.Threading.Tasks;
namespace Microsoft.CodeAnalysis.AddParameter
{
internal interface IAddParameterService
{
/// <summary>
/// Checks if there are indications that there might be more than one declarations that need to be fixed.
/// The check does not look-up if there are other declarations (this is done later in the CodeAction).
/// </summary>
bool HasCascadingDeclarations(IMethodSymbol method);
/// <summary>
/// Adds a parameter to a method.
/// </summary>
/// <param name="newParameterIndex"><see langword="null"/> to add as the final parameter</param>
/// <returns></returns>
Task<Solution> AddParameterAsync(
Document invocationDocument,
IMethodSymbol method,
ITypeSymbol newParamaterType,
RefKind refKind,
string parameterName,
int? newParameterIndex,
bool fixAllReferences,
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.Threading;
using System.Threading.Tasks;
namespace Microsoft.CodeAnalysis.AddParameter
{
internal interface IAddParameterService
{
/// <summary>
/// Checks if there are indications that there might be more than one declarations that need to be fixed.
/// The check does not look-up if there are other declarations (this is done later in the CodeAction).
/// </summary>
bool HasCascadingDeclarations(IMethodSymbol method);
/// <summary>
/// Adds a parameter to a method.
/// </summary>
/// <param name="newParameterIndex"><see langword="null"/> to add as the final parameter</param>
/// <returns></returns>
Task<Solution> AddParameterAsync(
Document invocationDocument,
IMethodSymbol method,
ITypeSymbol newParamaterType,
RefKind refKind,
string parameterName,
int? newParameterIndex,
bool fixAllReferences,
CancellationToken cancellationToken);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Analyzers/CSharp/Tests/SimplifyLinqExpression/CSharpSimplifyLinqExpressionFixAllTests.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.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.SimplifyLinqExpression;
using Microsoft.CodeAnalysis.Editor.UnitTests.CodeActions;
using Microsoft.CodeAnalysis.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.Analyzers.UnitTests.SimplifyLinqExpression
{
using VerifyCS = CSharpCodeFixVerifier<
CSharpSimplifyLinqExpressionDiagnosticAnalyzer,
CSharpSimplifyLinqExpressionCodeFixProvider>;
public partial class CSharpSimplifyLinqExpressionTests
{
[Fact, Trait(Traits.Feature, Traits.Features.CodeActionsInlineDeclaration)]
public async Task FixAllInDocument()
{
await new VerifyCS.Test
{
TestCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = [|test.Where(x => x.Equals('!')).Any()|];
var test2 = [|test.Where(x => x.Equals('!')).SingleOrDefault()|];
var test3 = [|test.Where(x => x.Equals('!')).Last()|];
var test4 = [|test.Where(x => x.Equals('!')).Count()|];
var test5 = [|test.Where(x => x.Equals('!')).FirstOrDefault()|];
}
}",
FixedCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = test.Any(x => x.Equals('!'));
var test2 = test.SingleOrDefault(x => x.Equals('!'));
var test3 = test.Last(x => x.Equals('!'));
var test4 = test.Count(x => x.Equals('!'));
var test5 = test.FirstOrDefault(x => x.Equals('!'));
}
}",
}.RunAsync();
}
[Fact, Trait(Traits.Feature, Traits.Features.CodeActionsInlineDeclaration)]
public async Task FixAllInDocumentExplicitCall()
{
var testCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = [|Enumerable.Where(test, x => x.Equals(""!"")).Any()|];
var test2 = [|Enumerable.Where(test, x => x.Equals(""!"")).SingleOrDefault()|];
var test3 = [|Enumerable.Where(test, x => x.Equals(""!"")).Last()|];
var test4 = [|Enumerable.Where(test, x => x.Equals(""!"")).Count()|];
var test5 = [|Enumerable.Where(test, x => x.Equals(""!"")).FirstOrDefault()|];
}
}";
var fixedCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = Enumerable.Any(test, x => x.Equals(""!""));
var test2 = Enumerable.SingleOrDefault(test, x => x.Equals(""!""));
var test3 = Enumerable.Last(test, x => x.Equals(""!""));
var test4 = Enumerable.Count(test, x => x.Equals(""!""));
var test5 = Enumerable.FirstOrDefault(test, x => x.Equals(""!""));
}
}";
await VerifyCS.VerifyCodeFixAsync(testCode, fixedCode);
}
[Fact, Trait(Traits.Feature, Traits.Features.CodeActionsInlineDeclaration)]
public async Task NestedInDocument()
{
await new VerifyCS.Test
{
TestCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
var test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = [|test.Where(x => x.Equals('!')).Any()|];
var test2 = [|test.Where(x => x.Equals('!')).SingleOrDefault()|];
var test3 = [|test.Where(x => x.Equals('!')).Last()|];
var test4 = test.Where(x => x.Equals('!')).Count();
var test5 = from x in test where x.Equals('!') select x;
var test6 = [|test.Where(a => [|a.Where(s => s.Equals(""hello"")).FirstOrDefault()|].Equals(""hello"")).FirstOrDefault()|];
}
}",
FixedCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
var test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = test.Any(x => x.Equals('!'));
var test2 = test.SingleOrDefault(x => x.Equals('!'));
var test3 = test.Last(x => x.Equals('!'));
var test4 = test.Where(x => x.Equals('!')).Count();
var test5 = from x in test where x.Equals('!') select x;
var test6 = test.FirstOrDefault(a => a.FirstOrDefault(s => s.Equals(""hello"")).Equals(""hello""));
}
}",
}.RunAsync();
}
}
}
| // 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.Threading.Tasks;
using Microsoft.CodeAnalysis.CSharp.SimplifyLinqExpression;
using Microsoft.CodeAnalysis.Editor.UnitTests.CodeActions;
using Microsoft.CodeAnalysis.Test.Utilities;
using Xunit;
namespace Microsoft.CodeAnalysis.CSharp.Analyzers.UnitTests.SimplifyLinqExpression
{
using VerifyCS = CSharpCodeFixVerifier<
CSharpSimplifyLinqExpressionDiagnosticAnalyzer,
CSharpSimplifyLinqExpressionCodeFixProvider>;
public partial class CSharpSimplifyLinqExpressionTests
{
[Fact, Trait(Traits.Feature, Traits.Features.CodeActionsInlineDeclaration)]
public async Task FixAllInDocument()
{
await new VerifyCS.Test
{
TestCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = [|test.Where(x => x.Equals('!')).Any()|];
var test2 = [|test.Where(x => x.Equals('!')).SingleOrDefault()|];
var test3 = [|test.Where(x => x.Equals('!')).Last()|];
var test4 = [|test.Where(x => x.Equals('!')).Count()|];
var test5 = [|test.Where(x => x.Equals('!')).FirstOrDefault()|];
}
}",
FixedCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = test.Any(x => x.Equals('!'));
var test2 = test.SingleOrDefault(x => x.Equals('!'));
var test3 = test.Last(x => x.Equals('!'));
var test4 = test.Count(x => x.Equals('!'));
var test5 = test.FirstOrDefault(x => x.Equals('!'));
}
}",
}.RunAsync();
}
[Fact, Trait(Traits.Feature, Traits.Features.CodeActionsInlineDeclaration)]
public async Task FixAllInDocumentExplicitCall()
{
var testCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = [|Enumerable.Where(test, x => x.Equals(""!"")).Any()|];
var test2 = [|Enumerable.Where(test, x => x.Equals(""!"")).SingleOrDefault()|];
var test3 = [|Enumerable.Where(test, x => x.Equals(""!"")).Last()|];
var test4 = [|Enumerable.Where(test, x => x.Equals(""!"")).Count()|];
var test5 = [|Enumerable.Where(test, x => x.Equals(""!"")).FirstOrDefault()|];
}
}";
var fixedCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
IEnumerable<string> test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = Enumerable.Any(test, x => x.Equals(""!""));
var test2 = Enumerable.SingleOrDefault(test, x => x.Equals(""!""));
var test3 = Enumerable.Last(test, x => x.Equals(""!""));
var test4 = Enumerable.Count(test, x => x.Equals(""!""));
var test5 = Enumerable.FirstOrDefault(test, x => x.Equals(""!""));
}
}";
await VerifyCS.VerifyCodeFixAsync(testCode, fixedCode);
}
[Fact, Trait(Traits.Feature, Traits.Features.CodeActionsInlineDeclaration)]
public async Task NestedInDocument()
{
await new VerifyCS.Test
{
TestCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
var test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = [|test.Where(x => x.Equals('!')).Any()|];
var test2 = [|test.Where(x => x.Equals('!')).SingleOrDefault()|];
var test3 = [|test.Where(x => x.Equals('!')).Last()|];
var test4 = test.Where(x => x.Equals('!')).Count();
var test5 = from x in test where x.Equals('!') select x;
var test6 = [|test.Where(a => [|a.Where(s => s.Equals(""hello"")).FirstOrDefault()|].Equals(""hello"")).FirstOrDefault()|];
}
}",
FixedCode = @"
using System;
using System.Linq;
using System.Collections.Generic;
class C
{
static void M()
{
var test = new List<string> { ""hello"", ""world"", ""!"" };
var test1 = test.Any(x => x.Equals('!'));
var test2 = test.SingleOrDefault(x => x.Equals('!'));
var test3 = test.Last(x => x.Equals('!'));
var test4 = test.Where(x => x.Equals('!')).Count();
var test5 = from x in test where x.Equals('!') select x;
var test6 = test.FirstOrDefault(a => a.FirstOrDefault(s => s.Equals(""hello"")).Equals(""hello""));
}
}",
}.RunAsync();
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Core/CodeAnalysisTest/CachingLookupTests.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 System.Collections.Immutable;
using System.Linq;
using Microsoft.CodeAnalysis.Collections;
using Microsoft.CodeAnalysis.Text;
using Xunit;
namespace Microsoft.CodeAnalysis.UnitTests
{
/// <summary>
/// Tests for CachingLookup.
/// </summary>
public class CachingLookupTests
{
private readonly Random _randomCaseGenerator = new Random(17);
private int[] RandomNumbers(int length, int seed)
{
Random rand = new Random(seed);
int[] result = new int[length];
for (int i = 0; i < length; ++i)
{
result[i] = rand.Next(100, ((length / 10) + 4) * 100);
}
return result;
}
private HashSet<string> Keys(int[] numbers, bool randomCase, IEqualityComparer<string> comparer)
{
var keys = new HashSet<string>(comparer);
foreach (var n in numbers)
{
keys.Add(GetKey(n, randomCase));
}
return keys;
}
private string GetKey(int number, bool randomCase)
{
if (randomCase)
{
bool upper = _randomCaseGenerator.Next(2) == 0;
return (upper ? "AA" : "aa") + Right2Chars(number.ToString());
}
else
{
return "AA" + Right2Chars(number.ToString());
}
}
private ImmutableArray<int> Values(string key, int[] numbers, bool ignoreCase)
{
return (from n in numbers
where string.Equals(GetKey(n, ignoreCase), key, ignoreCase ? StringComparison.OrdinalIgnoreCase : StringComparison.Ordinal)
select n).ToArray().AsImmutableOrNull();
}
private ILookup<string, int> CreateLookup(int[] numbers, bool randomCase)
{
if (randomCase)
{
return numbers.ToLookup(n => GetKey(n, randomCase), StringComparer.OrdinalIgnoreCase);
}
else
{
return numbers.ToLookup(n => GetKey(n, randomCase), StringComparer.Ordinal);
}
}
private string Right2Chars(string s)
{
return s.Substring(s.Length - 2);
}
private void CheckEqualEnumerable<T>(IEnumerable<T> e1, IEnumerable<T> e2)
{
List<T> l1 = e1.ToList();
List<T> l2 = e2.ToList();
Assert.Equal(l1.Count, l2.Count);
foreach (T item in l1)
{
Assert.Contains(item, l2);
}
foreach (T item in l2)
{
Assert.Contains(item, l1);
}
}
private void CompareLookups1(ILookup<string, int> look1, CachingDictionary<string, int> look2, HashSet<string> keys)
{
foreach (string k in keys)
{
Assert.Equal(look1.Contains(k), look2.Contains(k));
CheckEqualEnumerable(look1[k], look2[k]);
}
foreach (string k in new string[] { "goo", "bar", "banana", "flibber" })
{
Assert.False(look1.Contains(k));
Assert.False(look2.Contains(k));
Assert.Empty(look1[k]);
Assert.Empty(look2[k]);
}
}
private void CompareLookups2(ILookup<string, int> look1, CachingDictionary<string, int> look2, HashSet<string> keys)
{
foreach (string k in look1.Select(g => g.Key))
{
CheckEqualEnumerable(look1[k], look2[k]);
}
foreach (string k in look2.Keys)
{
CheckEqualEnumerable(look1[k], look2[k]);
}
Assert.Equal(look1.Count, look2.Count);
}
private void CompareLookups2(CachingDictionary<string, int> look1, ILookup<string, int> look2, HashSet<string> keys)
{
foreach (string k in look1.Keys)
{
CheckEqualEnumerable(look1[k], look2[k]);
}
foreach (string k in look2.Select(g => g.Key))
{
CheckEqualEnumerable(look1[k], look2[k]);
}
Assert.Equal(look1.Count, look2.Count);
}
[Fact]
public void CachingLookupCorrectResults()
{
StringComparer comparer = StringComparer.Ordinal;
int[] numbers = RandomNumbers(200, 11234);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
var look1 = CreateLookup(numbers, false);
var look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, false, comparer: c), comparer);
CompareLookups1(look1, look2, Keys(numbers, false, comparer));
look1 = CreateLookup(numbers, false);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, false, comparer: c), comparer);
CompareLookups2(look1, look2, Keys(numbers, false, comparer));
CompareLookups1(look1, look2, Keys(numbers, false, comparer));
look1 = CreateLookup(numbers, false);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, false, comparer: c), comparer);
CompareLookups2(look2, look1, Keys(numbers, false, comparer));
CompareLookups1(look1, look2, Keys(numbers, false, comparer));
}
[Fact]
public void CachingLookupCaseInsensitive()
{
StringComparer comparer = StringComparer.OrdinalIgnoreCase;
int[] numbers = RandomNumbers(300, 719);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
var look1 = CreateLookup(numbers, true);
var look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look1, look2, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look2, look1, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
}
[Fact]
public void CachingLookupCaseInsensitiveNoCacheMissingKeys()
{
StringComparer comparer = StringComparer.OrdinalIgnoreCase;
int[] numbers = RandomNumbers(435, 19874);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
var look1 = CreateLookup(numbers, true);
var look2 = new CachingDictionary<string, int>(s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look1, look2, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look2, look1, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
}
// Ensure that we are called back exactly once per key.
[Fact]
public void CallExactlyOncePerKey()
{
StringComparer comparer = StringComparer.OrdinalIgnoreCase;
int[] numbers = RandomNumbers(435, 19874);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
HashSet<string> lookedUp = new HashSet<string>(comparer);
bool askedForKeys = false;
var look1 = new CachingDictionary<string, int>(s =>
{
Assert.False(lookedUp.Contains(s));
lookedUp.Add(s);
return dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>();
},
(c) =>
{
Assert.False(askedForKeys);
askedForKeys = true;
return Keys(numbers, true, comparer: c);
}, comparer);
string key1 = GetKey(numbers[0], false);
string key2 = GetKey(numbers[1], false);
string key3 = GetKey(numbers[2], false);
ImmutableArray<int> retval;
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
}
}
}
| // 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 System.Collections.Immutable;
using System.Linq;
using Microsoft.CodeAnalysis.Collections;
using Microsoft.CodeAnalysis.Text;
using Xunit;
namespace Microsoft.CodeAnalysis.UnitTests
{
/// <summary>
/// Tests for CachingLookup.
/// </summary>
public class CachingLookupTests
{
private readonly Random _randomCaseGenerator = new Random(17);
private int[] RandomNumbers(int length, int seed)
{
Random rand = new Random(seed);
int[] result = new int[length];
for (int i = 0; i < length; ++i)
{
result[i] = rand.Next(100, ((length / 10) + 4) * 100);
}
return result;
}
private HashSet<string> Keys(int[] numbers, bool randomCase, IEqualityComparer<string> comparer)
{
var keys = new HashSet<string>(comparer);
foreach (var n in numbers)
{
keys.Add(GetKey(n, randomCase));
}
return keys;
}
private string GetKey(int number, bool randomCase)
{
if (randomCase)
{
bool upper = _randomCaseGenerator.Next(2) == 0;
return (upper ? "AA" : "aa") + Right2Chars(number.ToString());
}
else
{
return "AA" + Right2Chars(number.ToString());
}
}
private ImmutableArray<int> Values(string key, int[] numbers, bool ignoreCase)
{
return (from n in numbers
where string.Equals(GetKey(n, ignoreCase), key, ignoreCase ? StringComparison.OrdinalIgnoreCase : StringComparison.Ordinal)
select n).ToArray().AsImmutableOrNull();
}
private ILookup<string, int> CreateLookup(int[] numbers, bool randomCase)
{
if (randomCase)
{
return numbers.ToLookup(n => GetKey(n, randomCase), StringComparer.OrdinalIgnoreCase);
}
else
{
return numbers.ToLookup(n => GetKey(n, randomCase), StringComparer.Ordinal);
}
}
private string Right2Chars(string s)
{
return s.Substring(s.Length - 2);
}
private void CheckEqualEnumerable<T>(IEnumerable<T> e1, IEnumerable<T> e2)
{
List<T> l1 = e1.ToList();
List<T> l2 = e2.ToList();
Assert.Equal(l1.Count, l2.Count);
foreach (T item in l1)
{
Assert.Contains(item, l2);
}
foreach (T item in l2)
{
Assert.Contains(item, l1);
}
}
private void CompareLookups1(ILookup<string, int> look1, CachingDictionary<string, int> look2, HashSet<string> keys)
{
foreach (string k in keys)
{
Assert.Equal(look1.Contains(k), look2.Contains(k));
CheckEqualEnumerable(look1[k], look2[k]);
}
foreach (string k in new string[] { "goo", "bar", "banana", "flibber" })
{
Assert.False(look1.Contains(k));
Assert.False(look2.Contains(k));
Assert.Empty(look1[k]);
Assert.Empty(look2[k]);
}
}
private void CompareLookups2(ILookup<string, int> look1, CachingDictionary<string, int> look2, HashSet<string> keys)
{
foreach (string k in look1.Select(g => g.Key))
{
CheckEqualEnumerable(look1[k], look2[k]);
}
foreach (string k in look2.Keys)
{
CheckEqualEnumerable(look1[k], look2[k]);
}
Assert.Equal(look1.Count, look2.Count);
}
private void CompareLookups2(CachingDictionary<string, int> look1, ILookup<string, int> look2, HashSet<string> keys)
{
foreach (string k in look1.Keys)
{
CheckEqualEnumerable(look1[k], look2[k]);
}
foreach (string k in look2.Select(g => g.Key))
{
CheckEqualEnumerable(look1[k], look2[k]);
}
Assert.Equal(look1.Count, look2.Count);
}
[Fact]
public void CachingLookupCorrectResults()
{
StringComparer comparer = StringComparer.Ordinal;
int[] numbers = RandomNumbers(200, 11234);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
var look1 = CreateLookup(numbers, false);
var look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, false, comparer: c), comparer);
CompareLookups1(look1, look2, Keys(numbers, false, comparer));
look1 = CreateLookup(numbers, false);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, false, comparer: c), comparer);
CompareLookups2(look1, look2, Keys(numbers, false, comparer));
CompareLookups1(look1, look2, Keys(numbers, false, comparer));
look1 = CreateLookup(numbers, false);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, false, comparer: c), comparer);
CompareLookups2(look2, look1, Keys(numbers, false, comparer));
CompareLookups1(look1, look2, Keys(numbers, false, comparer));
}
[Fact]
public void CachingLookupCaseInsensitive()
{
StringComparer comparer = StringComparer.OrdinalIgnoreCase;
int[] numbers = RandomNumbers(300, 719);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
var look1 = CreateLookup(numbers, true);
var look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look1, look2, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(
s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look2, look1, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
}
[Fact]
public void CachingLookupCaseInsensitiveNoCacheMissingKeys()
{
StringComparer comparer = StringComparer.OrdinalIgnoreCase;
int[] numbers = RandomNumbers(435, 19874);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
var look1 = CreateLookup(numbers, true);
var look2 = new CachingDictionary<string, int>(s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look1, look2, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
look1 = CreateLookup(numbers, true);
look2 = new CachingDictionary<string, int>(s => dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>(),
(c) => Keys(numbers, true, comparer: c), comparer);
CompareLookups2(look2, look1, Keys(numbers, true, comparer));
CompareLookups1(look1, look2, Keys(numbers, true, comparer));
}
// Ensure that we are called back exactly once per key.
[Fact]
public void CallExactlyOncePerKey()
{
StringComparer comparer = StringComparer.OrdinalIgnoreCase;
int[] numbers = RandomNumbers(435, 19874);
var dict = new Dictionary<string, ImmutableArray<int>>(comparer);
foreach (string k in Keys(numbers, false, comparer))
{
dict.Add(k, Values(k, numbers, false));
}
HashSet<string> lookedUp = new HashSet<string>(comparer);
bool askedForKeys = false;
var look1 = new CachingDictionary<string, int>(s =>
{
Assert.False(lookedUp.Contains(s));
lookedUp.Add(s);
return dict.ContainsKey(s) ? dict[s] : ImmutableArray.Create<int>();
},
(c) =>
{
Assert.False(askedForKeys);
askedForKeys = true;
return Keys(numbers, true, comparer: c);
}, comparer);
string key1 = GetKey(numbers[0], false);
string key2 = GetKey(numbers[1], false);
string key3 = GetKey(numbers[2], false);
ImmutableArray<int> retval;
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
retval = look1[key1];
retval = look1[key2];
retval = look1[key3];
}
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/CSharp/Portable/Syntax/DoStatementSyntax.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 Microsoft.CodeAnalysis.CSharp.Syntax;
namespace Microsoft.CodeAnalysis.CSharp.Syntax
{
public partial class DoStatementSyntax
{
public DoStatementSyntax Update(SyntaxToken doKeyword, StatementSyntax statement, SyntaxToken whileKeyword, SyntaxToken openParenToken, ExpressionSyntax condition, SyntaxToken closeParenToken, SyntaxToken semicolonToken)
=> Update(AttributeLists, doKeyword, statement, whileKeyword, openParenToken, condition, closeParenToken, semicolonToken);
}
}
namespace Microsoft.CodeAnalysis.CSharp
{
public partial class SyntaxFactory
{
public static DoStatementSyntax DoStatement(SyntaxToken doKeyword, StatementSyntax statement, SyntaxToken whileKeyword, SyntaxToken openParenToken, ExpressionSyntax condition, SyntaxToken closeParenToken, SyntaxToken semicolonToken)
=> DoStatement(attributeLists: default, doKeyword, statement, whileKeyword, openParenToken, condition, closeParenToken, semicolonToken);
}
}
| // 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 Microsoft.CodeAnalysis.CSharp.Syntax;
namespace Microsoft.CodeAnalysis.CSharp.Syntax
{
public partial class DoStatementSyntax
{
public DoStatementSyntax Update(SyntaxToken doKeyword, StatementSyntax statement, SyntaxToken whileKeyword, SyntaxToken openParenToken, ExpressionSyntax condition, SyntaxToken closeParenToken, SyntaxToken semicolonToken)
=> Update(AttributeLists, doKeyword, statement, whileKeyword, openParenToken, condition, closeParenToken, semicolonToken);
}
}
namespace Microsoft.CodeAnalysis.CSharp
{
public partial class SyntaxFactory
{
public static DoStatementSyntax DoStatement(SyntaxToken doKeyword, StatementSyntax statement, SyntaxToken whileKeyword, SyntaxToken openParenToken, ExpressionSyntax condition, SyntaxToken closeParenToken, SyntaxToken semicolonToken)
=> DoStatement(attributeLists: default, doKeyword, statement, whileKeyword, openParenToken, condition, closeParenToken, semicolonToken);
}
}
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/VisualBasic/Portable/Parser/BlockContexts/StatementBlockContext.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.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
'-----------------------------------------------------------------------------
' Contains the definition of the BlockContext
'-----------------------------------------------------------------------------
Namespace Microsoft.CodeAnalysis.VisualBasic.Syntax.InternalSyntax
Friend NotInheritable Class StatementBlockContext
Inherits ExecutableStatementContext
Friend Sub New(kind As SyntaxKind, statement As StatementSyntax, prevContext As BlockContext)
MyBase.New(kind, statement, prevContext)
End Sub
Friend Overrides Function CreateBlockSyntax(statement As StatementSyntax) As VisualBasicSyntaxNode
Dim endStmt As EndBlockStatementSyntax = DirectCast(statement, EndBlockStatementSyntax)
Dim result As VisualBasicSyntaxNode
Select Case BlockKind
Case SyntaxKind.WhileBlock
Dim beginStmt As WhileStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.WhileBlock(beginStmt, Body(), endStmt)
Case SyntaxKind.WithBlock
Dim beginStmt As WithStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.WithBlock(beginStmt, Body(), endStmt)
Case SyntaxKind.SyncLockBlock
Dim beginStmt As SyncLockStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.SyncLockBlock(beginStmt, Body(), endStmt)
Case SyntaxKind.UsingBlock
Dim beginStmt As UsingStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.UsingBlock(beginStmt, Body(), endStmt)
Case Else
Throw ExceptionUtilities.UnexpectedValue(BlockKind)
End Select
FreeStatements()
Return result
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.Text
Imports Microsoft.CodeAnalysis.VisualBasic.Syntax
'-----------------------------------------------------------------------------
' Contains the definition of the BlockContext
'-----------------------------------------------------------------------------
Namespace Microsoft.CodeAnalysis.VisualBasic.Syntax.InternalSyntax
Friend NotInheritable Class StatementBlockContext
Inherits ExecutableStatementContext
Friend Sub New(kind As SyntaxKind, statement As StatementSyntax, prevContext As BlockContext)
MyBase.New(kind, statement, prevContext)
End Sub
Friend Overrides Function CreateBlockSyntax(statement As StatementSyntax) As VisualBasicSyntaxNode
Dim endStmt As EndBlockStatementSyntax = DirectCast(statement, EndBlockStatementSyntax)
Dim result As VisualBasicSyntaxNode
Select Case BlockKind
Case SyntaxKind.WhileBlock
Dim beginStmt As WhileStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.WhileBlock(beginStmt, Body(), endStmt)
Case SyntaxKind.WithBlock
Dim beginStmt As WithStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.WithBlock(beginStmt, Body(), endStmt)
Case SyntaxKind.SyncLockBlock
Dim beginStmt As SyncLockStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.SyncLockBlock(beginStmt, Body(), endStmt)
Case SyntaxKind.UsingBlock
Dim beginStmt As UsingStatementSyntax = Nothing
GetBeginEndStatements(beginStmt, endStmt)
result = SyntaxFactory.UsingBlock(beginStmt, Body(), endStmt)
Case Else
Throw ExceptionUtilities.UnexpectedValue(BlockKind)
End Select
FreeStatements()
Return result
End Function
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/VisualStudio/Core/Test/CodeModel/VisualBasic/ExternalCodePropertyTests.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
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Roslyn.Test.Utilities
Namespace Microsoft.VisualStudio.LanguageServices.UnitTests.CodeModel.VisualBasic
Public Class ExternalCodePropertyTests
Inherits AbstractCodePropertyTests
#Region "OverrideKind tests"
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_None()
Dim code =
<Code>
Class C
Public Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindNone)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Abstract()
Dim code =
<Code>
MustInherit Class C
Public MustOverride Property $$P As Integer
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindAbstract)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Virtual()
Dim code =
<Code>
Class C
Public Overridable Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindVirtual)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Override()
Dim code =
<Code>
MustInherit Class A
Public MustOverride Property P As Integer
End Class
Class C
Inherits A
Public Overrides Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindOverride)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Sealed()
Dim code =
<Code>
MustInherit Class A
Public MustOverride Property P As Integer
End Class
Class C
Inherits A
Public NotOverridable Overrides Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindOverride Or EnvDTE80.vsCMOverrideKind.vsCMOverrideKindSealed)
End Sub
#End Region
#Region "Parameter name tests"
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParameterName()
Dim code =
<Code>
Class C
Property $$P(x As Integer, y as String) As Integer
Get
Return x * y
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestAllParameterNames(code, "x", "y")
End Sub
#End Region
#Region "ReadWrite tests"
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestReadWrite_GetSet()
Dim code =
<Code>
Class C
Public Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestReadWrite(code, EnvDTE80.vsCMPropertyKind.vsCMPropertyKindReadWrite)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestReadWrite_Get()
Dim code =
<Code>
Class C
Public ReadOnly Property $$P As Integer
Get
End Get
End Property
End Class
</Code>
TestReadWrite(code, EnvDTE80.vsCMPropertyKind.vsCMPropertyKindReadOnly)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestReadWrite_Set()
Dim code =
<Code>
Class C
Public WriteOnly Property $$P As Integer
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestReadWrite(code, EnvDTE80.vsCMPropertyKind.vsCMPropertyKindWriteOnly)
End Sub
#End Region
Protected Overrides ReadOnly Property LanguageName As String = LanguageNames.VisualBasic
Protected Overrides ReadOnly Property TargetExternalCodeElements As Boolean = True
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
Imports Microsoft.CodeAnalysis.Test.Utilities
Imports Roslyn.Test.Utilities
Namespace Microsoft.VisualStudio.LanguageServices.UnitTests.CodeModel.VisualBasic
Public Class ExternalCodePropertyTests
Inherits AbstractCodePropertyTests
#Region "OverrideKind tests"
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_None()
Dim code =
<Code>
Class C
Public Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindNone)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Abstract()
Dim code =
<Code>
MustInherit Class C
Public MustOverride Property $$P As Integer
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindAbstract)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Virtual()
Dim code =
<Code>
Class C
Public Overridable Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindVirtual)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Override()
Dim code =
<Code>
MustInherit Class A
Public MustOverride Property P As Integer
End Class
Class C
Inherits A
Public Overrides Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindOverride)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestOverrideKind_Sealed()
Dim code =
<Code>
MustInherit Class A
Public MustOverride Property P As Integer
End Class
Class C
Inherits A
Public NotOverridable Overrides Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestOverrideKind(code, EnvDTE80.vsCMOverrideKind.vsCMOverrideKindOverride Or EnvDTE80.vsCMOverrideKind.vsCMOverrideKindSealed)
End Sub
#End Region
#Region "Parameter name tests"
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestParameterName()
Dim code =
<Code>
Class C
Property $$P(x As Integer, y as String) As Integer
Get
Return x * y
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestAllParameterNames(code, "x", "y")
End Sub
#End Region
#Region "ReadWrite tests"
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestReadWrite_GetSet()
Dim code =
<Code>
Class C
Public Property $$P As Integer
Get
End Get
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestReadWrite(code, EnvDTE80.vsCMPropertyKind.vsCMPropertyKindReadWrite)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestReadWrite_Get()
Dim code =
<Code>
Class C
Public ReadOnly Property $$P As Integer
Get
End Get
End Property
End Class
</Code>
TestReadWrite(code, EnvDTE80.vsCMPropertyKind.vsCMPropertyKindReadOnly)
End Sub
<WorkItem(9646, "https://github.com/dotnet/roslyn/issues/9646")>
<WpfFact, Trait(Traits.Feature, Traits.Features.CodeModel)>
Public Sub TestReadWrite_Set()
Dim code =
<Code>
Class C
Public WriteOnly Property $$P As Integer
Set(value As Integer)
End Set
End Property
End Class
</Code>
TestReadWrite(code, EnvDTE80.vsCMPropertyKind.vsCMPropertyKindWriteOnly)
End Sub
#End Region
Protected Overrides ReadOnly Property LanguageName As String = LanguageNames.VisualBasic
Protected Overrides ReadOnly Property TargetExternalCodeElements As Boolean = True
End Class
End Namespace
| -1 |
dotnet/roslyn | 55,099 | EnC: Include added types in changed types of emit result | The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | tmat | 2021-07-23T23:32:01Z | 2021-07-26T21:02:38Z | 5e956729df67fdd6610253b05e1a232fe595af73 | ac374afe09c3d75acb41a3ae5d78d88ed1250cb6 | EnC: Include added types in changed types of emit result. The types are reported to the application via runtime event. The application needs to know about added types, not just updated ones.
\+ Simplify some EnC tests. | ./src/Compilers/Test/Resources/Core/SymbolsTests/CustomModifiers/Modifiers.netmodule | MZ @ !L!This program cannot be run in DOS mode.
$ PE L N ! 6 @ @ ` @ l6 O @ H .text `.reloc @ @ B 6 H X$ 6 r p(
*6 r p(
*6 r
p(
*6 r p(
*6 r p(
*6 r p(
* r% p*6 r+ p(
*: r1 p(
* 0 r7 p(
*6 r? p(
*(
*0 rO p(
*(
*(
*6 rU p(
*( *0 {
+ *"} *(
*0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 *(
*
*
*(
*
*
*(/ *
*
*(2 *
*
*(5 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 * 0 *(
* z
* z
* z
* z
*(
*****(
*(
*(
* ra po
o
o
o
o
o
(
*(
* BSJB v4.0.30319 l #~ \
p #Strings #US d #GUID t #Blob W %3 [ C
8 @
R
^ y
- ( 0 0 B 4 3 \ 8 6 v 9 J S X Y Z ] G B J P VP b ^ i l #r z &} ) , / 2 5 8 < X < < <
? D ! X ! X &! ? 4! X
<! a
S! n
\! X d! t! ! ! ! ! , ! 7 ! B ! K ! X " c " n $" w 4" D" T" d" t" " " X ! " ! " " " X # " # " $ " X % " % " & |