我用C++寫了堆實現後的今天我才知道,有在C++ 11的內置功能,可以使任何範圍基礎容器堆。爲什麼is_heap()不驗證由我創建堆,雖然它是有效的概念
因此,出於好奇,我使用我自己的實現將一個向量轉換爲堆,並使用函數make_heap()
,然後在它們兩個上運行is_heap()
。
使用make_heap()
驗證爲true
,但我的沒有,即使它在技術上是有效的。
源代碼和截圖下面
頭文件
#include <iostream>
#include <vector>
#include <algorithm>
#include <functional>
#include <cmath>
using namespace std;
主要heapify功能
vector<int> heapify(vector<int> nums, string const & type) {
int n = nums.size();
for (int i = n - 1; i >= 0; i--) {
int parent = floor((i-1)/2);
if (parent >= 0) {
if (type == "min") {
if (nums[i] < nums[parent]) {
swap(nums[i], nums[parent]);
}
} else {
if (nums[i] > nums[parent]) {
swap(nums[i], nums[parent]);
}
}
}
}
return nums;
}
功能可構建堆
vector<int> buildHeap(vector<int> const & nums, string const & type) {
vector<int> heap;
int n = nums.size();
for (int i = 0; i < n; i++) {
heap.push_back(nums[i]);
if (!heap.empty()) {
heap = heapify(heap, type);
}
}
return heap;
}
取出最上面的元件上
int getTop(vector<int> & nums, string const & type) {
int n = nums.size();
if (n < 0) {
throw string("Size of array is less than 0");
} else {
int minElem = nums[0];
swap(nums[0], nums[n-1]);
nums.pop_back();
nums = heapify(nums, type);
return minElem;
}
}
主要功能
int main()
{
vector<int> nums = {45, 56, 78, 89, 21, 38, 6, 67, 112, 45, 3, 1};
vector<int> heap = buildHeap(nums, "min");
for (int num : heap) {
cout << num << " ";
}
cout << "\n";
cout << std::is_heap(nums.begin(), nums.end(), greater<int>()) << "\n";
make_heap(nums.begin(), nums.end(), greater<int>());
for (int num : nums) {
cout << num << " ";
}
cout << "\n";
cout << std::is_heap(nums.begin(), nums.end(), greater<int>()) << "\n";
return 0;
}
截圖上控制檯和驗證輸出的https://www.cs.usfca.edu/~galles/visualization/Heap.html
您的謂詞是相反的 –
在哪裏?你能指出我錯在哪裏的源代碼或邏輯嗎? – deadpoolAlready
請重構您的發佈代碼,這樣我就可以直接剪切/粘貼到我的IDE中。那麼我會更新它,告訴你在哪裏 –