views:

522

answers:

3

In the spirit of the c# question..

What is the equivalent statements to compare class types in VB.NET?

+3  A: 
TypeOf obj Is MyClass
Mehrdad Afshari
A: 

The VB equivalent to your linked question is almost identical:

Dim result As Boolean = obj.GetType().IsAssignableFrom(otherObj.GetType())
Joel Coehoorn
+4  A: 

Are you looking for something like typeof? This only works with reference types, not int/etc.

If TypeOf "value" Is String Then
     Console.WriteLine("'tis a string, m'lord!")

Or do you want to compare two different instances of variables? Also works for ref types:

Dim one As Object = "not an object"
Dim two As Object = "also not an object, exactly"
Dim three as Object = 3D

If one.GetType.Equals( two.GetType ) Then WL("They are the same, man")
If one.GetType Is two.GetType then WL("Also the same")
If one.GetType IsNot three.GetType Then WL("but these aren't")

You could also use gettype() like thus, if you aren't using two objects:

If three.GetType Is gettype(integer) then WL("is int")

If you want to see if something is a subclass of another type (and are in .net 3.5):

If three.GetType.IsSubclassOf(gettype(Object)) then WL("it is")

But if you want to do that in the earlier versions, you have to flip it (wierd to lookat) and use:

If gettype(Object).IsAssignableFrom(three.GetType) Then WL("it is")

All of these compile in SnippetCompiler, so go DL if you don't have it.

Andrew Backer