Garbage Collection

后端 未结 6 1798
暗喜
暗喜 2021-02-04 15:55

I am not able to understand few things on the Garbage collection.

Firstly, how is data allocated space ? i.e. on stack or heap( As per my knowledge, all static or globa

6条回答
  •  礼貌的吻别
    2021-02-04 16:09

    It might help to clarify what platform's GC you are asking about - JVM, CLR, Lisp, etc. That said:

    First to take a step back, certain local variables of are generally allocated on the stack. The specifics can vary by language, however. To take C# as an example, only local Value Types and method parameters are stored on the stack. So, in C#, foo would be allocated on the stack:

    public function bar() { 
        int foo = 2;
        ...
    }
    

    Alternatively, dynamically-allocated variables use memory from the heap. This should intuitively make sense, as otherwise the stack would have to grow dynamically each time a new is called. Also, it would mean that such variables could only be used as locals within the local function that allocated them, which is of course not true because we can have (for example) class member variables. So to take another example from C#, in the following case result is allocated on the heap:

    public class MyInt
    {         
        public int MyValue;
    }
    
    ...
    MyInt result = new MyInt();
    result.MyValue = foo + 40;
    ...
    

    Now with that background in mind, memory on the heap is garbage-collected. Memory on the stack has no need for GC as the memory will be reclaimed when the current function returns. At a high level, a GC algorithm works by keeping track of all objects that are dynamically allocated on the heap. Once allocated via new, the object will be tracked by GC, and collected when it is no longer in scope and there are no more references to it.

提交回复
热议问题