2

我有两个这样的课程:

public class test1: BaseClass
{
    public test1() : base()
    {
    }
...

public class BaseClass
{
    public BaseClass(
        [CallerMemberName]string membername ="",
        [CallerFilePath] string path = "")
    {
        var sf = new System.Diagnostics.StackTrace(1).GetFrame(0);
    }

如果我test1通过调用 base 指定 ctor - 我得到membernamepath正确初始化,但如果没有 - 编译器生成默认构造函数调用,并且membernamepath都是空的。

这是错误还是功能?

(Visual Studio 2019 16.11.8,net core 3.1 或 net 5.0)。

4

2 回答 2

0

我用谷歌搜索了“c# compiler github”并最终在https://github.com/dotnet/roslyn

搜索后CallerMemberName- 我设法找到了这个问题的答案:

https://github.com/dotnet/roslyn/issues/53757

它提到这是通过设计完成的。

但快速浏览票证让我想到 - “我可以将属性用于相同目的吗?”

因为我所做的是单元测试——我已经为此目的重新编码了我自己的属性:TestAttribute=>FactAttribute并从 NUnit 方法信息中解析了该属性,并取回了文件路径和方法名称。

public class FactAttribute : TestAttribute
{
    public string FunctionName { get; }
    public string FilePath { get;  }

    public FactAttribute( [CallerMemberName] string functionName = "", [CallerFilePath] string filePath = "")
    {
        FunctionName = functionName;
        FilePath = filePath;
    }
}

[TestFixture]
public class BaseClass
{
    /// <summary>
    /// Accesses private class type via reflection.
    /// </summary>
    /// <param name="_o">input object</param>
    /// <param name="propertyPath">List of properties in one string, comma separated.</param>
    /// <returns>output object</returns>
    object getPrivate(object _o, string propertyPath)
    {
        object o = _o;
        var flags = BindingFlags.Instance | BindingFlags.NonPublic | BindingFlags.Public;
        
        foreach (var name in propertyPath.Split('.'))
        {
            System.Type type = o.GetType();

            if (char.IsUpper(name[0]))
                o = type.GetProperty(name, flags).GetValue(o);
            else
                o = type.GetField(name, flags).GetValue(o);
        }

        return o;
    }

    [SetUp]
    public void EachSpecSetup()
    {
        var mi = (MemberInfo)getPrivate(TestContext.CurrentContext.Test, "_test.Method.MethodInfo");
        FactAttribute attr = mi.GetCustomAttribute<FactAttribute>();
        string path = attr.FilePath;
        string funcName = attr.FunctionName;
    }

这允许确定来自哪个文件以及来自哪个方法调用。

于 2022-01-04T22:19:53.253 回答
0

这可能是预期的行为,因为编译器生成的默认构造函数调用将显式传递您在可选参数中指定的值(即空字符串)。所以如果你有这样的东西:

public BaseClass(
    [CallerMemberName]string membername = "default-member-name",
    [CallerFilePath] string path = "default-path")
{
    var sf = new System.Diagnostics.StackTrace(1).GetFrame(0);
}

那么这段代码...

public class test1 : BaseClass
{
    public test1()
    {
    }
}

...转换为:

public class test1 : BaseClass
{
    public test1()
        : base("default-member-name", "default-path")
    {
    }
}
于 2022-01-04T17:02:11.877 回答