home *** CD-ROM | disk | FTP | other *** search
- /* Prog 1_2b -- Convert a numeric ASCII string into a number
- by Stephen R. Davis, 1987
-
- This second attempt is much more flexible and more of a 'C'
- approach. The differences may not seem all that significant,
- but notice that this routine can handle octal and hexidecimal
- as well as decimal output, it has no leading zero problem, and
- it can even output a limited form of Roman numerals!
- */
-
- #include <stdio.h>
-
- /*prototype definitions --*/
- int main (void);
- void convnum (int, char *, int, char **);
-
- /*ConvNum - given a number, a buffer, a base and the names of the
- digits, convert the signed number using the base into
- the buffer (for unsigned conversion, use 'unsigned'
- declaration*/
- void convnum (number, buffer, base, names)
- int number; /*either signed or... */
- /*unsigned number;*/ /*...unsigned conversions*/
- int base;
- char *buffer, *names[];
- {
- int basenum,nextpower,digit;
- char *c;
-
- if (number < 0) {
- number = -number;
- *buffer++ = '-';
- }
- basenum = 1;
- while ((nextpower = basenum * base) <= number)
- basenum = nextpower;
-
- for (;basenum; basenum /= base) {
- digit = number / basenum;
- number -= digit * basenum;
- for (c = names [digit]; *c; c++)
- *buffer++ = *c;
- }
- *buffer = '\0';
- }
-
-
- /*Main - use a slightly more elaborate test*/
- int test[] = {1, 10, 100, 1000, 15, 25, -1, 0};
-
- char *decsys[] = {"0", "1", "2", "3", "4",
- "5", "6", "7", "8", "9"},
- *octsys[] = {"0", "1", "2", "3",
- "4", "5", "6", "7"},
- *binsys[] = {"0", "1"},
- *hexsys[] = {"0", "1", "2", "3", "4", "5", "6", "7",
- "8", "9", "A", "B", "C", "D", "E", "F"};
- main ()
- {
- int i;
- char buffer[25];
-
- printf ("\ndecimal:\n");
- i = 0;
- do {
- convnum (test[i], buffer, 10, decsys);
- printf ("%s ", buffer);
- } while (test[i++]);
-
- printf ("\noctal:\n");
- i = 0;
- do {
- convnum (test[i], buffer, 8, octsys);
- printf ("%s ", buffer);
- } while (test[i++]);
-
- printf ("\nbinary:\n");
- i = 0;
- do {
- convnum (test[i], buffer, 2, binsys);
- printf ("%s ", buffer);
- } while (test[i++]);
-
- printf ("\nhexidecimal:\n");
-
- i = 0;
- do {
- convnum (test[i], buffer, 16, hexsys);
- printf ("%s ", buffer);
- } while (test[i++]);
-
- printf ("\nfinished\n");
- }