web-dev-qa-db-ja.com

文字列をバイナリに変換する最速の方法は?

文字列クラスを使用して文字列をバイナリに変換したいです。この文字を文字ごとにすばやく実行する方法は何ですか。ループ?または、私のために変換する機能がそこにありますか? 1と0のバイナリ。

次の文字列:

#include <string>
using namespace std;
int main(){
  myString = "Hello World";
}
15
Derp

std::bitsetを使用すると動作します:

#include <string>
#include <bitset>
#include <iostream>
using namespace std;
int main(){
  string myString = "Hello World";
  for (std::size_t i = 0; i < myString.size(); ++i)
  {
      cout << bitset<8>(myString.c_str()[i]) << endl;
  }
}

出力:

01001000
01100101
01101100
01101100
01101111
00100000
01010111
01101111
01110010
01101100
01100100
36
Jesse Good

メソッドでこれを使用してみてください。例:

#include <iostream>
#include <bitset>
using namespace std;

string TextToBinaryString(string words) {
    string binaryString = "";
    for (char& _char : words) {
        binaryString +=bitset<8>(_char).to_string();
    }
    return binaryString;
}
int main()
{
    string testText = "Hello World";
    cout << "Test text: " << testText << "!\n";
    cout << "Convert text to binary: " << TextToBinaryString(testText) << "!\n";

    return 0;
}

結果コード:

Test text: Hello World!                                                                                                                                                                                 
Convert text to binary: 0100100001100101011011000110110001101111001000000101011101101111011100100110110001100100!
0