在大型项目中哪个更好用,为什么:
#if DEBUG public void SetPrivateValue(int value) { ... } #endif
要么
[System.Diagnostics.Conditional("DEBUG")] public void SetPrivateValue(int value) { ... }
这真的取决于你要做什么:
#if DEBUG
[Conditional("DEBUG")]
我个人根据情况使用两者:
Conditional(“DEBUG”) 示例: 我使用它是为了以后在发布期间不必返回并编辑我的代码,但在调试期间我想确保我没有输入任何拼写错误。此函数检查我在尝试在 INotifyPropertyChanged 内容中使用它时是否正确键入了属性名称。
[Conditional("DEBUG")] [DebuggerStepThrough] protected void VerifyPropertyName(String propertyName) { if (TypeDescriptor.GetProperties(this)[propertyName] == null) Debug.Fail(String.Format("Invalid property name. Type: {0}, Name: {1}", GetType(), propertyName)); }
您真的不想使用创建函数,#if DEBUG除非您愿意使用相同的包装对该函数的每次调用#if DEBUG:
#if DEBUG public void DoSomething() { } #endif public void Foo() { #if DEBUG DoSomething(); //This works, but looks FUGLY #endif }
相对:
[Conditional("DEBUG")] public void DoSomething() { } public void Foo() { DoSomething(); //Code compiles and is cleaner, DoSomething always //exists, however this is only called during DEBUG. }
#if DEBUG 示例: 我在尝试为 WCF 通信设置不同的绑定时使用它。
#if DEBUG public const String ENDPOINT = "Localhost"; #else public const String ENDPOINT = "BasicHttpBinding"; #endif
在第一个示例中,代码全部存在,但除非打开 DEBUG,否则将被忽略。在第二个示例中,const ENDPOINT 设置为“Localhost”或“BasicHttpBinding”,具体取决于是否设置了 DEBUG。
更新:我正在更新这个答案以澄清一个重要而棘手的问题。如果您选择使用ConditionalAttribute,请记住在编译期间省略了调用,而 不是运行时 。那是:
ConditionalAttribute
我的图书馆.dll
[Conditional("DEBUG")] public void A() { Console.WriteLine("A"); B(); } [Conditional("DEBUG")] public void B() { Console.WriteLine("B"); }
当库根据发布模式编译时(即没有 DEBUG 符号),它将永远省略对B()from的调用A(),即使A()包含对调用的调用也是如此,因为 DEBUG 是在调用程序集中定义的。
B()
A()