why the last number in doted decimal is not converted to binary? - c
#include<stdio.h>
#include<string.h>
#include <math.h>
long long convertDecimalToBinary(int n);
int main() {
int verify;
long long bip, dip;
char str1[100];
printf("Enter dotted decimal ip address :\n");
scanf("%s",str1);
verify = bin_verify(str1);
seperate(str1);
return 0;
}
int bin_verify(char str1[]) {
int i;
for(i = 0; i < strlen(str1); i++) {
if((str1[i] < 255) && (str1[i] > 0)) {
return 1;
}
}
}
// function to get first decimal no sepreted
int seperate(char str1[]) {
int s1, s2, s3, s4;
int i, j, k = 0, m, cnt = 0, cnt1 = 0, pos = 0;
char a[4], str2[100];
for(i = 0; i < strlen(str1); i++) {
pos = cnt;
if(str1[i] == '.') {
k = i;
pos = cnt;
for(j = 0; j < i; j++) {
a[j] = str1[k-cnt];
cnt = cnt - 1;
}
break;
}
else {
cnt++;
//goto one;
}
}
for(m = 0; m <= pos; m++) {
str1++;
}
s1 = atoi(a);
s1 = convertDecimalToBinary(s1);
printf("Binary Format of IP :\n");
printf("%d.",s1);
seperate2(str1);
return 0;
}
// function to get second decimal no sepreted
int seperate2(char str1[]) {
int s1, s2, s3, s4;
int i, j, k = 0, m, cnt = 0, cnt1 = 0, pos = 0;
char a[4], str2[100];
for(i = 0; i < strlen(str1); i++) {
pos = cnt;
if(str1[i] == '.') {
k = i;
pos = cnt;
for(j = 0; j < i; j++) {
a[j] = str1[k-cnt];
cnt = cnt - 1;
}
break;
}
else {
cnt++;
//goto one;
}
}
for(m = 0; m <= pos; m++) {
str1++;
}
s2 = atoi(a);
s2 = convertDecimalToBinary(s2);
printf("%d.",s2);
seperate3(str1);
return 0;
}
// function to get third decimal no sepreted
int seperate3(char str1[]) {
int s1, s2, s3, s4;
int i, j, k = 0, m, cnt = 0, cnt1 = 0, pos = 0;
char a[4], str2[100];
for(i = 0; i < strlen(str1); i++) {
pos = cnt;
if(str1[i] == '.') {
k = i;
pos = cnt;
for(j = 0; j < i; j++) {
a[j] = str1[k-cnt];
cnt = cnt - 1;
}
break;
}
else {
cnt++;
//goto one;
}
}
for(m = 0; m <= pos; m++) {
str1++;
}
s3 = atoi(a);
s3 = convertDecimalToBinary(s3);
printf("%d.",s3);
seperate4(str1);
return 0;
}
// function to get fourth decimal no sepreted
int seperate4(char str1[]) {
int s1, s2, s3, s4;
int i, j, k = 0, m, cnt = 0, cnt1 = 0, pos = 0;
char a[4], str2[100];
for(i = 0; i < strlen(str1); i++) {
pos = cnt;
if(str1[i] == '.') {
k = i;
pos = cnt;
for(j = 0; j < i; j++) {
a[j] = str1[k-cnt];
cnt = cnt - 1;
}
break;
}
else {
cnt++;
}
}
for(m = 0; m <= pos; m++) {
str1++;
}
s4 = atoi(a);
s4 = convertDecimalToBinary(s4);
printf("%d\n",s4);
return 0;
}
//to convert decimal to binary
long long convertDecimalToBinary(int n)
{
//printf("%d", n);
long long binaryNumber = 0;
int remainder, i = 1,step=0;
while (n!=0)
{
remainder = n%2;
// printf("Step %d: %d/2, Remainder = %d, Quotient = %d\n", step++, n, remainder, n/2);
n /= 2;
binaryNumber += remainder*i;
i *= 10;
}
return binaryNumber;
}
output:
Enter dotted decimal ip address :
192.15.7.4
Binary Format of IP :
11000000.1111.111.0
I want to convert ip address to binary but,
It always return 0 as binary of last decimal number.
why it is not performing seperate4() function?
What you have done wrong is already listed in the comments but you are doing it overly complicated, nearly Rube-Goldberg like. It is quite simple and can be done without any complicated tricks.
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
// ALL CHECKS OMMITTED!
char *int8_to_bin(int n, char *buf)
{
int i = 8;
// we need an unsigned integer for the bit-juggling
// because of two's complement numbers.
// Not really needed here because the input is positive
unsigned int N;
// check for proper size
if (n < 0 || n > 255) {
return NULL;
}
// is safe now
N = (unsigned int) n;
// we work backwards here, least significant bit first
// but we want it least significant bit last.
while (i--) {
// make a (character) digit out of an integer
buf[i] = (char) (N & 0x1) + '0';
// shift one bit to the right and
// drop the least significant bit by doing it
N >>= 1;
}
// return the pointer to the buffer we got (for easier use)
return buf;
}
int main(int argc, char **argv)
{
// keeps the intermediate integer
int addr;
// command-line argument, helper for strtol() and int8_to_bin()
char *s, *endptr, *cp;
// buffer for int8_to_bin() to work with
// initialize to all '\0';
char buf[9] = { '\0' };
// array holding the end-result
// four 8-character groups with three periods and one NUL
char binaddr[4 * 8 + 3 + 1];
// iterator
int i;
if (argc < 2) {
fprintf(stderr, "Usage: %s dotted_ipv4\n", argv[0]);
exit(EXIT_FAILURE);
}
// set a pointer pointing to the first argument as a shortcut
s = argv[1];
// the following can be done in a single loop, of course
// strtol() skips leading spaces and parses up to the first non-digit.
// endptr points to that point in the input where strtol() decided
// it to be the first non-digit
addr = (int) strtol(s, &endptr, 0);
// work on copy to check for NULL while keeping the content of buf
// (checking not done here)
cp = int8_to_bin(addr, buf);
// if(cp == NULL)...
// copy the result to the result-array
// cp has a NUL, is a proper C-string
strcpy(binaddr, cp);
// rinse and repeat three times
for (i = 1; i < 4; i++) {
// skip anything between number and period,
// (or use strchr() to do so)
while (*endptr != '.'){
endptr++;
}
// skip the period itself
endptr++;
// add a period to the output
strcat(binaddr, ".");
// get next number
addr = (int) strtol(endptr, &endptr, 0);
cp = int8_to_bin(addr, buf);
// if(cp == NULL)...
strcat(binaddr, cp);
}
printf("INPUT: %s\n", s);
printf("OUTPUT: %s\n", binaddr);
exit(EXIT_SUCCESS);
}
We don't need a complicated parsing algorithm, strtol() does it for us, we just need to find the next period ourselves. The size of all in- and output is known and/or can be easily checked if they are inside their limits--e.g.: no need for tedious and error-prone memory allocations, we can use fixed size buffers and strcat().
There is a principle, that holds not only in the Navy but also in programming: KISS.
Related
Iterate Over Char Array Elements in C
This code is supposed to take a user's input and convert it to binary. The input is grouped into an integer array to store character codes and/or adjacent digits, then each item in the integer array is converted to binary. When the user types "c357", "c" should be converted to 99, then converted to binary. Then, "357" should be converted to binary as well. In the main() function, strlen(convert) does not accurately represent the number of items in array convert, thus only iterating over the first array item. #include <stdio.h> #include <stdlib.h> #include <ctype.h> #include <unistd.h> #include <string.h> #define EIGHT_BITS 255 #define SIXTEEN_BITS 65535 #define THIRTY_TWO_BITS 4294967295UL // DETERMINE NUMBER OF BITS TO OUTPUT int getBitLength(unsigned long d) { int l; if (d <= EIGHT_BITS) { l = 8; } else if (d > EIGHT_BITS && d <= SIXTEEN_BITS) { l = 16; } else if (d > SIXTEEN_BITS && d <= THIRTY_TWO_BITS) { l = 32; } return l; } // CONVERT INPUT TO BINARY VALUE char* convertToBinary(unsigned long int decimal) { int l = getBitLength(decimal); static char b[33]; char bin[33]; int i, j, k = 0, r; b[33] = '\0'; bin[33] = '\0'; printf("Bits................ %ld\n", l); // creates array for (i = 0; i < l; i++) { r = decimal % 2; decimal /= 2; b[i] = r; } // reverses array for binary value for (j = l - 1; j >= 0; j--) { bin[k] = b[j]; strncpy(&bin[k], &b[j], l); snprintf(&bin[k], l, "%d", b[j]); k++; } printf("Binary Value: %s\n", bin); return bin; } unsigned long int* numbersToConvert(char* input) { const int MAX_INPUT = 20; int i, k = 0, z = 0; char numbers[MAX_INPUT]; unsigned long int *toConvert = malloc(MAX_INPUT * sizeof(int)); numbers[MAX_INPUT] = '\0'; for (i = 0; i < strlen(input); i++) { if (isdigit(input[i])) { numbers[z] = input[i]; if (!isdigit(input[i + 1])) { toConvert[k] = strtol(numbers, NULL, 10); printf("----- %ld -----\n", toConvert[k]); z = 0; } else { z++; } } else { printf("----- %c -----\n", input[i]); printf("Character Code: %d\n", input[i]); toConvert[k] = (unsigned long int) input[i]; } k++; } return toConvert; } int main(void) { const int MAX_INPUT = 20; int i, p; char input[MAX_INPUT]; unsigned long int* convert; printf("------- Input --------\n"); scanf("%s", input); input[MAX_INPUT] = '\0'; // PRINT INPUT AND SIZE printf("\nInput: %s\n", input); convert = numbersToConvert(input); convert[MAX_INPUT] = '\0'; printf("strlen: %ld\n", strlen(convert)); for (i = 0; i < strlen(convert); i++) { printf("num array: %ld\n", convert[i]); convertToBinary(convert[i]); } return 0; } I have attempted to null terminate each string to prevent undefined behavior. I am unsure if certain variables, if any, are meant to be static.
It is hard to read your code. Here you have something working (converting the number to binary): static char *reverse(char *str) { char *end = str + strlen(str) - 1; char *saved = str; int ch; while(end > str) { ch = *end; *end-- = *str; *str++ = ch; } return saved; } char *tostr(char *buff, unsigned long long val) { if(buff) { char *cpos = buff; while(val) { *cpos++ = (val & 1) + '0'; val >>= 1; } *cpos = 0; reverse(buff); } return buff; } int main() { char buff[128]; printf("%s\n", tostr(buff, 128)); } https://godbolt.org/z/6sRC4C
Problem with stack algorithm to obtain the greatest number after remove n digits
I am working on a stack algorithm that obtains the greatest number after removing N digits from any given number. Given N and a number with k digits, obtain the greatest number after removing N first digits from the given k digit number. For example: 38271 and N=2 => The greatest number is 871 In my approach, I'm trying to read a sequence of numbers and digits to remove and get the greatest element of each one of them. #include <stdio.h> #include <stdlib.h> #include <string.h> #include "pilha.h" int main() { int m = 0, j; scanf("%d", &m); /* reads the number of sequences */ getchar(); for(j = 0; j < m; j++) { char *str = NULL; int ch; size_t size = 0, len = 0; /* Read char by char, allocating memory space when needed */ while ((ch=getchar()) != EOF && ch != '\n') { if (len + 1 >= size) { size = size * 2 + 1; str = realloc(str, sizeof(char)*size); if (str == NULL) { return EXIT_FAILURE; } } str[len++] = ch; } str[len] = '\0'; printf("%s\n", str); char delim[] = " "; char *ptr = strtok(str, delim); /* split the string number from the number of removing digits */ char *aux[2]; int x = 0; while (ptr != NULL) { if (x > 1) { break; } aux[x] = ptr; /* stores into a variable to use later */ ptr = strtok(NULL, delim); x++; } int tam = strlen(aux[0]); printf("\nThe tam is : %d\n", tam); char number[tam]; strcpy(number, aux[0]); /* copy to a new variable called number */ printf("\nThe number string is : %s\n", number); int n = atoi(aux[1]); /* converting second parameter (number of removing digits) to integer */ printf("\nThe splitted number is : %d\n", n); free(str); /* Converts the string number to integer */ int arrayOfNumberDigits[tam]; for (int l = 0 ; l < tam ; l++) { int data = number[l] - '0'; arrayOfNumberDigits[l] = data; } int limit = tam - n; /* variable that holds the limit of digits of future greatest number */ struct Stack* stack = createStack(limit); // push(stack, arrayOfNumberDigits[0]); /* push the first element to stack */ int i = 0, stackSize = 0, helper = 0; for (i = 0; i < tam; i++) { while (!isEmpty(stack) && (arrayOfNumberDigits[i] > peek(stack)) && ((tam - i) >= limit)) { printf("%d popped from stack\n", pop(stack)); helper++; } stackSize = stackSize - helper; if (stackSize < limit) { push(stack, arrayOfNumberDigits[i]); stackSize++; } } if (!isFull(stack)) { int x = 0; for(x = (tam - limit); x < tam; x++) { pop(stack); } } reverse(stack); while (!isEmpty(stack)) { printf("%d", pop(stack)); } printf("\n"); free(stack); } return EXIT_SUCCESS; } Sadly, my current implementation does not work for cases like 192340623 with N=2. The problem is inside this piece of code, but I couldn't find what it is: int i = 0, stackSize = 0, helper = 0; for (i = 0; i < tam; i++) { while (!isEmpty(stack) && (arrayOfNumberDigits[i] > peek(stack)) && ((tam - i) >= limit)) { printf("%d popped from stack\n", pop(stack)); helper++; } stackSize = stackSize - helper; if (stackSize < limit) { push(stack, arrayOfNumberDigits[i]); stackSize++; } } Can somebody help find the issue in my current implementation, please?
Continued Power Function Message
I keep getting the error message that my I have an undefined reference to the power function, but I'm not really sure where that is occurring or why my code is coming up with that error because I have used to power function before in this way. If anyone could help me figure out why it isn't working now I would really appreciate it. #include "stdio.h" #include "string.h" //Needed for strlen() #include "math.h" #define MAX_BITS 32 #define MAX_LENGTH 49 #define NUMBER_TWO 2 #define NUMBER_ONE 1 #define TERMINATOR '\0' //Code to find the index of where the string ends int last_index_of(char in_str[], char ch) { for (int i = 0; i < MAX_LENGTH; i++) { if(in_str[i] == ch) { last_index_of == i; } } return last_index_of; } //Code to find the start of the fractional aspect void sub_string(char in_str[], char out_str[], int start, int end){ int i = 0; while (i < 1) { out_str[i] = in_str[start] + in_str[end-1]; i++; } } int main() { //Declaration of variable char input[MAX_LENGTH +1]; // +1 for '\0' int number; double exponent; char output[MAX_BITS]; int fraction; sub_string(input, output, 0, TERMINATOR); //Input from the user printf("Enter a floating point value in binary: "); scanf("%s", input); //Calculates the Decimal Part for (int i = 0; i < last_index_of(input, TERMINATOR) ; i++) { number = number + number + input[i]; } printf("%d", number); exponent = -1; //Calculates the Fractional Part for (int j = 0; j < last_index_of(input, TERMINATOR); j++) { if (j == last_index_of) { fraction = NUMBER_ONE/(pow(NUMBER_TWO, exponent)); printf("%d/n", fraction); } else { fraction = NUMBER_ONE/(pow(NUMBER_TWO, exponent)); printf("%d + ", fraction); exponent--; } } return 0; }
Some problems: you need -lm option to linker to tell it where to find pow function last_index_of is not correctly written, you use the function name as an internal variable, you can correct it this way: //Code to find the index of where the string ends int last_index_of(char in_str[], char ch) { int ret = 0; for (int i = 0; i < MAX_LENGTH; i++) { if(in_str[i] == ch) { ret = i; } } return ret; } Note that you can replace your last_index_of() function by strlen() as pointed in comment, sub_string() is not functionnal. A corrected version could be: //Code to find the start of the fractional aspect void sub_string(char in_str[], char out_str[], int start, int end){ int i = 0; while (start != end) { /* warning, bounds are still not tested...*/ out_str[i++] = in_str[start++]; } out_str[i] = '\0' } Instead of calling last_index_of() in your exist for loop condition, you should take its value to re-use it: for (int j = 0; j < last_index_of(input, TERMINATOR); j++) { /* Error here: will never be TRUE */ if (j == last_index_of) { /* ... */ } else { /* ... */ } } would become: int last_index = last_index_of(input, TERMINATOR); for (int j = 0; j < last_index; j++) { if (j == last_index) { /* ... */ } else { /* ... */ } } Another problem, you use number variable without initializing it, you should write int number = 0 instead of int number; After that, there is also a problem with your logic. You have some idea of what you want to do, but it is not clear in your code. It seems that you want the user to input some string in the form 10010.100111 to split this string into two parts 10010 and 100111 to convert the first part into integer part 10010 -> 18 to convert the second part into fractional part 100111 -> 0.609... This decomposition may lead you to write this kind of code: #include "stdio.h" #include "string.h" #define MAX_BITS 32 #define MAX_LENGTH 49 //Code to find the index of where the string ends int last_index_of(char in_str[], char ch) { int ret = 0; for (int i = 0; i < MAX_LENGTH; i++) { if (in_str[i] == ch) { ret = i; } } return ret; } void sub_string(char in_str[], char out_str[], int start, int end) { int i = 0; while (start != end) { /* warning, bounds are still not tested... */ out_str[i++] = in_str[start++]; } out_str[i] = '\0'; } void split(char *input, char *first, char *second) { int idx = last_index_of(input, '.'); sub_string(input, first, 0, idx); sub_string(input, second, idx + 1, strlen(input)); } int main() { //Declaration of variable char input[MAX_LENGTH + 1]; // +1 for '\0' char first[MAX_BITS]; char second[MAX_BITS]; /* Input from the user */ printf("Enter a floating point value in binary: "); scanf("%s", input); /* split integer and fractionnal parts */ split(input, first, second); /* decode integer part */ printf("integer part:\n"); for (int i = strlen(first) - 1, j = 1; i > -1; --i, j <<= 1) { if (first[i] == '1') { printf("%d ", j); } } /* decode frac part */ printf("\nfractionnal part:\n"); for (int i = 0; i < strlen(second); ++i) { if (second[i] == '1') { printf("1/%d ", 2 << i); } } return 0; }
convert each digit of a decimal number to correcsponding binary
I need to convert the string "12345678" to the value 00010010001101000101011001111000 (the value in binary only without the zeroes on the left). So I have written this code in c, the problem is that when I run it does nothing, just waits like there is an error until I stop it manually. Any ideas? #include <stdio.h> #include <string.h> void reduce(char string[]) { int i=0, j=0, k=0, cnt=0, tmp=4, num; char arr[4], result[4*strlen(string)]; for (i=0; i<strlen(string); i++) { num = atoi(string[i]); while (num != 0) { arr[j++] = num%2; num = num/2; tmp--; } while (tmp != 0) { arr[j++] = 0; tmp--; } j--; for (k=i*4; k<(i*4+4); k++) { result[k++] = arr[j--]; } j = 0; tmp = 4; } printf("The result is: \n"); for (i=0; i<4*strlen(result); i++) { printf("%d",result[i]); } printf("\n"); } int main() { char c[8] = "12345678"; reduce(c); return 0; }
Lots of small errors in your code, which makes it hard to pin-point a single error. Main problem seems to be you are confusing binary numbers (0, 1) with ASCII digits ("0", "1") and are mis-using string functions. as mentioned elsewhere, char c[8] = .. is wrong. atoi(string[i]) cannot work; it expects a string, not a char. Use `num = string[i]-'0'; arr[..] gets the value 'num%2, that is, a numerical value. Better to use '0'+num%2 so it's a character string. you increment k in result[k++] inside a loop that already increments k add result[k] = 0; at the end before printing, so strlen works correctly 4*strlen(result) is way too much -- the strlen is what it is. you might as well do a simple printf("%s\n", result); #include <stdio.h> #include <stdlib.h> #include <string.h> void reduce(char string[]) { int i=0, j=0, k=0, cnt=0, tmp=4, num; char arr[5], result[4*strlen(string)+1]; for (i=0; i<strlen(string); i++) { num = string[i]-'0'; while (num != 0) { arr[j++] = '0'+num%2; num = num/2; tmp--; } while (tmp != 0) { arr[j++] = '0'; tmp--; } arr[j] = 0; j--; for (k=i*4; k<(i*4+4); k++) { result[k] = arr[j--]; } j = 0; tmp = 4; } result[k] = 0; printf("The result is: \n"); for (i=0; i<strlen(result); i++) { printf("%c",result[i]); } printf("\n"); } int main() { char c[] = "12345678"; reduce(c); return 0; } .. resulting in The result is: 00010010001101000101011001111000
It seems from your example that the conversion you are attempting is to binary coded decimal rather than binary. That being the case your solution is somewhat over-complicated; you simply need to convert each digit to its integer value then translate the bit pattern to ASCII 1's and 0's. #include <stdio.h> void reduce( const char* c ) { for( int d = 0; c[d] != 0; d++ ) { int ci = c[d] - '0' ; for( unsigned mask = 0x8; mask != 0; mask >>= 1 ) { putchar( (ci & mask) == 0 ? '0' : '1' ) ; } } } On the other hand if you did intend a conversion to binary (rather than BCD), then if the entire string is converted to an integer, you can directly translate the bit pattern to ASCII 1's and 0's as follows: #include <limits.h> #include <stdlib.h> #include <stdio.h> void reduce( const char* c ) { unsigned ci = (unsigned)atoi( c ) ; static const int BITS = sizeof(ci) * CHAR_BIT ; for( unsigned mask = 0x01 << (BITS - 1); mask != 0; mask >>= 1 ) { putchar( (ci & mask) == 0 ? '0' : '1' ) ; } }
In your main(), do either char c[ ] = "12345678"; or char c[9] = "12345678"; if you want to use c as a string. Otherwise, it does not have enough space to store the terminating null character. Here, I took the liberty to modify the code accordingly to work for you. Check the below code. Hope it's self-explanatoty. #include <stdio.h> #include <string.h> void reduce(char string[]) { int i=0, j=0, k=0, cnt=0, count = 0; //count added, tmp removed char arr[4], result[ (4*strlen(string) )+ 1], c; //1 more byte space to hold null for (i=0; i<strlen(string); i++) { c = string[i]; count = 4; while (count != 0) { //constant iteration 4 times baed on 9 = 1001 arr[j++] = '0' + (c%2); //to store ASCII 0 or 1 [48/ 49] c = c/2; count--; } /* //not required while (tmp >= 0) { arr[j++] = 0; tmp--; } */ j--; for (k=(i*4); k<((i*4) +4); k++) { result[k] = arr[j--]; } j = 0; memset (arr, 0, sizeof(arr)); } result[k] = 0; printf("The result is: %s\n", result); //why to loop when we've added the terminating null? print directly. /* for (i=0; i< strlen(result); i++) { printf("%c",result[i]); } printf("\n"); */ } int main() { char c[ ] = "12345678"; reduce(c); return 0; } Output: [sourav#broadsword temp]$ ./a.out The result is: 00010010001101000101011001111000
Convert your string to an integer using int num = atoi(c). Then do int binary[50]; int q = num,i=0; while(q != 0) { binary[i++] = q%2; q = q/2; } Printing your binary array is reverse order will have your binary equivalent. Full program: #include<stdio.h> int main(){ char c[100]; int num,q; int binary[100],i=0,j; scanf("%d",c); num = atoi(c); q = num; while(q!=0){ binary[i++]= q % 2; q = q / 2; } for(j = i -1 ;j>= 0;j--) printf("%d",binary[j]); return 0; }
You can use the below reduce function. void reduce(char string[]) { unsigned int in = atoi(string) ; int i = 0, result[32],k,j; while (in > 0) { j = in % 10; k = 0; while (j > 0) { result[i++] = j % 2; j = j >> 1; k++; } while (k < 4) { result[i++] = 0; k++; } in = in/10; } printf("Result\n"); for(--i;i >= 0; i--) { printf("%d", result[i]); } printf("\n"); } For 12345678 the output would be 00010010001101000101011001111000, where each character is printed in its binary format.
It might need some adjustments, but it does the job as it is. #include <stdio.h> #include <stdlib.h> int main(void) { int i; int n; char *str = "12345678"; const int bit = 1 << (sizeof(n)*8 - 1); n = atoi(str); for(i=0; i < sizeof(n)*8 ; i++, n <<= 1) n&bit ? printf("1") : printf("0"); return 0; }
How to format a number using comma as thousands separator in C?
In C, how can I format a large number from e.g. 1123456789 to 1,123,456,789? I tried using printf("%'10d\n", 1123456789), but that doesn't work. Could you advise anything? The simpler the solution the better.
If your printf supports the ' flag (as required by POSIX 2008 printf()), you can probably do it just by setting your locale appropriately. Example: #include <stdio.h> #include <locale.h> int main(void) { setlocale(LC_NUMERIC, ""); printf("%'d\n", 1123456789); return 0; } And build & run: $ ./example 1,123,456,789 Tested on Mac OS X & Linux (Ubuntu 10.10).
You can do it recursively as follows (beware INT_MIN if you're using two's complement, you'll need extra code to manage that): void printfcomma2 (int n) { if (n < 1000) { printf ("%d", n); return; } printfcomma2 (n/1000); printf (",%03d", n%1000); } void printfcomma (int n) { if (n < 0) { printf ("-"); n = -n; } printfcomma2 (n); } A summmary: User calls printfcomma with an integer, the special case of negative numbers is handled by simply printing "-" and making the number positive (this is the bit that won't work with INT_MIN). When you enter printfcomma2, a number less than 1,000 will just print and return. Otherwise the recursion will be called on the next level up (so 1,234,567 will be called with 1,234, then 1) until a number less than 1,000 is found. Then that number will be printed and we'll walk back up the recursion tree, printing a comma and the next number as we go. There is also the more succinct version though it does unnecessary processing in checking for negative numbers at every level (not that this will matter given the limited number of recursion levels). This one is a complete program for testing: #include <stdio.h> void printfcomma (int n) { if (n < 0) { printf ("-"); printfcomma (-n); return; } if (n < 1000) { printf ("%d", n); return; } printfcomma (n/1000); printf (",%03d", n%1000); } int main (void) { int x[] = {-1234567890, -123456, -12345, -1000, -999, -1, 0, 1, 999, 1000, 12345, 123456, 1234567890}; int *px = x; while (px != &(x[sizeof(x)/sizeof(*x)])) { printf ("%-15d: ", *px); printfcomma (*px); printf ("\n"); px++; } return 0; } and the output is: -1234567890 : -1,234,567,890 -123456 : -123,456 -12345 : -12,345 -1000 : -1,000 -999 : -999 -1 : -1 0 : 0 1 : 1 999 : 999 1000 : 1,000 12345 : 12,345 123456 : 123,456 1234567890 : 1,234,567,890 An iterative solution for those who don't trust recursion (although the only problem with recursion tends to be stack space which will not be an issue here since it'll only be a few levels deep even for a 64-bit integer): void printfcomma (int n) { int n2 = 0; int scale = 1; if (n < 0) { printf ("-"); n = -n; } while (n >= 1000) { n2 = n2 + scale * (n % 1000); n /= 1000; scale *= 1000; } printf ("%d", n); while (scale != 1) { scale /= 1000; n = n2 / scale; n2 = n2 % scale; printf (",%03d", n); } } Both of these generate 2,147,483,647 for INT_MAX. All the code above is for comma-separating three-digit groups but you can use other characters as well, such as a space: void printfspace2 (int n) { if (n < 1000) { printf ("%d", n); return; } printfspace2 (n/1000); printf (" %03d", n%1000); } void printfspace (int n) { if (n < 0) { printf ("-"); n = -n; } printfspace2 (n); }
Here's a very simple implementation. This function contains no error checking, buffer sizes must be verified by the caller. It also does not work for negative numbers. Such improvements are left as an exercise for the reader. void format_commas(int n, char *out) { int c; char buf[20]; char *p; sprintf(buf, "%d", n); c = 2 - strlen(buf) % 3; for (p = buf; *p != 0; p++) { *out++ = *p; if (c == 1) { *out++ = ','; } c = (c + 1) % 3; } *--out = 0; }
Egads! I do this all the time, using gcc/g++ and glibc on linux and yes, the ' operator may be non-standard, but I like the simplicity of it. #include <stdio.h> #include <locale.h> int main() { int bignum=12345678; setlocale(LC_ALL,""); printf("Big number: %'d\n",bignum); return 0; } Gives output of: Big number: 12,345,678 Just have to remember the 'setlocale' call in there, otherwise it won't format anything.
Perhaps a locale-aware version would be interesting. #include <stdlib.h> #include <locale.h> #include <string.h> #include <limits.h> static int next_group(char const **grouping) { if ((*grouping)[1] == CHAR_MAX) return 0; if ((*grouping)[1] != '\0') ++*grouping; return **grouping; } size_t commafmt(char *buf, /* Buffer for formatted string */ int bufsize, /* Size of buffer */ long N) /* Number to convert */ { int i; int len = 1; int posn = 1; int sign = 1; char *ptr = buf + bufsize - 1; struct lconv *fmt_info = localeconv(); char const *tsep = fmt_info->thousands_sep; char const *group = fmt_info->grouping; char const *neg = fmt_info->negative_sign; size_t sep_len = strlen(tsep); size_t group_len = strlen(group); size_t neg_len = strlen(neg); int places = (int)*group; if (bufsize < 2) { ABORT: *buf = '\0'; return 0; } *ptr-- = '\0'; --bufsize; if (N < 0L) { sign = -1; N = -N; } for ( ; len <= bufsize; ++len, ++posn) { *ptr-- = (char)((N % 10L) + '0'); if (0L == (N /= 10L)) break; if (places && (0 == (posn % places))) { places = next_group(&group); for (int i=sep_len; i>0; i--) { *ptr-- = tsep[i-1]; if (++len >= bufsize) goto ABORT; } } if (len >= bufsize) goto ABORT; } if (sign < 0) { if (len >= bufsize) goto ABORT; for (int i=neg_len; i>0; i--) { *ptr-- = neg[i-1]; if (++len >= bufsize) goto ABORT; } } memmove(buf, ++ptr, len + 1); return (size_t)len; } #ifdef TEST #include <stdio.h> #define elements(x) (sizeof(x)/sizeof(x[0])) void show(long i) { char buffer[32]; commafmt(buffer, sizeof(buffer), i); printf("%s\n", buffer); commafmt(buffer, sizeof(buffer), -i); printf("%s\n", buffer); } int main() { long inputs[] = {1, 12, 123, 1234, 12345, 123456, 1234567, 12345678 }; for (int i=0; i<elements(inputs); i++) { setlocale(LC_ALL, ""); show(inputs[i]); } return 0; } #endif This does have a bug (but one I'd consider fairly minor). On two's complement hardware, it won't convert the most-negative number correctly, because it attempts to convert a negative number to its equivalent positive number with N = -N; In two's complement, the maximally negative number doesn't have a corresponding positive number, unless you promote it to a larger type. One way to get around this is by promoting the number the corresponding unsigned type (but it's is somewhat non-trivial).
Without recursion or string handling, a mathematical approach: #include <stdio.h> #include <math.h> void print_number( int n ) { int order_of_magnitude = (n == 0) ? 1 : (int)pow( 10, ((int)floor(log10(abs(n))) / 3) * 3 ) ; printf( "%d", n / order_of_magnitude ) ; for( n = abs( n ) % order_of_magnitude, order_of_magnitude /= 1000; order_of_magnitude > 0; n %= order_of_magnitude, order_of_magnitude /= 1000 ) { printf( ",%03d", abs(n / order_of_magnitude) ) ; } } Similar in principle to Pax's recursive solution, but by calculating the order of magnitude in advance, recursion is avoided (at some considerable expense perhaps). Note also that the actual character used to separate thousands is locale specific. Edit:See #Chux's comments below for improvements.
Based on #Greg Hewgill's, but takes negative numbers into account and returns the string size. size_t str_format_int_grouped(char dst[16], int num) { char src[16]; char *p_src = src; char *p_dst = dst; const char separator = ','; int num_len, commas; num_len = sprintf(src, "%d", num); if (*p_src == '-') { *p_dst++ = *p_src++; num_len--; } for (commas = 2 - num_len % 3; *p_src; commas = (commas + 1) % 3) { *p_dst++ = *p_src++; if (commas == 1) { *p_dst++ = separator; } } *--p_dst = '\0'; return (size_t)(p_dst - dst); }
Needed to do something similar myself but rather than printing directly, needed to go to a buffer. Here's what I came up with. Works backwards. unsigned int IntegerToCommaString(char *String, unsigned long long Integer) { unsigned int Digits = 0, Offset, Loop; unsigned long long Copy = Integer; do { Digits++; Copy /= 10; } while (Copy); Digits = Offset = ((Digits - 1) / 3) + Digits; String[Offset--] = '\0'; Copy = Integer; Loop = 0; do { String[Offset] = '0' + (Copy % 10); if (!Offset--) break; if (Loop++ % 3 == 2) String[Offset--] = ','; Copy /= 10; } while (1); return Digits; } Be aware that it's only designed for unsigned integers and you must ensure that the buffer is large enough.
There's no real simple way to do this in C. I would just modify an int-to-string function to do it: void format_number(int n, char * out) { int i; int digit; int out_index = 0; for (i = n; i != 0; i /= 10) { digit = i % 10; if ((out_index + 1) % 4 == 0) { out[out_index++] = ','; } out[out_index++] = digit + '0'; } out[out_index] = '\0'; // then you reverse the out string as it was converted backwards (it's easier that way). // I'll let you figure that one out. strrev(out); }
My answer does not format the result exactly like the illustration in the question, but may fulfill the actual need in some cases with a simple one-liner or macro. One can extend it to generate more thousand-groups as necessary. The result will look for example as follows: Value: 0'000'012'345 The code: printf("Value: %llu'%03lu'%03lu'%03lu\n", (value / 1000 / 1000 / 1000), (value / 1000 / 1000) % 1000, (value / 1000) % 1000, value % 1000);
#include <stdio.h> void punt(long long n){ char s[28]; int i = 27; if(n<0){n=-n; putchar('-');} do{ s[i--] = n%10 + '0'; if(!(i%4) && n>9)s[i--]='.'; n /= 10; }while(n); puts(&s[++i]); } int main(){ punt(2134567890); punt(987); punt(9876); punt(-987); punt(-9876); punt(-654321); punt(0); punt(1000000000); punt(0x7FFFFFFFFFFFFFFF); punt(0x8000000000000001); // -max + 1 ... } My solution uses a . instead of a , It is left to the reader to change this.
This is old and there are plenty of answers but the question was not "how can I write a routine to add commas" but "how can it be done in C"? The comments pointed to this direction but on my Linux system with GCC, this works for me: #include <stdio.h> #include <stdlib.h> #include <locale.h> int main() { unsetenv("LC_ALL"); setlocale(LC_NUMERIC, ""); printf("%'lld\n", 3141592653589); } When this is run, I get: $ cc -g comma.c -o comma && ./comma 3,141,592,653,589 If I unset the LC_ALL variable before running the program the unsetenv is not necessary.
Another solution, by saving the result into an int array, maximum size of 7 because the long long int type can handle numbers in the range 9,223,372,036,854,775,807 to -9,223,372,036,854,775,807. (Note it is not an unsigned value). Non-recursive printing function static void printNumber (int numbers[8], int loc, int negative) { if (negative) { printf("-"); } if (numbers[1]==-1)//one number { printf("%d ", numbers[0]); } else { printf("%d,", numbers[loc]); while(loc--) { if(loc==0) {// last number printf("%03d ", numbers[loc]); break; } else { // number in between printf("%03d,", numbers[loc]); } } } } main function call static void getNumWcommas (long long int n, int numbers[8]) { int i; int negative=0; if (n < 0) { negative = 1; n = -n; } for(i = 0; i < 7; i++) { if (n < 1000) { numbers[i] = n; numbers[i+1] = -1; break; } numbers[i] = n%1000; n/=1000; } printNumber(numbers, i, negative);// non recursive print } testing output -9223372036854775807: -9,223,372,036,854,775,807 -1234567890 : -1,234,567,890 -123456 : -123,456 -12345 : -12,345 -1000 : -1,000 -999 : -999 -1 : -1 0 : 0 1 : 1 999 : 999 1000 : 1,000 12345 : 12,345 123456 : 123,456 1234567890 : 1,234,567,890 9223372036854775807 : 9,223,372,036,854,775,807 In main() function: int numberSeparated[8]; long long int number = 1234567890LL; getNumWcommas(number, numberSeparated); If printing is all that's needed then move int numberSeparated[8]; inside the function getNumWcommas and call it this way getNumWcommas(number).
Another iterative function int p(int n) { if(n < 0) { printf("-"); n = -n; } int a[sizeof(int) * CHAR_BIT / 3] = { 0 }; int *pa = a; while(n > 0) { *++pa = n % 1000; n /= 1000; } printf("%d", *pa); while(pa > a + 1) { printf(",%03d", *--pa); } }
Here is the slimiest, size and speed efficient implementation of this kind of decimal digit formating: const char *formatNumber ( int value, char *endOfbuffer, bool plus) { int savedValue; int charCount; savedValue = value; if (unlikely (value < 0)) value = - value; *--endOfbuffer = 0; charCount = -1; do { if (unlikely (++charCount == 3)) { charCount = 0; *--endOfbuffer = ','; } *--endOfbuffer = (char) (value % 10 + '0'); } while ((value /= 10) != 0); if (unlikely (savedValue < 0)) *--endOfbuffer = '-'; else if (unlikely (plus)) *--endOfbuffer = '+'; return endOfbuffer; } Use as following: char buffer[16]; fprintf (stderr, "test : %s.", formatNumber (1234567890, buffer + 16, true)); Output: test : +1,234,567,890. Some advantages: Function taking end of string buffer because of reverse ordered formatting. Finally, where is no need in revering generated string (strrev). This function produces one string that can be used in any algo after. It not depends nor require multiple printf/sprintf calls, which is terrible slow and always context specific. Minimum number of divide operators (/, %).
Secure format_commas, with negative numbers: Because VS < 2015 doesn't implement snprintf, you need to do this #if defined(_WIN32) #define snprintf(buf,len, format,...) _snprintf_s(buf, len,len, format, __VA_ARGS__) #endif And then char* format_commas(int n, char *out) { int c; char buf[100]; char *p; char* q = out; // Backup pointer for return... if (n < 0) { *out++ = '-'; n = abs(n); } snprintf(buf, 100, "%d", n); c = 2 - strlen(buf) % 3; for (p = buf; *p != 0; p++) { *out++ = *p; if (c == 1) { *out++ = '\''; } c = (c + 1) % 3; } *--out = 0; return q; } Example usage: size_t currentSize = getCurrentRSS(); size_t peakSize = getPeakRSS(); printf("Current size: %d\n", currentSize); printf("Peak size: %d\n\n\n", peakSize); char* szcurrentSize = (char*)malloc(100 * sizeof(char)); char* szpeakSize = (char*)malloc(100 * sizeof(char)); printf("Current size (f): %s\n", format_commas((int)currentSize, szcurrentSize)); printf("Peak size (f): %s\n", format_commas((int)currentSize, szpeakSize)); free(szcurrentSize); free(szpeakSize);
A modified version of #paxdiablo solution, but using WCHAR and wsprinf: static WCHAR buffer[10]; static int pos = 0; void printfcomma(const int &n) { if (n < 0) { wsprintf(buffer + pos, TEXT("-")); pos = lstrlen(buffer); printfcomma(-n); return; } if (n < 1000) { wsprintf(buffer + pos, TEXT("%d"), n); pos = lstrlen(buffer); return; } printfcomma(n / 1000); wsprintf(buffer + pos, TEXT(",%03d"), n % 1000); pos = lstrlen(buffer); } void my_sprintf(const int &n) { pos = 0; printfcomma(n); }
I'm new in C programming. Here is my simple code. int main() { // 1223 => 1,223 int n; int a[10]; printf(" n: "); scanf_s("%d", &n); int i = 0; while (n > 0) { int temp = n % 1000; a[i] = temp; n /= 1000; i++; } for (int j = i - 1; j >= 0; j--) { if (j == 0) { printf("%d.", a[j]); } else printf("%d,",a[j]); } getch(); return 0; }
Require: <stdio.h> + <string.h>. Advantage: short, readable, based on the format of scanf-family. And assume no comma on the right of decimal point. void add_commas(char *in, char *out) { int len_in = strlen(in); int len_int = -1; /* len_int(123.4) = 3 */ for (int i = 0; i < len_in; ++i) if (in[i] == '.') len_int = i; int pos = 0; for (int i = 0; i < len_in; ++i) { if (i>0 && i<len_int && (len_int-i)%3==0) out[pos++] = ','; out[pos++] = in[i]; } out[pos] = 0; /* Append the '\0' */ } Example, to print a formatted double: #include <stdio.h> #include <string.h> #define COUNT_DIGIT_MAX 100 int main() { double sum = 30678.7414; char input[COUNT_DIGIT_MAX+1] = { 0 }, output[COUNT_DIGIT_MAX+1] = { 0 }; snprintf(input, COUNT_DIGIT_MAX, "%.2f", sum/12); add_commas(input, output); printf("%s\n", output); } Output: 2,556.56
Using C++'s std::string as return value with possibly the least overhead and not using any std library functions (sprintf, to_string, etc.). string group_digs_c(int num) { const unsigned int BUF_SIZE = 128; char buf[BUF_SIZE] = { 0 }, * pbuf = &buf[BUF_SIZE - 1]; int k = 0, neg = 0; if (num < 0) { neg = 1; num = num * -1; }; while(num) { if (k > 0 && k % 3 == 0) *pbuf-- = ','; *pbuf-- = (num % 10) + '0'; num /= 10; ++k; } if (neg) *pbuf = '-'; else ++pbuf; int cc = buf + BUF_SIZE - pbuf; memmove(buf, pbuf, cc); buf[cc] = 0; string rv = buf; return rv; }
Here is a simple portable solution relying on sprintf: #include <stdio.h> // assuming out points to an array of sufficient size char *format_commas(char *out, int n, int min_digits) { int len = sprintf(out, "%.*d", min_digits, n); int i = (*out == '-'), j = len, k = (j - i - 1) / 3; out[j + k] = '\0'; while (k-- > 0) { j -= 3; out[j + k + 3] = out[j + 2]; out[j + k + 2] = out[j + 1]; out[j + k + 1] = out[j + 0]; out[j + k + 0] = ','; } return out; } The code is easy to adapt for other integer types.
There are many interesting contributions here. Some covered all cases, some did not. I picked four of the contributions to test, found some failure cases during testing and then added a solution of my own. I tested all methods for both accuracy and speed. Even though the OP only requested a solution for one positive number, I upgraded the contributions that didn't cover all possible numbers (so the code below may be slightly different from the original postings). The cases that weren't covered include: 0, negative numbers and the minimum number (INT_MIN). I changed the declared type from "int" to "long long" since it's more general and all ints will get promoted to long long. I also standardized the call interface to include the number as well as a buffer to contain the formatted string (like some of the contributions) and returned a pointer to the buffer: char* funcName(long long number_to_format, char* string_buffer); Including a buffer parameter is considered by some to be "better" than having the function: 1) contain a static buffer (would not be re-entrant) or 2) allocate space for the buffer (would require caller to de-allocate the memory) or 3) print the result directly to stdout (would not be as generally useful since the output may be targeted for a GUI widget, file, pty, pipe, etc.). I tried to use the same function names as the original contributions to make it easier to refer back to the originals. Contributed functions were modified as needed to pass the accuracy test so that the speed test would be meaningful. The results are included here in case you would like to test more of the contributed techniques for comparison. All code and test code used to generate the results are shown below. So, here are the results: Accuracy Test (test cases: LLONG_MIN, -999, -99, 0, 99, 999, LLONG_MAX): ---------------------------------------------------- print_number: -9,223,372,036,854,775,808, -999, -99, 0, 99, 999, 9,223,372,036,854,775,807 fmtLocale: -9,223,372,036,854,775,808, -999, -99, 0, 99, 999, 9,223,372,036,854,775,807 fmtCommas: -9,223,372,036,854,775,808, -999, -99, 0, 99, 999, 9,223,372,036,854,775,807 format_number: -9,223,372,036,854,775,808, -999, -99, 0, 99, 999, 9,223,372,036,854,775,807 itoa_commas: -9,223,372,036,854,775,808, -999, -99, 0, 99, 999, 9,223,372,036,854,775,807 Speed Test: (1 million calls, values reflect average time per call) ---------------------------------------------------- print_number: 0.747 us (microsec) per call fmtLocale: 0.222 us (microsec) per call fmtCommas: 0.212 us (microsec) per call format_number: 0.124 us (microsec) per call itoa_commas: 0.085 us (microsec) per call Since all contributed techniques are fast (< 1 microsecond on my laptop), unless you need to format millions of numbers, any of the techniques should be acceptable. It's probably best to choose the technique that is most readable to you. Here is the code: #line 2 "comma.c" #include <stdio.h> #include <stdlib.h> #include <string.h> #include <time.h> #include <math.h> #include <locale.h> #include <limits.h> // ---------------------------------------------------------- char* print_number( long long n, char buf[32] ) { long long order_of_magnitude = (n == 0) ? 1 : (long long)pow( 10, ((long long)floor(log10(fabs(n))) / 3) * 3 ) ; char *ptr = buf; sprintf(ptr, "%d", n / order_of_magnitude ) ; for( n %= order_of_magnitude, order_of_magnitude /= 1000; order_of_magnitude > 0; n %= order_of_magnitude, order_of_magnitude /= 1000 ) { ptr += strlen(ptr); sprintf(ptr, ",%03d", abs(n / order_of_magnitude) ); } return buf; } // ---------------------------------------------------------- char* fmtLocale(long long i, char buf[32]) { sprintf(buf, "%'lld", i); // requires setLocale in main return buf; } // ---------------------------------------------------------- char* fmtCommas(long long num, char dst[32]) { char src[27]; char *p_src = src; char *p_dst = dst; const char separator = ','; int num_len, commas; num_len = sprintf(src, "%lld", num); if (*p_src == '-') { *p_dst++ = *p_src++; num_len--; } for (commas = 2 - num_len % 3; *p_src; commas = (commas + 1) % 3) { *p_dst++ = *p_src++; if (commas == 1) { *p_dst++ = separator; } } *--p_dst = '\0'; return dst; } // ---------------------------------------------------------- char* format_number(long long n, char out[32]) { int digit; int out_index = 0; long long i = (n < 0) ? -n : n; if (i == LLONG_MIN) i = LLONG_MAX; // handle MIN, offset by 1 if (i == 0) { out[out_index++] = '0'; } // handle 0 for ( ; i != 0; i /= 10) { digit = i % 10; if ((out_index + 1) % 4 == 0) { out[out_index++] = ','; } out[out_index++] = digit + '0'; } if (n == LLONG_MIN) { out[0]++; } // correct for offset if (n < 0) { out[out_index++] = '-'; } out[out_index] = '\0'; // then you reverse the out string for (int i=0, j = strlen(out) - 1; i<=j; ++i, --j) { char tmp = out[i]; out[i] = out[j]; out[j] = tmp; } return out; } // ---------------------------------------------------------- char* itoa_commas(long long i, char buf[32]) { char* p = buf + 31; *p = '\0'; // terminate string if (i == 0) { *(--p) = '0'; return p; } // handle 0 long long n = (i < 0) ? -i : i; if (n == LLONG_MIN) n = LLONG_MAX; // handle MIN, offset by 1 for (int j=0; 1; ++j) { *--p = '0' + n % 10; // insert digit if ((n /= 10) <= 0) break; if (j % 3 == 2) *--p = ','; // insert a comma } if (i == LLONG_MIN) { p[24]++; } // correct for offset if (i < 0) { *--p = '-'; } return p; } // ---------------------------------------------------------- // Test Accuracy // ---------------------------------------------------------- void test_accuracy(char* name, char* (*func)(long long n, char* buf)) { char sbuf[32]; // string buffer long long nbuf[] = { LLONG_MIN, -999, -99, 0, 99, 999, LLONG_MAX }; printf("%s:\n", name); printf(" %s", func(nbuf[0], sbuf)); for (int i=1; i < sizeof(nbuf) / sizeof(long long int); ++i) { printf(", %s", func(nbuf[i], sbuf)); } printf("\n"); } // ---------------------------------------------------------- // Test Speed // ---------------------------------------------------------- void test_speed(char* name, char* (*func)(long long n, char* buf)) { int cycleCount = 1000000; //int cycleCount = 1; clock_t start; double elapsed; char sbuf[32]; // string buffer start = clock(); for (int i=0; i < cycleCount; ++i) { char* s = func(LLONG_MAX, sbuf); } elapsed = (double)(clock() - start) / (CLOCKS_PER_SEC / 1000000.0); printf("%14s: %7.3f us (microsec) per call\n", name, elapsed / cycleCount); } // ---------------------------------------------------------- int main(int argc, char* argv[]){ setlocale(LC_ALL, ""); printf("\nAccuracy Test: (LLONG_MIN, -999, 0, 99, LLONG_MAX)\n"); printf("----------------------------------------------------\n"); test_accuracy("print_number", print_number); test_accuracy("fmtLocale", fmtLocale); test_accuracy("fmtCommas", fmtCommas); test_accuracy("format_number", format_number); test_accuracy("itoa_commas", itoa_commas); printf("\nSpeed Test: 1 million calls\n\n"); printf("----------------------------------------------------\n"); test_speed("print_number", print_number); test_speed("fmtLocale", fmtLocale); test_speed("fmtCommas", fmtCommas); test_speed("format_number", format_number); test_speed("itoa_commas", itoa_commas); return 0; }
Can be done pretty easily... //Make sure output buffer is big enough and that input is a valid null terminated string void pretty_number(const char* input, char * output) { int iInputLen = strlen(input); int iOutputBufferPos = 0; for(int i = 0; i < iInputLen; i++) { if((iInputLen-i) % 3 == 0 && i != 0) { output[iOutputBufferPos++] = ','; } output[iOutputBufferPos++] = input[i]; } output[iOutputBufferPos] = '\0'; } Example call: char szBuffer[512]; pretty_number("1234567", szBuffer); //strcmp(szBuffer, "1,234,567") == 0
void printfcomma ( long long unsigned int n) { char nstring[100]; int m; int ptr; int i,j; sprintf(nstring,"%llu",n); m=strlen(nstring); ptr=m%3; if (ptr) { for (i=0;i<ptr;i++) // print first digits before comma printf("%c", nstring[i]); printf(","); } j=0; for (i=ptr;i<m;i++) // print the rest inserting commas { printf("%c",nstring[i]); j++; if (j%3==0) if(i<(m-1)) printf(","); } }
// separate thousands int digit; int idx = 0; static char buffer[32]; char* p = &buffer[32]; *--p = '\0'; for (int i = fCounter; i != 0; i /= 10) { digit = i % 10; if ((p - buffer) % 4 == 0) *--p = ' '; *--p = digit + '0'; }