Convert Integer to String

Code

#include <stdio.h>

void print_integer_as_string(int num) {
    // Your logic here 
    if (num == 0) {
        printf("0");
        return;
    }

    int i = 0, is_negative = 0;  
    char buff[10];

    if (num < 0) {
        is_negative = 1;
        num = -num;
    }

    while (num) {
        buff[i++] = (num % 10) + '0';
        num = num / 10;
    }

    if (is_negative) {
        buff[i++] = '-';
    }

    for (int j = i-1; j >= 0; j--) {
        printf("%c ", buff[j]);
    }

}

int main() {
    int num;
    scanf("%d", &num);
    print_integer_as_string(num);
    return 0;
}

Solving Approach

 

 

 

Upvote
Downvote
Loading...

Input

123

Expected Output

1 2 3