What is the difference between a reference type and value type in c#?

后端 未结 14 2413
谎友^
谎友^ 2020-11-21 05:13

Some guy asked me this question couple of months ago and I couldn\'t explain it in detail. What is the difference between a reference type and a value type in C#?

I

相关标签:
14条回答
  • 2020-11-21 05:44

    "Variables that are based on value types directly contain values. Assigning one value type variable to another copies the contained value. This differs from the assignment of reference type variables, which copies a reference to the object but not the object itself." from Microsoft's library.

    You can find a more complete answer here and here.

    0 讨论(0)
  • 2020-11-21 05:45

    Before explaining the different data types available in C#, it's important to mention that C# is a strongly-typed language. This means that each variable, constant, input parameter, return type and in general every expression that evaluates to a value, has a type.

    Each type contains information that will be embedded by the compiler into the executable file as metadata which will be used by the common language runtime (CLR) to guarantee type safety when it allocates and reclaims memory.

    If you wanna know how much memory a specific type allocates, you can use the sizeof operator as follows:

    static void Main()
    {
        var size = sizeof(int);
        Console.WriteLine($"int size:{size}");
        size = sizeof(bool);
        Console.WriteLine($"bool size:{size}");
        size = sizeof(double);
        Console.WriteLine($"double size:{size}");
        size = sizeof(char);
        Console.WriteLine($"char size:{size}");
    }
    

    The output will show the number of bytes allocated by each variable.

    int size:4
    bool size:1
    double size:8
    char size:2
    

    The information related to each type are:

    • The required storage space.
    • The maximum and minimum values. For example, the type Int32 accepts values between 2147483648 and 2147483647.
    • The base type it inherits from.
    • The location where the memory for variables will be allocated at run time.
    • The kinds of operations that are permitted.
    • The members (methods, fields, events, etc.) contained by the type. For example, if we check the definition of type int, we will find the following struct and members:

      namespace System
      {
          [ComVisible(true)]
          public struct Int32 : IComparable, IFormattable, IConvertible, IComparable<Int32>, IEquatable<Int32>
          {      
              public const Int32 MaxValue = 2147483647;     
              public const Int32 MinValue = -2147483648;
              public static Int32 Parse(string s, NumberStyles style, IFormatProvider provider);    
              ... 
          }  
      }
      

    Memory management When multiple processes are running on an operating system and the amount of RAM isn't enough to hold it all, the operating system maps parts of the hard disk with the RAM and starts storing data in the hard disk. The operating system will use than specific tables where virtual addresses are mapped to their correspondent physical addresses to perform the request. This capability to manage the memory is called virtual memory.

    In each process, the virtual memory available is organized in the following 6 sections but for the relevance of this topic, we will focus only on the stack and the heap.

    Stack The stack is a LIFO (last in, first out) data structure, with a size-dependent on the operating system (by default, for ARM, x86 and x64 machines Windows's reserve 1MB, while Linux reserve from 2MB to 8MB depending on the version).

    This section of memory is automatically managed by the CPU. Every time a function declares a new variable, the compiler allocates a new memory block as big as its size on the stack, and when the function is over, the memory block for the variable is deallocated.

    Heap This region of memory isn't managed automatically by the CPU and its size is bigger than the stack. When the new keyword is invoked, the compiler starts looking for the first free memory block that fits the size of the request. and when it finds it, it is marked as reserved by using the built-in C function malloc() and a return the pointer to that location. It's also possible to deallocate a block of memory by using the built-in C function free(). This mechanism causes memory fragmentation and has to use pointers to access the right block of memory, it's slower than the stack to perform the read/write operations.

    Custom and Built-in types While C# provides a standard set of built-in types representing integers, boolean, text characters, and so on, You can use constructs like struct, class, interface, and enum to create your own types.

    An example of custom type using the struct construct is:

    struct Point
    {
        public int X;
        public int Y;
    };
    

    Value and reference types We can categorize the C# type into the following categories:

    • Value types
    • Reference types

    Value types Value types derive from the System.ValueType class and variables of this type contain their values within their memory allocation in the stack. The two categories of value types are struct and enum.

    The following example shows the member of the type boolean. As you can see there is no explicit reference to System.ValueType class, this happens because this class is inherited by the struct.

    namespace System
    {
        [ComVisible(true)]
        public struct Boolean : IComparable, IConvertible, IComparable<Boolean>, IEquatable<Boolean>
        {
            public static readonly string TrueString;
            public static readonly string FalseString;
            public static Boolean Parse(string value);
            ...
        }
    }
    

    Reference types On the other hand, the reference types do not contain the actual data stored in a variable, but the memory address of the heap where the value is stored. The categories of reference types are classes, delegates, arrays, and interfaces.

    At run time, when a reference type variable is declared, it contains the value null until an object that has been created using the keywords new is assigned to it.

    The following example shows the members of the generic type List.

    namespace System.Collections.Generic
    {
        [DebuggerDisplay("Count = {Count}")]
        [DebuggerTypeProxy(typeof(Generic.Mscorlib_CollectionDebugView<>))]
        [DefaultMember("Item")]
        public class List<T> : IList<T>, ICollection<T>, IEnumerable<T>, IEnumerable, IList, ICollection, IReadOnlyList<T>, IReadOnlyCollection<T>
        {
            ...
            public T this[int index] { get; set; }
            public int Count { get; }
            public int Capacity { get; set; }
            public void Add(T item);
            public void AddRange(IEnumerable<T> collection);
            ...
        }
    }
    

    In case you wanna find out the memory address of a specific object, the class System.Runtime.InteropServices provides a way to access to managed objects from unmanaged memory. In the following example, we are gonna use the static method GCHandle.Alloc() to allocate a handle to a string and then the method AddrOfPinnedObject to retrieve its address.

    string s1 = "Hello World";
    GCHandle gch = GCHandle.Alloc(s1, GCHandleType.Pinned);
    IntPtr pObj = gch.AddrOfPinnedObject();
    Console.WriteLine($"Memory address:{pObj.ToString()}");
    

    The output will be

    Memory address:39723832
    

    References Official documentation: https://docs.microsoft.com/en-us/cpp/build/reference/stack-stack-allocations?view=vs-2019

    0 讨论(0)
  • 2020-11-21 05:46

    There are many little details of the differences between value types and reference types that are stated explicitly by the standard and some of them are not easy to understand, especially for beginners.

    See ECMA standard 33, Common Language Infrastructure (CLI). The CLI is also standardized by the ISO. I would provide a reference but for ECMA we must download a PDF and that link depends on the version number. ISO standards cost money.

    One difference is that value types can be boxed but reference types generally cannot be. There are exceptions but they are quite technical.

    Value types cannot have parameter-less instance constructors or finalizers and they cannot refer to themselves. Referring to themselves means for example that if there is a value type Node then a member of Node cannot be a Node. I think there are other requirements/limitations in the specifications but if so then they are not gathered together in one place.

    0 讨论(0)
  • 2020-11-21 05:47

    Sometimes explanations won't help especially for the beginners. You can imagine value type as data file and reference type as a shortcut to a file.

    So if you copy a reference variable you only copy the link/pointer to a real data somewhere in memory. If you copy a value type, you really clone the data in memory.

    0 讨论(0)
  • 2020-11-21 05:48

    The simplest way to think of reference types is to consider them as being "object-IDs"; the only things one can do with an object ID are create one, copy one, inquire or manipulate the type of one, or compare two for equality. An attempt to do anything else with an object-ID will be regarded as shorthand for doing the indicated action with the object referred to by that id.

    Suppose I have two variables X and Y of type Car--a reference type. Y happens to hold "object ID #19531". If I say "X=Y", that will cause X to hold "object ID #19531". Note that neither X nor Y holds a car. The car, otherwise known as "object ID #19531", is stored elsewhere. When I copied Y into X, all I did was copy the ID number. Now suppose I say X.Color=Colors.Blue. Such a statement will be regarded as an instruction to go find "object ID#19531" and paint it blue. Note that even though X and Y now refer to a blue car rather than a yellow one, the statement doesn't actually affect X or Y, because both still refer to "object ID #19531", which is still the same car as it always has been.

    0 讨论(0)
  • 2020-11-21 05:51

    This is probably wrong in esoterical ways, but, to make it simple:

    Value types are values that are passed normally "by value" (so copying them). Reference types are passed "by reference" (so giving a pointer to the original value). There isn't any guarantee by the .NET ECMA standard of where these "things" are saved. You could build an implementation of .NET that is stackless, or one that is heapless (the second would be very complex, but you probably could, using fibers and many stacks)

    Structs are value type (int, bool... are structs, or at least are simulated as...), classes are reference type.

    Value types descend from System.ValueType. Reference type descend from System.Object.

    Now.. In the end you have Value Type, "referenced objects" and references (in C++ they would be called pointers to objects. In .NET they are opaque. We don't know what they are. From our point of view they are "handles" to the object). These lasts are similar to Value Types (they are passed by copy). So an object is composed by the object (a reference type) and zero or more references to it (that are similar to value types). When there are zero references the GC will probably collect it.

    In general (in the "default" implementation of .NET), Value type can go on the stack (if they are local fields) or on the heap (if they are fields of a class, if they are variables in an iterator function, if they are variables referenced by a closure, if they are variable in an async function (using the newer Async CTP)...). Referenced value can only go to the heap. References use the same rules as Value types.

    In the cases of Value Type that go on the heap because they are in an iterator function, an async function, or are referenced by a closure, if you watch the compiled file you'll see that the compiler created a class to put these variables, and the class is built when you call the function.

    Now, I don't know how to write long things, and I have better things to do in my life. If you want a "precise" "academic" "correct" version, read THIS:

    http://blogs.msdn.com/b/ericlippert/archive/2010/09/30/the-truth-about-value-types.aspx

    It's 15 minutes I'm looking for it! It's better than the msdn versions, because it's a condensed "ready to use" article.

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