C++ - Ondalıktan ikiliye dönüştürme

Ondalık sayıyı ikilik sayıya dönüştüren basit (30 dakikamı aldı) bir program yazdım. Çok daha basit bir yolu olduğundan eminim, bana gösterebilir misiniz? İşte kod:

#include <iostream>
#include <stdlib.h>

using namespace std;
int a1, a2, remainder;
int tab = 0;
int maxtab = 0;
int table[0];
int main()
{
    system("clear");
    cout << "Enter a decimal number: ";
    cin >> a1;
    a2 = a1; //we need our number for later on so we save it in another variable

    while (a1!=0) //dividing by two until we hit 0
    {
        remainder = a1%2; //getting a remainder - decimal number(1 or 0)
        a1 = a1/2; //dividing our number by two
        maxtab++; //+1 to max elements of the table
    }

    maxtab--; //-1 to max elements of the table (when dividing finishes it adds 1 additional elemnt that we don't want and it's equal to 0)
    a1 = a2; //we must do calculations one more time so we're gatting back our original number
    table[0] = table[maxtab]; //we set the number of elements in our table to maxtab (we don't get 10's of 0's)

    while (a1!=0) //same calculations 2nd time but adding every 1 or 0 (remainder) to separate element in table
    {
        remainder = a1%2; //getting a remainder
        a1 = a1/2; //dividing by 2
        table[tab] = remainder; //adding 0 or 1 to an element
        tab++; //tab (element count) increases by 1 so next remainder is saved in another element
    }

    tab--; //same as with maxtab--
    cout << "Your binary number: ";

    while (tab>=0) //until we get to the 0 (1st) element of the table
    {
        cout << table[tab] << " "; //write the value of an element (0 or 1)
        tab--; //decreasing by 1 so we show 0's and 1's FROM THE BACK (correct way)
    }

    cout << endl;
    return 0;
}

Bu arada biraz karışık ama elimden geleni yaptım.

Düzenleme - İşte kullandığım çözüm:

std::string toBinary(int n)
{
    std::string r;
    while(n!=0) {r=(n%2==0 ?"0":"1")+r; n/=2;}
    return r;
}

[std::bitset][1], metin gösterimini ikili olarak tutan ve başında sıfır dolgu bulunan bir std::string döndüren bir .to_string() yöntemine sahiptir.

Verileriniz için bit kümesinin genişliğini gerektiği gibi seçin, örneğin 32 bitlik tamsayılardan 32 karakterlik dizeler elde etmek için std::bitset.


#include 
#include 

int main()
{
    std::string binary = std::bitset(128).to_string(); //to binary
    std::cout
Yorumlar (3)

Bir int değişkeni ondalık değil, ikiliktir. Aradığınız şey, sayının ikili bir dize gösterimidir; bunu da tek tek bitleri filtreleyen bir maske uygulayarak ve ardından bunları yazdırarak elde edebilirsiniz:


for( int i = sizeof(value)*CHAR_BIT-1; i>=0; --i)
    cout 
Yorumlar (0)

Şöyle bir şey yapmak istiyorsun:


cout > a1;
cout 
Yorumlar (1)