Тёмный

Implement A Binary Heap - An Efficient Implementation of The Priority Queue ADT (Abstract Data Type) 

Back To Back SWE
Подписаться 242 тыс.
Просмотров 122 тыс.
50% 1

Free 5-Day Mini-Course: backtobackswe.com
Try Our Full Platform: backtobackswe....
📹 Intuitive Video Explanations
🏃 Run Code As You Learn
💾 Save Progress
❓New Unseen Questions
🔎 Get All Solutions
Question: Implement a binary heap (a complete binary tree which satisfies the heap ordering property). It can be either a min or a max heap.
Video On Heap Sort: • Investigating Heap Sor...
Priority Queue ADT (Abstract Data Type)
The ADT's Fundamental API
isEmpty()
insertWithPriority()
pullHighestPriorityElement()
peek() (which is basically findMax() or findMin()) is O(1) in time complexity and this is crucial.
A heap is one maximally efficient implementation of a priority queue.
We can have:
-) a min heap: min element can be peeked in constant time.
-) or a max heap: max element can be peeked in constant time.
The name of the heap indicates what we can peek in O(1) time.
It does not matter how we implement this as long as we support the expected behaviors of the ADT thus giving our caller what they want from our heap data structure.
A binary heap is a complete binary tree with a total ordering property hence making it a heap with O(1) peek time to the min or max element.
We can implement the heap with actual nodes or we can just use an array and use arithmetic to know who is a parent or left or right child of a specific index.
Insertion into a binary heap:
We insert the item to the "end" of the complete binary tree (bottom right of the tree).
We "bubble up" the item to restore the heap. We keep bubbling up while there is a parent to compare against and that parent is greater than (in the case of a min heap) or less than (in the case of a max heap) the item. In those cases, the item we are bubbling up dominates its parent.
Removal from a binary heap:
We give the caller the item at the top of the heap and place the item at the "end" of the heap at the very "top".
We then "bubble the item down" to restore the heap property.
Min Heap: We keep swapping the value with the smallest child if the smallest child is less than the value we are bubbling down.
Max Heap: We keep swapping the value with the largest child if the largest child is greater than the value we are bubbling down.
In this manner, we restore the heap ordering property.
The critical thing is that we can have O(1) knowledge of the min or max of a set of data, whenever you see a problem dealing with sizes think of a min or max heap.
++++++++++++++++++++++++++++++++++++++++++++++++++
HackerRank: / @hackerrankofficial
Tuschar Roy: / tusharroy2525
GeeksForGeeks: / @geeksforgeeksvideos
Jarvis Johnson: / vsympathyv
Success In Tech: / @successintech

Опубликовано:

 

14 окт 2024

Поделиться:

Ссылка:

Скачать:

Готовим ссылку...

Добавить в:

Мой плейлист
Посмотреть позже
Комментарии : 330   
@BackToBackSWE
@BackToBackSWE 5 лет назад
Table of Contents: Plugging The Channel 0:00 - 0:36 The Problem Introduction 0:36 - 1:13 A Heap Is Not An ADT 1:13 - 1:43 The ADT Priority Queue 1:43 - 3:39 The Min and Max Heap 3:39 - 5:50 Insertions & Removals On A Min Heap 5:50 - 8:57 Our First Removal 8:57 - 11:16 Continue Insertions 11:16 - 13:20 Our Second Removal 13:20 - 15:21 Our Third Removal 15:21 - 15:54 Continue Insertions 15:54 - 17:47 Notice Our Heaps Contents 17:47 - 18:32 Time Complexity For Insertion & Removal 18:32 - 19:35 Wrap Up 19:35 - 20:00 The code is in the description fully commented for teaching purposes.
@Rhythmswithruby
@Rhythmswithruby 4 года назад
I don't see the code in the description or a link to it. Am I blind or is it gone?
@BackToBackSWE
@BackToBackSWE 4 года назад
The repository is deprecated - we only maintain backtobackswe.com now
@jonfun449
@jonfun449 4 года назад
@@BackToBackSWE So it's not free anymore?
@goblin1390
@goblin1390 4 года назад
where can i find c++ code... and I don't find any code in description
@charan_75
@charan_75 3 года назад
@@Rhythmswithruby public class Solution { /* A min heap implementation Array Form: [ 5, 7, 6, 10, 15, 17, 12 ] Complete Binary Tree Form: 5 / \ 7 6 / \ / \ 10 15 17 12 Mappings: Parent -> (childIndex - 1) / 2 Left Child -> 2 * parentIndex + 1 Right Child -> 2 * parentIndex + 2 */ private static class MinHeap { private int capacity = 5; private int heap[]; private int size; public MinHeap() { heap = new int[capacity]; } public boolean isEmpty() { return size == 0; } public int peek() { if (isEmpty()) { throw new NoSuchElementException("Heap is empty."); } return heap[0]; } public int remove() { if (isEmpty()) { throw new NoSuchElementException("Heap is empty."); } /* -> Grab the min item. It is at index 0. -> Move the last item in the heap to the "top" of the heap at index 0. -> Reduce size. */ int minItem = heap[0]; heap[0] = heap[size - 1]; size--; /* Restore the heap since it is very likely messed up now by bubbling down the element we swapped up to index 0 */ heapifyDown(); return minItem; } public void add(int itemToAdd) { ensureExtraCapacity(); /* -> Place the item at the bottom, far right, of the conceptual binary heap structure -> Increment size */ heap[size] = itemToAdd; size++; /* Restore the heap since it is very likely messed up now by bubbling up the element we just put in the last empty position of the conceptual complete binary tree */ siftUp(); } /*********************************** Heap restoration helpers ***********************************/ private void heapifyDown() { /* We will bubble down the item just swapped to the "top" of the heap after a removal operation to restore the heap */ int index = 0; /* Since a binary heap is a complete binary tree, if we have no left child then we have no right child. So we continue to bubble down as long as there is a left child. A non-existent left child immediately tells us that a right child does not exist. */ while (hasLeftChild(index)) { /* By default assume that left child is smaller. If a right child exists see if it can overtake the left child by being smaller */ int smallerChildIndex = getLeftChildIndex(index); if (hasRightChild(index) && rightChild(index) < leftChild(index)) { smallerChildIndex = getRightChildIndex(index); } /* If the item we are sitting on is < the smaller child then nothing needs to happen & sifting down is finished. But if the smaller child is smaller than the node we are holding, we should swap and continue sifting down. */ if (heap[index] < heap[smallerChildIndex]) { break; } else { swap(index, smallerChildIndex); } // Move to the node we just swapped down index = smallerChildIndex; } } // Bubble up the item we inserted at the "end" of the heap private void siftUp() { /* We will bubble up the item just inserted into to the "bottom" of the heap after an insert operation. It will be at the last index so index 'size' - 1 */ int index = size - 1; /* While the item has a parent and the item beats its parent in smallness, bubble this item up. */ while (hasParent(index) && heap[index] < parent(index)) { swap(getParentIndex(index), index); index = getParentIndex(index); } } /************************************************ Helpers to access our array easily, perform rudimentary operations, and manipulate capacity ************************************************/ private void swap(int indexOne, int indexTwo) { int temp = heap[indexOne]; heap[indexOne] = heap[indexTwo]; heap[indexTwo] = temp; } // If heap is full then double capacity private void ensureExtraCapacity() { if (size == capacity) { heap = Arrays.copyOf(heap, capacity * 2); capacity *= 2; } } private int getLeftChildIndex(int parentIndex) { return 2 * parentIndex + 1; } private int getRightChildIndex(int parentIndex) { return 2 * parentIndex + 2; } private int getParentIndex(int childIndex) { return (childIndex - 1) / 2; } private boolean hasLeftChild(int index) { return getLeftChildIndex(index) < size; } private boolean hasRightChild(int index) { return getRightChildIndex(index) < size; } private boolean hasParent(int index) { return index != 0 && getParentIndex(index) >= 0; } private int leftChild(int index) { return heap[getLeftChildIndex(index)]; } private int rightChild(int index) { return heap[getRightChildIndex(index)]; } private int parent(int index) { return heap[getParentIndex(index)]; } } }
@superparth1995
@superparth1995 5 лет назад
This man explains better than my prof who has a PhD in Comp Sci lmao One of the best channels to understand Data Structures!
@BackToBackSWE
@BackToBackSWE 5 лет назад
hey
@dewman7477
@dewman7477 3 года назад
@@BackToBackSWE hey have one question. What would be time complexity (both iterative and recursive) for verifying/building a general K-ary max heap (not just binary but for ternary and so forth)?
@arnabbanik6403
@arnabbanik6403 2 года назад
If not the best
@howardlam6181
@howardlam6181 Год назад
well, you do realise you are visiting this topic not the first time?
@dennistang5935
@dennistang5935 11 месяцев назад
Well getting a PhD doesn't really correlate with how well you can explain a simple-data structure
@brandonhui1298
@brandonhui1298 5 лет назад
i really appreciate the fact you edit out the insane amount of erasing and rewriting youre doing in all of these. each of these videos must take so long to record and edit O_O thanks mate
@BackToBackSWE
@BackToBackSWE 5 лет назад
hahahahhaha, thanks for noticing the details. Yeah each video takes from 4-6 hours from shooting to editing.
@mariasandru7
@mariasandru7 5 лет назад
I admire your dedication and treasure it a lot! It is an honour to have someone as skilled as you taking the time to explain these concepts for beginners like us!!!
@BackToBackSWE
@BackToBackSWE 5 лет назад
haha im not that skilled
@panterra5662
@panterra5662 4 года назад
This channel is by far the best at breaking down and explaining DSA concepts that I've ever seen (including university). Thanks for your awesome work!
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
@sacheras3
@sacheras3 Год назад
One of the best explanations I've seen for this topic, is complete, clear, with graphics, and examples. Thank you so much.
@VinothiniAnabayan
@VinothiniAnabayan 4 года назад
The way he explains, just goes into the mind..
@BackToBackSWE
@BackToBackSWE 4 года назад
ye
@lavanya_m01
@lavanya_m01 6 месяцев назад
Omg, this video was posted 5 years back and is still the best video I've ever seen. Your explanation makes it so simple! Glad I found your channel.. it's a gem 💎❤
@markrosenthal1129
@markrosenthal1129 11 месяцев назад
2 minutes into the video, this guy answered questions I had to ask my professors for weeks to understand. You might not understand everything he is saying, but this is the same stuff that I'm being taught at a private, super expensive, well ranked engineering school. Thanks for the help!
@BackToBackSWE
@BackToBackSWE 10 месяцев назад
Happy Holidays 🎉 Thank you for your kind words, MarkRosenthal! We'd love to offer you a 40% Off our exclusive lifetime membership just use the code CHEER40 - backtobackswe.com/checkout?plan=lifetime-legacy&discount_code=CHEER40
@sim77778777
@sim77778777 5 лет назад
Thank you for the awesome explanation. Looking forward to more of your tutorial videos
@BackToBackSWE
@BackToBackSWE 5 лет назад
sure
@minerbytrade982
@minerbytrade982 4 года назад
Very helpful! I feel like I’m in an actual lecture, but with an awesome instructor. Thanks for the video!
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks and thanks
@DantCJT
@DantCJT 2 года назад
literally you explain better than any teacher I've ever had, keep it up, greetings from Colombia
@FracturedOctopus
@FracturedOctopus Год назад
Absolutely love the explanations of the fundamental building blocks of the more complex stuff! Much gratitude.
@guardianoftheledge4966
@guardianoftheledge4966 4 года назад
You are a legend. This channel is awesome for quick review and for first attempts. Thanks for all the forethought and effort put into your videos.
@BackToBackSWE
@BackToBackSWE 4 года назад
thx - wish u the best
@tannerbarcelos6880
@tannerbarcelos6880 5 лет назад
This is literally a legendary video lol. I am learning BST and Heap in my data strucutres class and i understand majority of the BST stuff, but the heap was like, easy to understand but weird as hell to understand that its no longer an ADT etc. You did a great job explaining all this.
@BackToBackSWE
@BackToBackSWE 5 лет назад
nice
@maripaz5650
@maripaz5650 4 года назад
legit one of the best channels on youtube. these are beautiful and my go-to interview studying (and my last-minute nerves studying). thank you for the wonderful content!
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks wish u the best!
@deli5777
@deli5777 2 года назад
First video of yours that I've seen. Excited to check out more. Thanks for the info!
@BackToBackSWE
@BackToBackSWE 2 года назад
Glad to hear that! Subscribe to our DSA course for some amazing content with a flat 30% discount b2bswe.co/3HhvIlV
@FernandoRodriguez-et7qj
@FernandoRodriguez-et7qj Год назад
you are an increadible human being for puttin this content out there.
@thihathantsin1934
@thihathantsin1934 4 года назад
Hello Sir!!! I am from Myanmar student who is learning Software Engineering. Your videos are so effective for me and you can explain very clearly. Thanks for sharing your knowledge.
@BackToBackSWE
@BackToBackSWE 4 года назад
Sure
@fablesfables
@fablesfables 5 лет назад
this channel is the reason i'll pass my data structures class )': thanks so much man please keep making these videos!! you really explain stuff so in-depth.
@BackToBackSWE
@BackToBackSWE 5 лет назад
Nice, sure, workin' on it
@joandaa
@joandaa 4 года назад
Just found your channel, and smashed that subscribe button. Thank you so much for your content! It helps me and my GPA a lot. Also, I can see your channel becoming the world's biggest resource of SWE in the future. Will support you through it all.
@BackToBackSWE
@BackToBackSWE 4 года назад
hey
@coztigers98
@coztigers98 4 года назад
I had an onsite question that involved heaps... I didn't get the offer, and went on a berserk mode to understand where I went wrong. Your explanation is the clearest one I've seen. Thank you.
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
@ivanzalomin7740
@ivanzalomin7740 2 года назад
The best explanation of heap I could found. Short and clear
@masudahmed5879
@masudahmed5879 4 года назад
Absolutely amazing and thorough. Beautiful breakdown. Best explanation I have seen yet and could not have been better. Will check out your products and really hope your full courses and career services come in time for upcoming graduation and recruitment!
@BackToBackSWE
@BackToBackSWE 4 года назад
ye
@prajyotp4981
@prajyotp4981 3 года назад
Simplicity is quality of this channel.
@tombrady7390
@tombrady7390 4 года назад
youtube takes time but is rewarding, keep the tempo going
@BackToBackSWE
@BackToBackSWE 4 года назад
lol ok
@charlottelai-g9o
@charlottelai-g9o Год назад
Love your enthusiasm in this tutorial!
@supastar25
@supastar25 4 года назад
Best explanation of heaps I've seen on here..thanks dude..so easy to follow.
@BackToBackSWE
@BackToBackSWE 4 года назад
sure.
@Gzzzzzz111
@Gzzzzzz111 3 года назад
I like how he asks the question 'Do you see xxxx ?'. It just gives me a feeling that I'm actually sitting in front of him, and it makes me more engaged into the video.
@CheugyJesus
@CheugyJesus 2 года назад
I’ve been looking for an instructor like you since i first started studying computer science almost seven years ago
@BackToBackSWE
@BackToBackSWE 2 года назад
Glad to hear that!
@BackToBackSWE
@BackToBackSWE 2 года назад
Subscribe to our DSA course with a flat 30% discount for some amazing content b2bswe.co/3HhvIlV
@jacobmoore8734
@jacobmoore8734 4 года назад
This man smokes tricky concepts like it aint no thing! @B2BSWE, I like how you explain the concepts and don't just immediately jump into optimized code. I've seen videos like that before, where I guess the goal is to memorize a process and I walk away feeling unsure about what I "learned".
@BackToBackSWE
@BackToBackSWE 4 года назад
I got u, thx 4 watching
@eve7947
@eve7947 5 лет назад
Thank you so much for your videos that make algorithm so much easier to understand! Looking forward to more of them:)
@BackToBackSWE
@BackToBackSWE 5 лет назад
sure
@OK-cy2mc
@OK-cy2mc 3 года назад
Your videos are by far the best. Keep up the good work!
@BackToBackSWE
@BackToBackSWE 3 года назад
thanks
@adrijasamanta7949
@adrijasamanta7949 3 года назад
This is "THE BEST CHANNEL" for SWE..... Love it
@join2nitin
@join2nitin 4 года назад
You are great teacher, what a clear explanation of each topic. Please post more learning videos of popular algorithms
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks and ok
@adrienjean4196
@adrienjean4196 4 года назад
Man this vid is so rad! This is the best explanation I've seen yet. I've always wanted to implement compression with huffman coding and now this is is very clear. I never bothered to learn what log n complexity meant (altho I'm supposed to be a a dev) but now this is obvious. Like if you double the size of the elements in the binary tree you only have to go one step further to bubble up or down one element by comparing and swaping with parents/children hence it's log since it depends of the exponent value. Thank's.
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks
@amruthap6334
@amruthap6334 4 года назад
thank you so much. actually i have implemented priority queue through linked list but then my prof said i have to implement through heaps. This is a very confusing topic but you actually made it so easy and understandable. ❤🌹
@BackToBackSWE
@BackToBackSWE 4 года назад
great
@udithkumarv734
@udithkumarv734 4 года назад
Helped me implement this in minutes thanks to the video.
@BackToBackSWE
@BackToBackSWE 4 года назад
great
@nenotdope6913
@nenotdope6913 2 года назад
quality videos bro, I not only learn but I enjoy watching them too
@adithyaharish3530
@adithyaharish3530 4 года назад
one of the best ds channels..great work
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks thanks
@mahdizarepoor8964
@mahdizarepoor8964 2 года назад
Man . you are just the best . you are just doing something that a lot of people will appreciate you . your contexts are just perfect . I can't find tutorials about DS&ALG better than this channel . I just don't understand your pause at the end of Videos :|)
@SR-we1vl
@SR-we1vl 4 года назад
You deserve a medal for all the work you do! and the best part you always reply to my comments! Keep enlightening us with your videos!😊😊
@BackToBackSWE
@BackToBackSWE 4 года назад
Thanks and no I don't, I had/have a mission and it has nothing to do with me. And yeah, I reply to everyone. And sure.
@RubyLee-pc1lj
@RubyLee-pc1lj 5 месяцев назад
This video explains the remove so well.
@babybloo1818
@babybloo1818 3 года назад
Hi, really great video, thanks! I don’t see the code in the description, am I missing something?
@pandaonsteroids5154
@pandaonsteroids5154 Год назад
Thanks. Short and sweet review for my exam.
@SomeOne-rx2xw
@SomeOne-rx2xw 3 года назад
Man you don't know how much of a help you are for us! You always help me through, thank you so much you are the best.
@gavravdhongadi9824
@gavravdhongadi9824 4 года назад
Hands down to THE BEST CHANNEL
@BackToBackSWE
@BackToBackSWE 4 года назад
ye
@vidyabk1083
@vidyabk1083 5 лет назад
Interviewer: 'Heap' Me: 'parent am I smaller than you' 😋 Interviewer: .... P.S: thanks for these awesome videos!
@BackToBackSWE
@BackToBackSWE 5 лет назад
hi
@cobrafriends
@cobrafriends 5 лет назад
nobody: ben: "we're missing one child, that's fine"
@BackToBackSWE
@BackToBackSWE 5 лет назад
lol
@socaexpress
@socaexpress 4 года назад
Excellent video buddy really solidified the concept of a binary heap for me
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
@resmiramakrishnan1260
@resmiramakrishnan1260 4 года назад
Please add captions...I'm taking notes of this concise and precise video, indeed a precious video. Thank you
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks and ok
@lwinchohtun9338
@lwinchohtun9338 2 года назад
You are so amazing... I think I'm best lucky for choosing this video tutorial among many others....
@guowanqi9004
@guowanqi9004 5 лет назад
9:44 heapify, such a cool word, I'm gona start using it
@BackToBackSWE
@BackToBackSWE 5 лет назад
lol, I don't think it is a real word
@neurochannels
@neurochannels 5 лет назад
@@BackToBackSWE in python standard library: heapq.heapify(x) is a thing. :)
@BackToBackSWE
@BackToBackSWE 5 лет назад
@@neurochannels nice
@bostonlights2749
@bostonlights2749 4 года назад
Yeah...something out of a spell from Harry Potter
@GraniLP
@GraniLP 3 года назад
Dude I swear you are the one making me pass my algo lecture! Your vids are helping me so much with every exercise
@Black-xy4pj
@Black-xy4pj 2 года назад
I have to applaud you for this! Thank you, thank you! I love how u put it in Layman's term
@rica11tv
@rica11tv 4 года назад
bro, U R soooo way better than my instructor
@BackToBackSWE
@BackToBackSWE 4 года назад
thx - you instructor is probably giving an effort though
@rica11tv
@rica11tv 4 года назад
@@BackToBackSWE yes ofcourse, he is trying his best but still you are kinda better
@NeerajSharma-oz1mm
@NeerajSharma-oz1mm 4 года назад
I’m becoming a fan of yours... very nice explanation
@BackToBackSWE
@BackToBackSWE 4 года назад
no im a fan of u
@allan_cm
@allan_cm 3 года назад
OMG you explain so clear! Thanks!
@__manish_kumar__
@__manish_kumar__ 4 года назад
hey , i think you could have added one more part to video, that is how can we use array to store heap, and that can also make anyone understand how it is even possible to get last element from tree, and how to even know which one is parent of node. But yeah, explanation was just awesomeeee.
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks and ok
@brandonoakes8025
@brandonoakes8025 4 года назад
Another game changer video. I had a question about Abstract Data Types vs Data Structures. I am confused how a heap is not an Abstract Data Type since when we insert or remove from the heap we are adding (behavior) to the heap and it makes me think of it as an Abstract Data type (values and set of operations on these values). I know I am looking at this incorrectly but any clarity would be appreciated 🤙
@BackToBackSWE
@BackToBackSWE 4 года назад
Thanks. The ADT is priority queue and the heap is the data structure, see en.wikipedia.org/wiki/Priority_queue#Implementation
@dhruvrajpurohit7341
@dhruvrajpurohit7341 5 лет назад
Great Work! I’ll suggest you can also make a company wise question playlist.
@BackToBackSWE
@BackToBackSWE 5 лет назад
I ran out of playlists on my channel. Wish I could.
@BackToBackSWE
@BackToBackSWE 5 лет назад
@@han-shuchang4897 haha
@2990steven
@2990steven 2 года назад
amazing brother - nice and simple - keep going, i'll be checking here first!
@BackToBackSWE
@BackToBackSWE 2 года назад
Thank you, glad you liked it 😀 Do check out backtobackswe.com/platform/content and please recommend us to your family and friends 😀
@karimkohel3240
@karimkohel3240 4 года назад
DUDE you are killin it, thank you.
@BackToBackSWE
@BackToBackSWE 4 года назад
I'm fine and thanks
@홍성의-i2y
@홍성의-i2y 10 месяцев назад
18:31 complexity of removal and instertion (under the premise that we are maintaining the min-heap). The key idea is that the height of the tree is log_2(n) where n is the length of the data.
@ameynaik2743
@ameynaik2743 3 года назад
Great videos! Where can I find the solution? Looks like the code link is missing?
@djfedor
@djfedor 5 лет назад
Great video, as always! Nice job!
@BackToBackSWE
@BackToBackSWE 5 лет назад
hola
@tasnimsart3430
@tasnimsart3430 2 года назад
You should really make complete courses you are so great
@BackToBackSWE
@BackToBackSWE 2 года назад
Thank you, We have complete course on our platform 😀 Do check out backtobackswe.com/platform/content and please recommend us to your family and friends 😀
@rheya02
@rheya02 10 месяцев назад
awesome video! thank you for the clear and enthusiastic explanation:)
@BackToBackSWE
@BackToBackSWE 10 месяцев назад
Happy Holidays 🎉 Thank you for your kind words, Rheya! We'd love to offer you a 40% Off our exclusive lifetime membership just use the code CHEER40 - backtobackswe.com/checkout?plan=lifetime-legacy&discount_code=CHEER40
@daniilsitdikov8561
@daniilsitdikov8561 3 года назад
The best explanation ever!
@terryrodgers9560
@terryrodgers9560 2 года назад
This dude is a straight boss I love your videos man 👍
@BackToBackSWE
@BackToBackSWE 2 года назад
Thanks Terry
@REKHAKUMARI-lv8mz
@REKHAKUMARI-lv8mz 4 года назад
Best videos on data structure. Already said that, will say it again!!
@BackToBackSWE
@BackToBackSWE 4 года назад
thank you!
@inikotoran
@inikotoran 3 года назад
Thank you for the explanation, it’s easy to understand and very helpful!
@mrkyeokabe
@mrkyeokabe 5 лет назад
very clear explanation & examples
@BackToBackSWE
@BackToBackSWE 5 лет назад
thanks null
@rachelgilyard3430
@rachelgilyard3430 3 года назад
Glad I found your channel
@Christopher_126
@Christopher_126 4 года назад
Great explanation. You mentioned the code being in the description, but I'm not seeing any code?
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks and the repository is deprecated - we only maintain backtobackswe.com now.
@juanandresnunez658
@juanandresnunez658 5 лет назад
My n word I suscribed the moment you said you want this to be the biggest resource for SE online. I wish you the best of luck.
@BackToBackSWE
@BackToBackSWE 5 лет назад
lmao, comment of the year
@muzammilnxs
@muzammilnxs 2 года назад
So, when you say it takes constant time - O(1) to do peek of the heap, does it mean the caller of the heap does not care about the heap restoration operations. I am assuming the heap restoration operations happens asynchronously in the background. Am I correct on this one?
@ericnunez984
@ericnunez984 Год назад
You can retrieve the min and max in both a min-heap and max-heap in constant time. They are always the first index and the (heap.size - 1) index of the heap
@prajakta_patil
@prajakta_patil 4 года назад
Best Explanation on Internet :)
@BackToBackSWE
@BackToBackSWE 4 года назад
thx
@adityasrivastava8790
@adityasrivastava8790 4 года назад
Thanks John
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
@vusalnebiyev3984
@vusalnebiyev3984 2 года назад
Thanks for the awesome explanation.
@sheetalborar6813
@sheetalborar6813 2 года назад
you are an excellent teacher! thankyou!!
@yolokazinogantsho8111
@yolokazinogantsho8111 2 года назад
Thank you!!!!! You are so good, its hard not to recommend you
@BackToBackSWE
@BackToBackSWE 2 года назад
Thank you, glad you liked it 😀 Do check out backtobackswe.com/platform/content and please recommend us to your family and friends 😀
@Leo-yw1fj
@Leo-yw1fj Месяц назад
i think there is a mistake at first removal around 8:58. Instead of selecting the minimum child, the max child was selected for replacement of parent node. This was corrected later in the video
@zoran132
@zoran132 4 года назад
one hell of a good explanation, keep doing what you're doing man, appreciate it
@BackToBackSWE
@BackToBackSWE 4 года назад
ok
@АлександрИванов-в8л4м
Hi, first of all, thank you for you lessons. I like your videos very much, It's so clear for understanding! Question: Am i right when say that min heap guarantees only and only 'every node is lower than its two children'? I mean, there is no (and should not be any) guarantees on level consistency? For example on 12:55 we can see, that `15` is on the 3rd level, but `20` that is higher in on the 2nd. The truly sorted tree should be: `0 - [10, 15] -> [20, null, null, null]` (so every item on 3rd level is higher than on 2nd), but it's not the heap is about. Am i right?
@BackToBackSWE
@BackToBackSWE 4 года назад
sure and great. "Am i right when say that min heap guarantees only and only 'every node is lower than its two children'?" Yes, any child will be >= than its given parent. No guarantees on level consistency.
@АлександрИванов-в8л4м
@@BackToBackSWE Ok, got it, thanks!
@batu1
@batu1 4 года назад
Amazing lecture, appreciate your efforts!!!
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
@yarenm4492
@yarenm4492 4 года назад
You are a hero dude, seriously saved my ass with this video
@BackToBackSWE
@BackToBackSWE 4 года назад
great to hear.
@EduardoMatus
@EduardoMatus 3 года назад
Amazing explanation!
@kapuluru5964
@kapuluru5964 3 года назад
thnq so much man. it helped me a lot.Excellent explanation
@Aditigoyal1997
@Aditigoyal1997 4 года назад
Thank you for this amazing explanation.
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
@stevenaguilar8697
@stevenaguilar8697 4 года назад
I'm impress what a great explanation!
@BackToBackSWE
@BackToBackSWE 4 года назад
Glad it was helpful
@arunadang2130
@arunadang2130 4 года назад
The explanation is perfect but It will be great if you also explain a clean code with the explanation. So that we don't have to search for the code.
@BackToBackSWE
@BackToBackSWE 4 года назад
thanks and the respository is deprecated - we only maintain backtobackswe.com now.
@aaryadeshpande1621
@aaryadeshpande1621 Год назад
At 13:22, I think 0, (next row) 10, 20, (next row), 15, 30, but 15 is where I get confused since shouldn't the number in 15's place be larger than 20? I thought each number increases as you go from left to right, then down to the next row below, keeps increasing.
@nyahhbinghi
@nyahhbinghi 5 лет назад
In order to insert and keep tree complete/balanced, seems like we need to use breadth first search, and find first node without a right child?
@BackToBackSWE
@BackToBackSWE 5 лет назад
No breadth first search, the heap will be encoded into an array. View the heap sort video.
@miguelalbertooxa8699
@miguelalbertooxa8699 4 года назад
As soon as I get a job I'll pay your course. Others courses that I paid didn't work for me :( Well at least I didn't spend too much $ back then.
@BackToBackSWE
@BackToBackSWE 4 года назад
No need. Just tell people about us.
@34521ful
@34521ful 5 лет назад
Would the only time you'd prefer a priority queue over a tree set is if you may have duplicate elements? It's like the only reason I could think of
@BackToBackSWE
@BackToBackSWE 5 лет назад
What are the use cases? And what do you mean by tree set? The Java implementation of the Set ADT?
@mmaranta785
@mmaranta785 3 года назад
You’re an awesome teacher!
@millermeares6676
@millermeares6676 5 лет назад
This man knows his shit.
@BackToBackSWE
@BackToBackSWE 5 лет назад
lol
@ttoktassynov
@ttoktassynov 4 года назад
great explanation! thanks!
@BackToBackSWE
@BackToBackSWE 4 года назад
sure
Далее
2.6.3 Heap - Heap Sort - Heapify - Priority Queues
51:08
8 Data Structures Every Programmer Should Know
17:09
Просмотров 98 тыс.