当我试图在这个 C# 应用程序中使用常量时。当我运行调试器时,常量作为“未知标识符”出现 这是代码

public static class ConstsConfig
{
    public static string BASE_URL_FORMAT = "%s://%s%s";
}

public static class NetworkConfig
{
    public static string PROTOCOL = "http";
    public static string HOST = "www.example.com";
    public static string BASE_URL = "/test";
}

这是不评估它的代码行
Uri uri = new Uri(String.Format(ConstsConfig.BASE_URL_FORMAT, NetworkConfig.PROTOCOL, NetworkConfig.HOST, NetworkConfig.BASE_URL)));

所以当我通过调试器并在这条线上中断时。如果您徘徊在其中一个常数上。它只是说“未知标识符 ConstsConfig”或“未知标识符 NetworkConfig”

我会想象它的东西很小。我在这里先向您的帮助表示感谢。

最佳答案

在 Xamarin.Android 中存在与检查静态类中的值相关的 Visual Studio 的长期调试问题。具体来说,如果在引用静态类(或具有静态成员的非静态类)的行上设置断点,Visual Studio 可能会将检查值显示为“未知标识符:[ClassName]”。

根据我的分析,项目中类文件的位置决定了您是否会遇到该问题。

对我来说,结果是,在 Xamarin 修复错误之前,所有静态类和具有静态成员的类都应该放在项目的根文件夹中。 还有其他文件放置选项,但有些完全不起作用,并且需要使用命名空间完全限定您的静态类调用——即使编译器不需要。

有关完整详细信息,请参阅下面代码中的注释。

MainActivity.cs

using System;
using Android.App;
using Android.OS;

namespace App1 {

[Activity(Label = "Unknown Identifier Test", MainLauncher = true)]
public class MainActivity : Activity {

    protected override void OnCreate(Bundle bundle) {
        base.OnCreate(bundle);

        Console.WriteLine(MyClass.MyString);            // Unqualified
        Console.WriteLine(App1.MyClass.MyString);       // Fully Qualified with namespace

        /*
        Set a break point on the "Console.WriteLine()" lines above and you'll get the
        "Unknown identifier: MyClass" error when trying to inspect under specific conditions...

        File Locations                                      Unqualified             Fully Qualified
        -------------------------------------------------   ---------------------   --------------------
        MainActivity.cs in root, MyClass.cs in sub-folder   "Unknown identifier"    Inspection Works
        MainActivity.cs in sub-folder, MyClass.cs in root   Inspection Works        Inspection Works
        Both in root                                        Inspection Works        Inspection Works
        Both in different sub-folders                       "Unknown identifier"    "Unknown identifier"
        Both in same sub-folder                             "Unknown identifier"    "Unknown identifier"
        */
    }
}
}

MyClass.cs
namespace App1 {
public static class MyClass {
    public static string MyString;
}

// The class can also be constructed this way, which results in the same findings:
//public class MyClass {
//    public static string MyString;
//}
}

2016 年 4 月 3 日,我使用此信息更新了关联的 Xamarin Bugzilla 票证。希望他们能尽快解决这个问题。

关于c# - 使用常量 C# 时的未知标识符,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/29612645/

10-11 23:40