【分享】在PetaLinux裡為模組建立補丁
阿新 • • 發佈:2020-11-27
題目描述: 給你一個整數陣列\(arr\)。請你將陣列中的元素按照其二進位制表示中數字 1 的數目升序排序。如果存在多個數字二進位制中1的數目相同,則必須將它們按照數值大小升序排列。請你返回排序後的陣列。
輸入:arr = [0,1,2,3,4,5,6,7,8]
輸出:[0,1,2,4,8,3,5,6,7]
解釋:[0] 是唯一一個有 0 個 1 的數。
[1,2,4,8] 都有 1 個 1 。
[3,5,6] 有 2 個 1 。
[7] 有 3 個 1 。
按照 1 的個數排序得到的結果陣列為 [0,1,2,4,8,3,5,6,7]
輸入:arr = [1024,512,256,128,64,32,16,8,4,2,1]
輸出:[1,2,4,8,16,32,64,128,256,512,1024]
解釋:陣列中所有整數二進位制下都只有 1 個 1 ,所以你需要按照數值大小將它們排序。
class Solution { public: int get(int x){ int res = 0; while (x) { res += (x % 2); x /= 2; } return res; } vector<int> sortByBits(vector<int>& arr) { vector<int> bit(10001, 0); for (auto x: arr) { bit[x] = get(x); } sort(arr.begin(),arr.end(),[&](int x,int y){ if (bit[x] < bit[y]) { return true; } if (bit[x] > bit[y]) { return false; } return x < y; }); return arr; } };
class Solution { public: vector<int> sortByBits(vector<int>& arr) { vector<int> bit(10001, 0); for (int i = 1;i <= 10000; ++i) { bit[i] = bit[i>>1] + (i & 1); } sort(arr.begin(),arr.end(),[&](int x,int y){ if (bit[x] < bit[y]) { return true; } if (bit[x] > bit[y]) { return false; } return x < y; }); return arr; } };
class Solution {
public:
class myComparison{
public:
bool operator() (const pair<int, int>& pair_first, const pair<int, int>& pair_second){ // first表示數值的大小, second 表示數值中1的個數
if( pair_first.second > pair_second.second ){
return true;
}else if ( pair_first.second < pair_second.second ){
return false;
}else {
return pair_first.first > pair_second.first;
}
}
};
vector<int> sortByBits(vector<int>& arr) {
priority_queue<pair<int, int>, vector<pair<int,int>>, myComparison> pq;
vector<int> temp (arr.begin(), arr.end());
int n = temp.size();
// unordered_map<int, int> map;
vector<pair<int,int>> map;
for(int i = 0; i < n; i++){
int count = 0;
while(temp[i] > 0){
count++;
temp[i] = temp[i] & (temp[i] - 1);
}
map.push_back({arr[i], count});
}
for(auto it = map.begin(); it != map.end(); it++){
cout<< " it->first = "<< it->first <<" i->second = " << it->second <<endl;
pq.emplace(*it);
}
vector<int> res;
while (!pq.empty()){
res.push_back(pq.top().first);
pq.pop();
}
return res;
}
};