Detecting if class property is a reference type

前端 未结 7 614
广开言路
广开言路 2020-12-09 14:44

Is it possible when looking at a class\' properties to detect if any of them is a reference type.

Take below as an example:

public class Client
{
            


        
相关标签:
7条回答
  • 2020-12-09 15:25

    Check if the type is a string and check if it is a class.

            public static bool IsNonStringClass(this Type type)
            {
                if (type == null || type == typeof(string))
                    return false;
                return typeof(Type).IsClass;
            }
    
    0 讨论(0)
  • 2020-12-09 15:30

    You can use a little reflection to see if a property is a value type or a class type. Class is probably what you mean by "object". All types in .NET derive from the object type.

    Client.GetType().IsClass
    

    Or you can loop through all properties and see which are compound

    foreach(var p in ProgrammeClient.GetType().GetProperties())
    {
         if(p.PropertyType.IsClass) Console.WriteLine("Found a class");
    }
    
    0 讨论(0)
  • 2020-12-09 15:37

    The Type.IsvalueType property can reveal this.

    Id.GetType().IsValueType
    

    This will be True for Id, false for a class

    0 讨论(0)
  • 2020-12-09 15:40

    You can enumerate the properties via Reflection, and check them:

    bool ContainsOnlyValues() { 
        return typeof(ProgrammeClient).GetProperties().All(x => x.PropertyType.IsValueType);
    }
    
    0 讨论(0)
  • 2020-12-09 15:40

    If using TypeSupport nuget package you can simply do:

    typeof(ProgrammeClient).GetExtendedType().IsReferenceType;
    

    TypeSupport does inspection and provides deeper insight on the capabilities of a given type, handling things like strings, enums etc and makes it easier to code these types of things.

    0 讨论(0)
  • 2020-12-09 15:44

    Well, it sounds like you may be trying to detect the difference between a value type and a reference type. You can find that out using Type.IsValueType... but be aware that value types can easily have properties too. (Think about DateTime for example.) Also, some types which you may want to regard as "not objects" are reference types - string being a prime example.

    Another option would be to use Type.IsPrimitive - is that what you're looking for? If so, you should be aware that decimal, DateTime and string are not primitive types.

    If you can describe exactly what makes a type an "object" in your way of thinking (or rather, in whatever way makes a semantic difference in what you're trying to do with your type). I suspect you don't currently have a very clear set of criteria - coming up with those criteria may well clarify other aspects of your current task, too.

    0 讨论(0)
提交回复
热议问题