This Gent has ability of explaining complex topics, in extremely simplified way, which is phenomenal. Please, 🙏 do more videos with him, diving in all possible topics.Respect
@vfryhn22 жыл бұрын
Absolutely I loved every part of this man explaining such a complex topic
@rudiklein Жыл бұрын
Even I understood and that's telling.
@njdarda2 жыл бұрын
i love the clarity of Laurence's examples and explanations
@pfefferle742 жыл бұрын
As a C# programmer you often don't spend much time thinking about garbage collection because it just works silently in the background - until you start interfacing with native unmanaged code, and then you go though a hard school of troubleshooting, having to learn how the runtime actually manages your objects in memory and why it constantly keeps moving them around.
@syjwg2 жыл бұрын
Finding thread local storage use in managed code was a pain because the GC is running in a separate thread than the allocating one.
@MZZenyl2 жыл бұрын
True, it is surprising how long you can go without ever having to learn how the GC works, the differences between reference types and value types, as well as the entire topic of unmanaged memory (Marshal class, unsafe, pointers, stackalloc, Span/Memory, P/Invoke, etc.). In my experience, most C#/.NET development ends up being for the sake of a web service, in which case efficient memory management really doesn't matter, as any speed improvements you can make are outdone a hundred times over due to response times over the web. But when you do have a project where memory usage improvements do make a difference, boy can it make a difference. Even something as simple as using StringBuilder instead of string, and using it properly, can yield massive improvements.
@bbq14232 жыл бұрын
Sounds like you're referring to List etc, tip: instead of using pointers to elements, use an index instead, even if the pointers change, arr[42] will still be arr[42] (unless we remove/insert elements in middle).
@toby99992 жыл бұрын
As a C and C++ programmer, memory management is always something to be considered from the get go. It's just an integral part of the development process. Never seen it as a problem.
@rreece902 жыл бұрын
@@toby9999 With modern C++ memory management has become very intuitive. With full support for the RAII technique ('move' operators etc.), there is still no garbage collector (so no performance burden) and yet it feels like it's automatic, because there is almost never the need to manually clear memory anymore. It just gets freed, when a variable using it falls out of scope.
@sanderbos42432 жыл бұрын
Laurence is probably my favorite person on the channel, he's able to simplify and explain things so incredibly well with a lot of humor
@ocamlmail2 жыл бұрын
Hi, Laurence!
@me_12-vw1vi Жыл бұрын
@@ocamlmail lol
@mahdizarepoor89642 жыл бұрын
I literally love your channel , the way you create videos, the instructors and the topics you make video about are just awesome . thanks for your serve to the community
@marksilverman2 жыл бұрын
Most modern computers maintain a virtual address space for each process. That means that pointers aren't really a direct reference to a "physical part of the chip". Inside the CPU, the address translation hardware converts the virtual address to a physical one. Pages of memory are swapped in and out as needed, so a process can use more memory than is physically present on the machine. That makes programming vastly easier in some ways and vastly more difficult when things go wrong.
@annyone32932 жыл бұрын
Laurence mentioned that they were simplifying that part. The video is about software after all.
@yonatanbeer34752 жыл бұрын
Yes. C is often called "close to the metal" when this is not really true.
@connorclark89452 жыл бұрын
@@annyone3293 Fair, but he did also say that a double-free would cause other "good citizen" programs to malfunction, which just isn't very applicable to 99%+ of programs.
@gljames242 жыл бұрын
@@yonatanbeer3475 It is if you're compiling for the processor directly instead of an operating system. OSes and microprocessors often use baremetal C/++ and Rust.
@phizc2 жыл бұрын
@@connorclark8945 and I also thought that read after free would cause a segmentation fault.. At least I think that would happen if the program tries to read memory that isn't allocated any more, but since malloc uses OS allocation methods under the hood, maybe the memory page is still "allocated" from the OS if there are multiple sub-allocations on that page. I don't know the nitty-gritty details of memory allocations.. I usually stick with C# 😅
@MladenMijatov2 жыл бұрын
So nice seeing framework laptop in the wild. Good job man! Excellent choice.
@circuit102 жыл бұрын
You didn't mention what people normally say is the main disadvantage of garbage collection which is that it pauses the program every now and then (but there are some clever ones that can run on a different thread)
@mr_waffles_the_dog2 жыл бұрын
That’s only true for stop the world allocators. There are numerous examples of concurrent collectors and interuptible collectors that can have hard real time requirements. In principle you can induce pathological behaviour from any GC, but you can do the same with refcounting or malloc.
@circuit102 жыл бұрын
@@mr_waffles_the_dog I did say there were ones that can run on a different thread, I know there are incremental ones too but I guess those still technically stop the program, just for less time (but then so does malloc)
@greatwolf.2 жыл бұрын
yea, the term used for that is 'stop the world' I believe.
@RandomBlackBox2 жыл бұрын
Something I noticed playing big modpacks for Minecraft Java edition. It just stops for a few frames from time to time and allocating more ram than needed makes this problem way worse.
@9e7exkbzvwpf7c Жыл бұрын
@@mr_waffles_the_dog "but there are some clever ones that can run on a different thread"
@Richardincancale2 жыл бұрын
Really good account! Underneath there’s another story that’s also interesting - how should the operating system allocate memory - this was a subject of debate in the early days of OS design when memory was much more limited. Donald Knuth analysed three options: first fit (take the first free chunk that’s greater than the size needed), best fit (take the chunk that’s nearest in size to the desired amount) or a binary chop method called the buddy system. Somewhat non-intuitively the first fit works better than best fit for long term stability!
@warlockpaladin22612 жыл бұрын
I want to know more about "binary chop".
@oblivion_28522 жыл бұрын
I'm guessing that binary chop is because it's easier to find two blocks that fit the memory size than just 1
@Richardincancale2 жыл бұрын
@@warlockpaladin2261 One key problem with memory allocation is fragmentation of memory - where you have memory divided up I to loads of bits that are too small individually to meet the demands being made. This is why first fit is better than best fit - it leaves pieces that might be useful for something else whereas best fit tends to leave a load of small useless bits. When memory is fragmented you can try and coalesce adjacent unused pieces to make larger more useful chunks. For a first fit or best fit this requires traversing a data structure along the whole length looking for places where addresses of the end of one block and the start of another are sequential. Using the buddy/binary chop method memory is repeated divided in two to get a piece just bigger than the size requested. The coalescing is much more efficient though as it requires traversing a binary tree rather than a linear search, which is much faster.
@DFPercush2 жыл бұрын
Fragmentation isn't really an issue on 64 bit machines. The OS can stitch together a bunch of 64K physical pages into a contiguous range in user space, and on 64 bit systems the address space will always have room to accommodate. If you look at the implementation of malloc, any request over 128K goes directly to the OS, so large allocations are going to be hardware mapped. The discussion of different strategies is interesting though. I've tried my hand at writing my own user mode allocator, where I basically do one large malloc to get a big block of memory from the OS then hand it out as needed. My strategy was, instead of keeping one linked list or tree of free chunks, I divided them into 64 buckets based on their size. Each bucket has the head of a linked list of free space blocks (or a nullptr). Free space will be added to the slot that's the highest power of 2 less than its size. So initially, perhaps only slot 20 has a 1 MB buffer available. As this is chopped up by allocations, it will start putting the remaining free space in the smaller buckets. When an allocation is requested, it looks at the bucket for the lowest power of 2 that's able to hold it, or greater. Link the blocks, make the new free block of leftover space the head of the linked list, and store in the appropriate bucket for its new size. Whenever a block is freed, it tries to consolidate it into a larger block. It looks at the metadata structures immediately before and after its address range. If it sees another free block, it consolidates them into one. The metadata struct also has a first and last marker, and if the newly consolidated free block has both the first and last flags, then the entire range can be returned to the OS. You'll notice that nowhere in that description did I mention searching through a list or a tree of blocks. Everything is constant time, except maybe finding a populated bucket, but that's at least in a cache friendly structure. It just pops the head off the list, pushes the leftovers at the head of another list, bing bang boom. P.S. The motivation for this was wanting to run C++ code in web assembly without the overhead of a huge runtime like emscripten. Wasm allows you to grow the size of the heap, which acts as the initial malloc.
@Richardincancale2 жыл бұрын
@@DFPercush Agreed, this is really only a problem on machines not using virtual memory, and especially with extremely large address spaces.
@scbtripwire2 жыл бұрын
15:56 Note: Turning off and on again is the time tested workaround for memory leaks, but definitely not a fix in itself, that's up to the developer. (I know this is what he meant, I'm just clarifying for others who might not know better.)
@alst48174 ай бұрын
Ooh that’s cool. Presumably it’s because of bad memory management that a lot of program hangs happen (along with loops that never end, etc)? Is that why turning off and on again works?
@boskeeАй бұрын
@@alst4817 Yes. RAM is cleared when you turn off your machine so all the badly allocated memory is gone and programs can start allocating again.
@coreymartin96302 жыл бұрын
Love that laptop, I've got one as well (It's called a Framework and is designed to be customizable and repairable)
@tan.nicolas2 жыл бұрын
Computerphile is such a gem! cheers from Chile and thanks for all the top content you share!
@janblaha20232 жыл бұрын
really happy to see the framework laptop
@paxrsi2 жыл бұрын
There are also some downsides to the garbage collection. In many cases, esp. smaller programs the user will not notice them. I am maintaining an enterprise application written in Java which needs to run on a machine with 1 TB of RAM (yes, terabyte) and there I did experience some problems. For example, the GC did sometimes run for more than an hour (yes, more than 60 minutes) and all connections to the outside world including the database ran into timeouts, because of the "stop the world" nature of the GC. That's the reason why the GC has all these fuzzy parameters to get control of those situations but as an user, you are just buying an application and you want to use it and not get an expert in Java GC to run it. It gets even more complicated with all these different JVMs available. The IBM JVM runs different to the Oracle JVM and the GCs have different parameters. So if someone is able to solve this in Oracle JVM with some cool parameter settings you may still struggle with the problem because these parameters simply do not exist in IBM JVM. Someone might argue to choose hard- and software from different vendors than IBM, but then Java is not write once run everywhere. In my opinion the GC is a tool to make the life of the programmer easier but in some circumstances the price is it will make the life of the user harder. However the user is the last one who should deal with memory management of the application. There are also other problems e.g. you cannot take advantage of CPU memory access optimization like prefetch.
@raterix22 жыл бұрын
I'm curious. Is there any reason you would use a machine with 1TB RAM instead of multiple machines with smaller RAM, like 64GB?
@robocombo2 жыл бұрын
I'm picturing you with a "thousand yard stare" like a combat stress victim
@flapjack94952 жыл бұрын
@@raterix2 It's simpler. There's no running network interconnects between the systems and worrying if they're fast enough, building a communications subsystem for your software, etc. You just throw money at the problem. 1 TB sounds like a lot but it's really not - I managed relatively inexpensive ($20K?) systems at a small college that had a quarter terabyte of RAM each and could have taken more.
@aenguswright73362 жыл бұрын
I wouldn't go as far as to say that GC makes life harder for the user. Some programs would never have been written if it wasn't for java, javascript, go etc. However I would say that there are some applications where GC just isn't appropriate.
@sjzara2 жыл бұрын
The GC is vital these days. Manual management of shared memory in multi-threaded applications is a total nightmare. As for the pause problem, commercial solutions for this have been available for a long time: check Azul’s products. These days the ZGC in standard Java solves these problems.
@danielbrenot51732 жыл бұрын
I immediately noticed the framework laptop. Nice to see other people using them, especially in more popular videos like this one!
@jvcmarc2 жыл бұрын
this was really fun, i always wondered how garbage collectors work but never searched for it could you guys maybe do a video on different memory management strategies? like Rust's borrow checker?
@hasan_haja Жыл бұрын
On a completely unrelated point to garbage collection, I love seeing Framework laptops and Neovim in the wild!
@DennisKovacich2 жыл бұрын
My first experience with garbage collection was in AppleSoft BASIC on an Apple II+ circa 1982. I was working on a program that read text from a file and put it onscreen, but it had to find where words ended and insert returns so no words were split at the end of one line and the beginning of the next. AppleSoft programs sit at the bottom of RAM, and numeric variables are stored from the end of the program up while strings are stored from the top of RAM down. As strings are changed, the old value stays where it was and the new value is added. This program (which my boss had written) ran fine for a while, but would periodically pause for a couple minutes while producing a screen of text. It turned out AppleSoft had run out of RAM, and was moving all the current string values back to the top to clear out the old values that weren’t being used anymore. And the way it was written, building a word one character at a time until it found a space, there were A LOT of old strings! We solved the problem by using AppleSoft’s command to trigger garbage collection manually at the end of a page before printing “Press RETURN to continue.” That was fun to figure out, considering I barely even knew what a computer was two years earlier.
@kc9scott2 жыл бұрын
Another Applesoft user here. That type of garbage collection also gets rid of fragmentation, something not discussed in this video. It relocates all the existing objects to be together at one end of memory, which is why it tended to take so long.
@DennisKovacich2 жыл бұрын
@@kc9scott, well, when we started doing it manually, it took a lot less time, presumably because there was less to move.
@kc9scott2 жыл бұрын
@@DennisKovacich Same experience here. You quickly learn to routinely call the garbage collector as a preventive measure. Even then, it would take some time, like a second or two.
@DennisKovacich2 жыл бұрын
@@kc9scott, that’s why we put it at the end of a page/screen. A few seconds with a full screen to read was a lot better than a few minutes halfway through displaying it! I believe ProDOS had its own garbage collection that was faster than AppleSoft’s when it came out later.
@superjimnz2 жыл бұрын
Never is a strong word; there are many programs where you do know exactly what you'll need and never perform dynamic allocation, or at least only on the stack... no heap allocation. This is especially true in embedded programming.
@boagz3 Жыл бұрын
I would also argue that in many programs there are plenty of situations where you also know exactly how much memory you need or at least the upper bounds of the memory needed. This happens all the time in games for example
@harshsason37258 ай бұрын
Yup
@onlyeyeno2 жыл бұрын
Thanks for another great "little video" on a "giant topic" :) And I can only agree with all the other commenters who have "said" that You have here got (another) great presenter and explainer! And I would also love to see him present more topics that he finds interesting. Best regards.
@greatwolf.2 жыл бұрын
would have like to see him go into RAII techniques used in modern C++ and how that contrasts with gc approach of memory management.
@BiggFanDDD2 жыл бұрын
Great video! I've always wondered how garbage collection worked. Thanks!
@msclrhd2 жыл бұрын
Garbage collection is useful for memory management, and can also be helpful w.r.t. performance if allocating a lot of objects and releasing them at the same time. It is less helpful for other resources (database connections, file handles, etc.). There are techniques to help make resource management easier in garbage collected languages (closeable objects, scope blocks/scoped try, etc.), but I prefer the C++ approach of closing the resource in the destructor, which happens when the object goes out of scope (typically at the end of the function). It would be interesting to see if a programming language has both in a way that is easier to use -- I quite like Kotlin's "use" extension method, but it can get complicated with using multiple resources in a single function.
@NuclearCraftMod2 жыл бұрын
As others have mentioned in other comment threads, I recommend giving Rust a go. It can feel a bit awkward and restrictive at first, but it’s worth the time.
@AntonyMBenedict2 жыл бұрын
I agree. I do find C++ RAII and reference counting to be much better and predictable compared to GC. That is why it is still preferred in computationally intensive applications.
@NuclearCraftMod2 жыл бұрын
@@AntonyMBenedict When you don't need to be completely optimal though, a GC allowing you to not have to think about it, even at the relatively simple level of RAII, can be quite nice :P
@storczykorg2 жыл бұрын
Yeah, but there's problem when destructor has to do IO and it can block a thread or crush. C# has a "using " statement/block which marks when the "destructor " executes or "await using" which does same but in multithreaded environment
@lilwilly583910 ай бұрын
This is the most helpful video I've seen in a long time, thank you
@navalenigma2 жыл бұрын
32768 is 32k, 32678 isn't. I'm a right pedantic arse for pointing that out on this excellent video. A typo under pressure of typing on a live video. Oh I feel grubby pointing this out. I'll go write some code using GOTO as punishment.
@eternalmec37776 ай бұрын
Could you explain what you mean? I'm having problems understanding the difference that would not allow for 32678 to be designate as 32k.
@navalenigma6 ай бұрын
@@eternalmec3777 in Computing they store numbers and address memory with binary. In 15bits, 111111111111111, which is the maximum number for 15bits the decimal of this is 32767. As 000000000000000 is also a memory address this gives 32768 possible combinations. And this is reffered to as 32k, in normal language 32k would be 32000, but that's a decimal system. This is 32k using a binary system and converting to decimal gives that slightly odd value.
@SENTRY4561232 ай бұрын
"I'll go write some code using GOTO as punishment." made my day thx
@navalenigma2 ай бұрын
@@eternalmec3777 in Computing terms 32k is 32768 exactly, no other number is 32k. It's like in decimal saying 1903 is 2k, it isn't.
@_azterisk8 ай бұрын
Finally understand the basics of memory leaks Great video, thanks
@marsgal422 жыл бұрын
I've spent a lot of time tracking down memory leaks in C programs. I'm currently doing some C# development. With user interface code, databases and REST APIs I'm spraying objects and memory all over the place, but it doesn't (usually...) get confused.
@briandennehy63802 жыл бұрын
Nice
@Syntax7532 жыл бұрын
Brilliant! Thanks for covering a subject misunderstood by so many devs these days
@slayerofyounglings662 жыл бұрын
You all should check out CJDNS and how Delisle sets up a fairly complex and mostly accurate inheritance-based memory system. It even does a decent job at error handling. It's mostly in C and python with more rust being added over time.
@Luredreier2 жыл бұрын
Sounds like a excellent time to address Rusts memory management.
@djazz02 жыл бұрын
Or Nim’s ARC/ORC
@Markus_included7 ай бұрын
Or especially PHP's memory managment, which uses a very interesting algorithm for clearing reference cycles
@Waschlack Жыл бұрын
Really interesting topic and awesome explanation! I personally only knew about the ref counter and didn't imagine there to be such an interesting and better option out there
@7guitarlover2 жыл бұрын
I wish Laurence Tratt was my teacher ! So simple and Lucid explanation.
@olivierbegassat8512 жыл бұрын
I enjoy this guy's style
@-.._.-_...-_.._-..__..._.-.-.-2 жыл бұрын
I'm a hobbyist game designer using Unity. When I switched to C# from C++ years ago, I thought memory management was something I'd never need to worry about again. Then I ran into lag caused by garbage collection and learned memory management was still my responsibility. It's simple, though: you just need to reduce the amount of garbage created. With C#, garbage is created every time the _new_ keyword is used (except with struts). So, in regards to efficiency, best practice is to keep the _new_ keyword (besides with struts) outside of loops and frequently called methods. It's cool to see how garbage collection works behind the scenes. I'm always learning. If anyone has any corrections or tips, please clue me in.
@dokie82602 жыл бұрын
There is also Rust, which prevents that kind of errors(doesn’t need malloc/free) and doesn’t have a garbage collector.
@seismic_segfault2 жыл бұрын
You guys should speak to an expert about Rust memory management. It’s a fascinating way to do memory management without traditional GC
@DanCojocaru20002 жыл бұрын
I mean, it’s just reference counting except limiting the count to 1.
@Aidiakapi2 жыл бұрын
@@DanCojocaru2000 Not only is that technically seen inaccurate (it's not a limit to 1, each value has exactly 1 owner at any time, and therefore no references need to get counted), it's also stating the problem, preventing 0 or more than 1 "owners" that free a resource (in other words, memory leaks or double frees), as if that's the solution used. The "novel" technique in Rust isn't that it keeps a single owner though (C++ does exactly the same with its RAII), it's the way it tracks object lifetimes, and the way it (dis)allows aliasing and unchecked mutation.
@zactron19972 жыл бұрын
@@DanCojocaru2000 Yeah that's about as unhelpful a statement as saying a computer is just angry sand. Rust's lifetime system is (to my knowledge) entirely unique and non-trivial to reproduce in another language (especially at compile time!). Combined with the borrow checker (unlimited read-only references XOR one mutable reference), and the ownership system (similar to RAII from C++), Rust is able to provide basically the highest quality statically analyzed code you could write in C/++, but as a basic feature of the language guaranteed to be performed.
@samweldon8104Ай бұрын
In case you just seen, they did exactly this! There's a newer video on the channel all about Rust memory management.
@dopplereffect73252 жыл бұрын
thanks, i like the way you explained everything , C was my first programming language, we only talked about memory , when we were dealing with pointers and variables , i had some understanding but this is new knowledge, a million thanks
@bishan_86172 жыл бұрын
I respect the C with vim on the framework
@duxoakende2 жыл бұрын
Finally a video on this topic! Been waiting so long!
@jeremiahblum78332 жыл бұрын
I was just studying this in my Java course and this answered all my questions, thanks!
@carpediemcotidiem8 ай бұрын
00:00 Garbage collection automates memory management 02:12 Memory management can go wrong in several ways 04:14 Automatic memory management simplifies programming 06:13 Garbage collection is a common automatic memory management technique. 08:29 Garbage collection algorithms automatically deallocate memory. 10:32 Garbage collection is a process of freeing up memory 12:33 Dynamic memory allocation allows programs to allocate memory as needed. 14:24 Garbage collectors optimize memory usage Crafted by Merlin AI.
@ecdhe2 жыл бұрын
Python is using the reference counting method for its objects, but is using a GC for orphan reference cycles.
@mr_waffles_the_dog2 жыл бұрын
Yeah, I came to say: isn’t Python refcounts with a cycle breaker?
@barneylaurance18652 жыл бұрын
I think PHP does the same - except that most PHP programs are so short lived that there's no need to actually run the GC to collect cycles. They must all be be collected automatically at the end of the PHP script (even if the actual process is continuing, PHP objects not traditionally shared between separate script invocations)
@capability-snob2 жыл бұрын
That's a great description of cpython. Other python implementations often do variations on mark&sweep.
@barneylaurance18652 жыл бұрын
@blot Yes, PHP is mostly run inside a web server, but in the most common setup the web server launches a separate invocation of the PHP 'script' in response to each web request from the browser. When that request is dealt with either PHP's shutdown routine, or the web server that PHP is running inside will I think free all memory allocated by that script. Objects are not shared from one script invocation to another.
@emjizone2 жыл бұрын
5:24 Is this "little counter" a backdoor for any process to access other's memory, because it is way too predictable ?
@YTHandlesWereAMistake2 жыл бұрын
Noticed they're using a framework laptop. Props to them, go-go pro-repair community
@borogove-n6e2 жыл бұрын
1:38 anybody know what laptop that is? It looks quit nice.
@pierreabbat61572 жыл бұрын
Can you explain how memory management works in Haskell (it's GC, but with immutable data) and Rust? How does a garbage collector know what in an allocated block of memory is a pointer? In C++, pointers, 8-byte integers, and 8-byte reals can be in any order, and a bunch of bits could be valid as more than one of them.
@bluesillybeard2 жыл бұрын
Rust doesn't manage memory at runtime using a garbage collector or anything (unless the programmer implements it themself) The Rust compiler enforces some extra rules that make it harder to accidentally forget something. Languages with a garbage collector add information about which variables are pointers into the compiled output, so the garbage collector knows what's a pointer and what isn't.
@capability-snob2 жыл бұрын
The original paper on the Spineless Tagless G-Machine outlines the original memory layout for Haskell: the mark procedure for a function is referenced from each thunk. There have been some cool changes since then, but it's a great read.
@FrankHarwald2 жыл бұрын
Haskell is a different beast entirely. Not just is (safe Haskell) it a functional language, but it is also lazy-evaluating everything per default. This means nothing, except for references to functions & definitions (called thunks), is evaluated (computed) just because it is used anywhere _until_ something also requires the result, recursively from the outside inwards, & not just for memory management but for all function evaluations (computations) unless some function is explicitly marked as evaluate, is a bang pattern or uses strict data types. Getting that program semantic to transpile to a (stateful) machine-executable form requires different kinds of compiler-abstractions than most imperative languages (C/C++/Java/Python): In particular the Glasgow Haskell compiler is based on an intermediate language/abstract programming model called "The Spineless Tagless G-machine" which works differently to tree- or DAG-based IL used in compilers for imperative languages and does even more things & transformations internally than imperative compilers do which means it's really difficult to say how a Haskell program relates to the actually used memory allocations operations of both the operating system as well as runtime libraries it's running on except for a few synthetic cases until it is actually running.
@FrankHarwald2 жыл бұрын
Rust's dynamic (which is what this video is about) memory management (heap allocator, Box-ed in Rust speak) doesn't work so differently to how heap alloctors in other languages work. What Rust does differently to almost all other languages is its static memory allocation, that is, when the memory management usage is fully known at compile-time.
@owlmostdead94922 жыл бұрын
+1 for framework
@TheUglyGnome2 жыл бұрын
1:18 Yes. You are really simplifying it. "malloc" and "free" are not interface to the operating system, but to clib. clib then does ir's own housekeeping and calls OS services as required ("brk" system call in Unix-like systems). And even OS service is not allocating chip memory in any modern OS, but virtual memory.
@capability-snob2 жыл бұрын
Libc is traditionally considered "part of the operating system" in the same way the shell is. Each libc bakes in some expectations on the kernel and system services in use. It's a fairly modern concept to have more than one libc target the same system.
@NyanSten2 жыл бұрын
And in modern operating systems, a program can't free memory of another program, programs going haywire are detected and dealt with (e.g. by refusing to give it more memory), Android even can restart the program while trying to look like nothing happened. But these are still only tools to limit the impact when things go wrong.
@Aidiakapi2 жыл бұрын
Everything in this video is simplified to a trivial point, but if you were to go in-depth on every point, this video would be at least dozens of hours long.
@steve_j_grundon2 жыл бұрын
*Yes* ... I also had to grit my teeth and try to just "let it go", for the sake of brevity and "clarity of concept" (for the average viewer). Argh! It hurt. 😀😀
@vincentouwendijk37462 жыл бұрын
Great video, which explains some annoying and hard to explain problems I experienced in the past :)
@bloody_albatross2 жыл бұрын
Another problem is that the garbage collector needs to stop the program while it is marking and sweeping. There are optimizations on that, so that it will maybe only stop on a per thread basis and only for a very short amount of time, but it still can introduce tiny stutters in certain very high performance real time applications, which is why some engineers don't like to use such languages for such applications (or at least not for certain parts of such applications).
@rudiklein Жыл бұрын
I was wondering about that ("what if something changes between marking an sweeping?") and you answered my question.
@Fine_Mouche2 жыл бұрын
14:41 : could you make a video about this tools ? (if already not done)
@ShALLaX2 жыл бұрын
Non-determinism is usually a bigger problem than messing up forgetting a root. If you want to write high-performance software, you can usually see random dips in performance when garbage collection occurs. This is because the garbage collection routine is usually blocking.
@darkengine5931 Жыл бұрын
We avoid it in my industry (real-time computer graphics) partially for that reason. The other reason is that it's actually very easy to create logical memory leaks using GC. For example, a scene might have a shader that wants to reference a texture so the programmer naively stores a strong reference to it. Then the user requests to remove the texture from the scene at which point the texture memory should be freed (these could be ultra high-res HDR textures with 32-bit channels taking hundreds of megabytes of DRAM), but it's not freed because that particular shader is still storing a strong reference to it and failed to also handle that user event even the scene properly handled the event and removed the texture reference. Then the memory for that texture only gets properly freed when the user removes not only the texture but also the shader when merely removing the texture should have sufficed. In a language like C, there would be no memory leak in this context. Instead we get a dangling pointer crash, and that might sound worse than a memory leak but in real-time applications, the hard crash is often preferable because logical leaks are disastrous for performance and also extremely difficult to detect (they're like stealth bugs eluding our unit and integration tests and we don't have tools like valgrind to point them out to us). Meanwhile a segfault is trivial to detect and reproduce consistently, especially with sound testing procedure.
@a_maxed_out_handle_of_30_chars Жыл бұрын
wow, simple and to the point
@TMinusRecords2 жыл бұрын
What happens if you have a circular reference with a root in there? Does the mark and sweep algorithm not see that as uncollectable?
@darkengine5931 Жыл бұрын
It handles cyclical references just fine since the root itself still becomes unreachable when no longer externally referenced even if one its descendants references the root. Root is a relative term in this context like the root of a binary search tree still has external references to it and will be released even if the branches and leaves of the tree reference the root cyclically when the root itself is no longer externally referenced; the entire hierarchy becomes stranded and unreachable, so to speak. The deadly scenario that can lead to logical leaks without care (garbage collection is actually more prone to memory leaks without caution than even C) is when you have two external strong references to a root, e.g., and some user input leads to an event that should cause both strong references to be released (turned into nulls or removed from containers) but a programmer error leads to only one place releasing that reference. Like: A-->Root
@pokemaniac39772 жыл бұрын
Thanks for the video
@elliotmacneille3446 Жыл бұрын
I would have liked to see some mention of the Big O complexity of garbage collection and why we expect programs running malloc and free to be fundamentally faster than programs with automatic garbage collection. This can be a major factor in choosing programming languages; languages that allow you access to 'bare metal' memory management are typically be better options for high performance programs.
@gfrewqpoiu2 жыл бұрын
Maybe Nim would actually be an interesting case study here, since they have multiple switchable Garbage Collectors or manual memory management and it transpiles to C code.
@PouriyaJamshidi2 жыл бұрын
Nim indeed is special
@capability-snob2 жыл бұрын
Tratt works on pypy, which comes with loads of collectors and collector options. It's a gc engineers abstract dream.
@FrankHarwald2 жыл бұрын
Indeed. Recent Java, Python versions have these too, as well as many C++ dynamic memory management libraries, & Nim reuses what its C/C++ or JavaScript back-end compiler provides & exports as memory allocators through compile flags.
@yogiturtleseraph82082 жыл бұрын
The simpler mechanism used for memory management is to open/close scope and declare variables in that scope. Then another mechanism is to call a function. Most programs could in theory be written using only these two mechanisms, although it might be a bit clunky; and a continuation mechanic doesn't hurt either.
@patdbean2 жыл бұрын
Many early digital CCTV systems would reboot once every 24 hours (the user could pick the time) so that the system would not run out of memory.
@ecdhe2 жыл бұрын
I'm not sure that malloc() and free() are directly interacting with the operating system, but rather the C runtime which is implementing these functions. So a free() may not change anything as far as the OS is concerned, but the C runtime keeps it for any future allocation.
@Frugl12 жыл бұрын
This is correct Malloc can call segment break if it needs to extend the virtual memory segment of the heap. Hence why malloc might return a pointer to non-zero memory. Despite the OS only exposing zeroed memory when providing reallocated memory to another process.
@framegrace12 жыл бұрын
malloc and free do not interact with the OS on normall usage. malloc just asks for more memory to the OS when it runs out of it.
@bloody_albatross2 жыл бұрын
That's why he said he's simplifying.
@bloody_albatross2 жыл бұрын
@@Frugl1 Also, some malloc/free implementations use mmap instead of sbrk.
@pierreabbat61572 жыл бұрын
What happens in double free is usually not that another process overwrites the memory, but another thread does, or the same thread allocates a block starting at the same address. The next block pointer, which is just before the block, is overwritten with another next block pointer, or with garbage, and freeing it corrupts the heap or crashes the program.
@glimpsee79412 жыл бұрын
Question why is the deconstructor pattern not popular? What is the benefit of garbage collectors over deconstructors? and why not use both deconstructors and garbage collectors?
@DFPercush2 жыл бұрын
That's what I'm thinking. RAII is pretty popular though. The only code that should use malloc or new is in a container class that will clean it up in the destructor. All other code should use those containers.
@lukaswerner43902 жыл бұрын
What program was used to draw in the screen?
@ajonescouk Жыл бұрын
Just wondering how the "double free" situation would free memory for a different task on any sort of modern architecture? Surely the memory allocated by malloc will be virtual and the OS knows which process is calling free. I can see why it would possibly happen for a thread on the same process.
@martijn31512 жыл бұрын
As a concept GC works wonderful. And in a lot of practical applications as well. But as with most concepts: there is always a downside. And with GC there is a big one: speed. When a speed and frame rates are to be considered, GC is usually terrible. Your game runs fine and super smooth and all of a sudden bam! GC kicks in and gone is your frame rate.
@rob8762 жыл бұрын
Minor point - 1:57 32678 bytes is not 32 KB, 32768 is.
@ZedaZ802 жыл бұрын
The syntax highlighting and color scheme is so pretty 😍
@marcelijankowski9593 Жыл бұрын
Great explanation!
@PaulWilkinsNZ2 жыл бұрын
1:48 It doesn't really matter for his example, but 32768 is the figure that would normally be used instead of 32678
@jhonbus2 жыл бұрын
Haha, that one sprung out at me too. I said "You spelled 32K wrong!" before realising "spelling" wasn't quite the right word.
@silverchairsg2 жыл бұрын
Speaking of the turning off and on trick, here's a joke. There are four engineers traveling in a car; a mechanical engineer, a chemical engineer, an electrical engineer and a computer engineer. The car breaks down. “Sounds to me as if the pistons have seized. We’ll have to strip down the engine before we can get the car working again”, says the mechanical engineer. "Well”, says the chemical engineer, “it sounded to me as if the fuel might be contaminated. I think we should clear out the fuel system.” “I thought it might be a grounding problem”, says the electrical engineer, “or maybe a faulty plug lead.” They all turn to the computer engineer who has said nothing and say: “Well, what do you think?” He thinks for a moment. “I know!" he says. "Let's all get out of the car and get back in again.”
@cgazzz2 жыл бұрын
Didn't really mention the C++ way of using movable unique_ptr lvalues and reference rvalues. No reference counting, no explicit freeing, as long as data structures are acyclic
@PixelOutlaw2 жыл бұрын
Like most ideas in computing, the origin is lost to modern trends. But we can look back to Lisp for the first garbage collectors. And quite a few other things.
@seedmole2 жыл бұрын
My last memory leak was from leaving the text viewing window open in Pure Data when using a nonquantized midi looper I built. Didn't expect it to, but apparently any memory used to store text is retained once that text is replaced if the window for viewing it is still open. Found myself staring at several gigabytes from just kilobytes of text data. And yeah, always turn off and on again. Last night I booted up all my synths too quickly (my retrospective take) and one of them was responding veeery strangely to midi signals -- somehow it was behaving as if it was receiving Control Change and Program Change signals when I was only sending Note, Pitch Bend, and Modulation Wheel signals. Sure enough, a quick off-and-on-again cleared that right up (though not until after I checked some other things first... by turning them on and off).
@tristanwegner2 жыл бұрын
I get that the Operating system cannot free memory a program claimed, because it has no insight what the program wants to do with it. But what I don't understand is how the OS can allow program A to wrongly "free" memory that now belongs to program B. Isn't the OS supposed to say "sorry A", this memory is not allocated to you right now, so you have no rights to it. ? Isn't it one of the central task of an operating system?
@bobdole57Ай бұрын
On modern operating systems if you try to free another program's memory what will happen is that you will crash with a "segmentation violation" error or similar. In the past this was a much bigger problem where you could actually crash another program
@fahnub Жыл бұрын
Explained in simplest way possible
@Squossifrage2 жыл бұрын
8:23 “RES” is short for “resident”, not “resources”.
@gone357 Жыл бұрын
I need to know what prompt that is on his terminal
@nishantjoshi67122 жыл бұрын
Can anyone tell me what is the theme for syntax highlighting he is using on vim?
@Standard0801052 жыл бұрын
Thank you for the video. But why do some languages have garbage collection and others not? Why would the absence of garbage collection be a feature of a language, rather than just a feature of a particular compiler for that language?
@duuqnd2 жыл бұрын
@Yummy Spaghetti Noodles * ← You dropped your asterisk
@jbird44782 жыл бұрын
Some programming languages cannot support garbage collection due to the way the language works. In C or C++ for example, you often reference objects using pointers. These pointers are simply integers containing the address, and you can do arithmetic with those like with any other integer. For example, if you have a file loaded in memory, you can read the 10th byte simply by adding 10 to the pointer. That makes it impossible for garbage collection to keep track of memory.
@fable43152 жыл бұрын
First year CS student hear. Are these garbage collection algorithms actual using some sort of DFS to figure out the reachable space?
@darkengine5931 Жыл бұрын
Typically not. There's no search criteria to warrant a DFS or BFS. Like with mark-and-sweep, we just traverse the links of the graph and mark everything we can reach. There's no searching involved, only graph traversal. It's analogous more to just iterating through every element of a graph, not searching the graph.
@fable4315 Жыл бұрын
@@darkengine5931 I mean BFS or DFS are basically exactly that, traverse until everything is visited. If for example we want to find a topological ordering, we can use DFS without any search criteria in mind.
@darkengine5931 Жыл бұрын
@@fable4315 Definitely we're traversing the graph in both cases. The one difference I'd point out is the lack of the conventional search aspect. So it's more like "DF" or "BF" without the "S" if you know what I mean, and probably why we don't add the "search" aspect to describing it. There's no branching in a mark-and-sweep to check for any search criteria (only loop branching). It's just iterating over every reachable element in the graph and marking it as reachable. There's no search filter. "For everything we can traverse in the container, reachable, mark it as reachable." A DFS or BFS usually implies an inner branch checking to see if some search criteria is met, like a pathfinding algorithm where we check to see if we've arrived at the destination. The mark-and-sweep works without such criteria.
@fable4315 Жыл бұрын
@@darkengine5931 not at my university, we also said „use BFS to find connected components and then use your favorite MST algorithm to find all MSTs i.e. a forest. There is also literally no search criteria
@darkengine5931 Жыл бұрын
@@fable4315 Been thinking on this a bit further though. Maybe it's just pedantry. There is at least a need to avoid revisiting the previously visited nodes in the graph, and a criteria that we stop when we run out of nodes that cease to meet this condition. Maybe we can call this a "search". I just find it a bit confusing due to the absence of a base case beyond "there's nothing left to visit", and it doesn't seem so helpful to search for a BFS as a keyword to implement such an algorithm. Maybe we just need more words to distinguish things better in CS!
@tablettablete1862 жыл бұрын
Now we need one with Reference Counting! (5:20)
@DanCojocaru20002 жыл бұрын
The compiler inserts hidden code that increases or decreases the count. That’s basically it.
@blablubb12342 жыл бұрын
An then there’s Rust, which doesn’t have a garbage collector nor reference counting, but still does safe memory management for you.
@NoahSpurrier Жыл бұрын
When I was a C programmer I used static arrays whenever possible. It wasted a bit of memory, but my code never had memory leaks.
@jakoon_the_manic2 жыл бұрын
Great video! Thanks for it.
@mqwersly2 жыл бұрын
at the end of the video, the presenter asked about a modern garbage collector's memory use, and it's very low, but what about the processing needed to run the algorithm?
@michamaj62902 жыл бұрын
Very nice Framework laptop!
@footballCartoon91 Жыл бұрын
does anybody knows does the python garbage collector know when to deallocate memory for a pointer which request for dynamic memory allocation inside a static method using the decorator functionality provided by python i.e using the keyword @staticmethod in a class..in C++ we can see this using the debugger.. but i am not too sure using python..the timing for the deallocation of memory should be accurate i.e at the end of the program.. or maybe they might not even deallocate that at the end of the program. If the garbage collector deallocates memory in the middle of the program (because the class scope that wraps around that static method has ended)..the program might crashed?
@VoodaGod Жыл бұрын
was it ever explained what advantages garbage collection offers over reference counting? from this explanation it just seems like reference counting with extra steps
@sixpooltube Жыл бұрын
God bless you for this video and channel
@xBZZZZyt2 жыл бұрын
does there need be be list of all objects to sweep?
@atijohn81352 жыл бұрын
how else are you gonna sweep them?
@juansolo1617 Жыл бұрын
Memory leaks don't happen if you're aware of the control pathways and make sure to release unused memory. The overhead of the garbage collector isn't necessary, really, other than Rapid Application Development where someone's trying to pump out code quickly without thinking about the hardware aspect. In a way it can be faster than heap allocation but overall I think the heap wins out for efficiency. Often times with GC you need to use handles to memory, locking memory before local use. With direct allocation and management that's not a thing... you just have a direct real pointer to data, and there's no sweeping cycles (or calculations made for initiating the sweep).
@laughingvampire755510 ай бұрын
and he doesn't talks about the really most common garbage collector, arenas, this is used with php, the most dominant backend language in the internet, and Go is trying them. Erlang has independent runtimes per green thread so when one of those dies all its stack is collected, so technically, it is a type of arenas that do reference counting.
@TangTony-q3h9 ай бұрын
Use Delphi to programming , don't need to manage the memory by you, it can auto manage. But the video is explain it how to works, it is good
@LeifNelandDk2 жыл бұрын
How does the GC know what is a pointer and not just an integer?
@casperes09122 жыл бұрын
Freeing something twice is not going to behave like that on any modern OS with an MMU in the hardware which covers pretty much any PC/Mac and phones and yeah. Might cause problems if you run your programs on your dishwasher that might not have an MMU but otherwise it's not an issue. At least in userspace. Only you own your memory space (another disclaimer, plugins, interpreters and such can be exceptions) ARC also automatically manages reference counting. You don't manually need to think about incrementing and decrementing your counter (this is in languages like Swift, Objective-C and apparently based off of this video, sometimes even Python). You can still have issues with cycles but there are ways of dealing with that. In Swift and Objective-C for example you can mark references as weak or unowned to not increment the reference count and prevent cycles. An example of use is if you hold a reference to yourself. This should probably be a weak reference since otherwise when can you free yourself? Unowned is essentially the same but with fewer protections against code crashing if you do it wrong. ARC is often faster than garbage collection so while performance was mentioned as a downside for reference counting, it's certainly also a downside for garbage collection and more often than not worse for GC
@retropaganda84422 жыл бұрын
malloc/free doesn't interact with the OS and MMU pages for every "bit" of allocation/deallocation otherwise it would be too slow. So often you can still access memory that was freed.
@strayling12 жыл бұрын
@@retropaganda8442 Only within the process which owns the page, so it would require multiple threads sharing the same PID.
@friggindoc2 жыл бұрын
What is an Access violation?
@zhulikkulik2 жыл бұрын
I rememeber there was some point in time when I had to restart my computer each time I played a game. For some reason none of the games seemed to clear memory even when exiting the app :| So I played a game, exit it and just couldn't use anything. It wasn't completely frozen, but rather as if 15 out of 16 gb were still allocated. Even tho task manager showed only 10-20% load.
@reinhold1616 Жыл бұрын
operating systems automatically free memory on exit
@manon-gfx11 ай бұрын
Another downside of garbage collection is performance issues in real-time applications. In games you can see a couple millisecond longer frame due to the garbage collector, resulting in frame spikes. This is why most games still use manual memory management. Although you can see a shift happening to reference counted memory management happening in the less performance critical parts of the code.
@WIImotionmasher2 жыл бұрын
I need a mouse how does he use the trackpad
@RonJohn632 жыл бұрын
0:39 You *can,* but then that means you must manage that big pile of memory all by yourself (re-implementing most of the memory management tasks which the kernel already provides). That, of course, is time-consuming and even more bug-prone. 3:46 In MS-DOS (under something like DesqView) or Windows 9x and maybe OS/2, but certainly not Unix/Linux, Windows NT or other Real operating systems of the past 45 years.
@blacklistnr12 жыл бұрын
13:18 @[unknown customer's basket size]: That's just careless, there's always a worst case e.g. your car trunk's size. If you don't plan for it with a MAX_ITEMS, you're just going to run into weird errors when that one customer adds 1 million items.
@jbird44782 жыл бұрын
It's better to combine both though: dynamically allocate as needed, but with a reasonable maximum.