我通常在C#中待在家里,我正在研究某些VB.NET代码中的性能问题 - 我希望能够将某些东西与某个类型的默认值进行比较(有点像C#的{ {1}}关键字)。
default
我被引导相信public class GenericThing<T1, T2>
{
public T1 Foo( T2 id )
{
if( id != default(T2) ) // There doesn't appear to be an equivalent in VB.NET for this(?)
{
// ...
}
}
}
在语义上是相同的,但如果我这样做:
Nothing
当Public Class GenericThing(Of T1, T2)
Public Function Foo( id As T2 ) As T1
If id IsNot Nothing Then
' ...
End If
End Function
End Class
为T2
且Integer
的值为id
时,条件仍会通过,并评估0
的正文。但是,如果我这样做:
if
然后不满足条件,并且不评估身体...
答案 0 :(得分:20)
与C#不同,VB.NET不需要使用表达式初始化局部变量。它由运行时初始化为其默认值。正是您需要替代默认关键字:
Dim def As T2 '' Get the default value for T2
If id.Equals(def) Then
'' etc...
End If
不要忘记评论,它会让某人去'嗯?'一年后。
答案 1 :(得分:12)
这不是一个完整的解决方案,因为您的原始C#代码无法编译。您可以通过本地变量使用Nothing:
Public Class GenericThing(Of T)
Public Sub Foo(id As T)
Dim defaultValue As T = Nothing
If id <> defaultValue Then
Console.WriteLine("Not default")
Else
Console.WriteLine("Default")
End If
End Function
End Class
这不能编译,就像C#版本不能编译一样 - 你无法比较像这样的无约束类型参数的值。
您可以使用EqualityComparer(Of T)
- 然后您甚至不需要本地变量:
If Not EqualityComparer(Of T).Default.Equals(id, Nothing) Then
答案 2 :(得分:4)
代码中的问题是IsNot
运算符,而不是Nothing
关键字。来自docs:
IsNot运算符确定两个对象引用是否引用不同的对象。但是,它不执行值比较。
您正在尝试与参考运算符进行值比较。一旦你意识到这一点,Jon Skeet或Hans Passant的答案将成为明显的解决方案。