web-dev-qa-db-fra.com

Le moyen le plus rapide de convertir une chaîne en binaire?

Je veux convertir une chaîne, en utilisant la classe string - en binaire. Quel est le moyen rapide de faire ce caractère par caractère. Boucle? Ou y a-t-il une fonction qui convertira pour moi? 1 et 0 binaire.

Une ficelle étant:

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

Utiliser std::bitset fonctionnerait:

#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;
  }
}

Sortie:

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

Essayez d'utiliser ceci avec la méthode. Exemple:

#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;
}

code de résultat:

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