###############問題文###
長さ N のバイナリ文字列 str が与えられます。この文字列のすべての順列を検索し、それらを 10 進数値に変換し、すべての一意の 10 進数値を返す必要があります。 ###例### ###入力### リーリー ###出力### リーリー
イラスト
イラスト
最初の方法では、バックトラッキングを使用してバイナリ文字列のすべての順列を取得します。その後、バイナリの順列を 10 進数値に変換し、このセットを使用して一意の 10 進数値を選択します。 pow() メソッドと for ループを使用して 10 進数を 2 進数に変換します。
###アルゴリズム###ステップ 2
ステップ 2.2
ステップ 2.3
ステップ 2.4
ステップ 2.5
ステップ 3
ステップ 4
ステップ 4.1
ステップ 4.2
ステップ 4.3
ステップ 5
ステップ 6
###例### リーリー ###出力### リーリー
- O(n!)。すべての順列を見つけるためにバックトラッキングを使用するため、「getBinaryPermutations()」関数の時間計算量は「n!」です。 bToD() 関数の時間計算量は O(n) です。
- O(n!)。各文字列には n! 順列があり、それをリストに保存します。
このアプローチでは、バックトラッキング メソッドの代わりに C の next_permutation() 関数を使用してバイナリ文字列の置換を生成します。また、2進数から10進数への変換方法も変更しました。 ###アルゴリズム###
- sort() メソッドは、バイナリ文字列を並べ替えるために使用されます。
- do-while ループを使用して、文字列の各順列を反復処理します。
ステップ 4.1
ステップ 4.2
ステップ 4.3
ステップ 4.4
ステップ 5
ステップ 6
ステップ 7
#include <iostream> #include <algorithm> #include <set> using namespace std; int bToD(string num){ int decimal_number = 0; // Initializing base value to 1, and it increases by power of 2 in each iteration int currentBase = 1; for (int i = num.length() - 1; i >= 0; i--){ if (num[i] == '1'){ decimal_number += currentBase; } currentBase = currentBase * 2; } return decimal_number; } void getDecimalPermutations(string str){ // create set set<int> allNumbers; // sort the string sort(str.begin(), str.end()); do { // convert binary string to decimal int result = bToD(str); // insert the decimal number to set allNumbers.insert(result); // get the next permutation } while (next_permutation(str.begin(), str.end())); //Print all distinct decimal numbers cout << "All decimal numbers which we can achieve using permutations are " << endl; for (auto num : allNumbers) cout << num << " "; cout << endl; } int main(){ string bString = "101"; getDecimalPermutations(bString); return 0; }
All decimal numbers which we can achieve using permutations are 3 5 6
时间复杂度 - O(n*n!)。这里,next_permutations() 需要 O(n) 时间来找到一个排列,并且我们正在找到总共 n!排列。
空间复杂度 - O(n!),因为我们将所有排列存储在列表中。
我们学习了不同的方法来获取通过给定二进制字符串的所有排列获得的唯一十进制值。在第一种方法中,我们使用了回溯;在第二种方法中,我们使用了 next_permutation() 方法。
第二种方法的代码更清晰,但需要更多的时间和复杂性。
以上がバイナリ文字列のすべての順列を生成することで得られるさまざまな数値の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。