I got stuck in a univ project as follows: I was doing it before I knew the format of the input, so I started reading it with %s, and it was a char[32]. Then when the project was released, I realized I needed to read the input as int. So now I started to read it as int and now I don't want to make again all other functions I made, and they are receiving the arguments as an array of chars (char[32]). So I made a function to convert the int value to int*, because I can't return char[32]. Hence I did, on main, a simple for to pass the values in int* to char[32]. The problem is that, when I print it on main, I see exactly the same values, but when I pass this new char[32] to my functions, I get a bug now. I guess my problem is because of '\0' or something like this.
A simple demonstration is below:
int* convert_dec_to_bin(int n){
    printf("\n");
    int i, j, k;
    int *bits;
    bits = (char*)malloc(32*sizeof(int));
    for(i = 31, j = 0; i >= 0; --i){
        printf("%d", n & 1 << i ? 1 : 0);
        if(n & 1 << i){
            bits[j] = 1;
        }else{
            bits[j] = 0;
        }
        j++;
    }
    printf("\n");
    return bits;
}
int main(){
    int i, k, instructionNameInt;
    char type;
    int *bits;
    char bitsC[32];
    //char instructionBinary[32]; I was reading like this before, ignore this line
    int instructionBinary; //Now I read like this
    scanf("%d", &instructionBinary);
    bits = convert_dec_to_bin(instructionBinary); //This is a function where I pass the int decimal input to 32 bits in binary as int*.
    //Making probably the wrong conversion here, I tried to put '\0' in the end but somehow I failed
    for(k = 0; k < 32; k++){
        bitsC[k] = bits[k];
    }
    printf("\n");
    type = determine_InstructionType(bitsC);
    printf("TYPE: %c\n", type);
    instructionNameInt = determine_InstructionName(bitsC, type);
    And several other functions...
Can someone light me up how can I fix it? I spent several hours and still didn't achieve to pass this correctly to an array of chars.
