如果从基础 class 构造函数中使用且未初始化,则 CallerMemberName 为空

CallerMemberName is empty if used from base class constructor and not initialized

我有两个 类 这样的:

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 ctor 调用 base - 我得到 membernamepath 正确初始化,但如果没有 - 编译器生成默认构造函数调用,并且 membernamepath 都是空的。

这是错误还是功能?

(Visual Studio 2019 16.11.8, net core 3.1 or net 5.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")
    {
    }
}

我在谷歌上搜索了“c# 编译器 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;
    }

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