home *** CD-ROM | disk | FTP | other *** search
/ Liren Large Software Subsidy 7 / 07.iso / c / c072 / 1.ddi / PRG1_2A.C < prev    next >
Encoding:
C/C++ Source or Header  |  1987-09-21  |  1.5 KB  |  55 lines

  1. /* Prog 1_2a -- Convert a numeric ASCII string into a number
  2.     by Stephen R. Davis, 1987
  3.  
  4.     This is the 'first shot' crude attempt which the non-thinking
  5.     programmer is likely to settle for.  It's problems are that it
  6.     is limited to base 10 and that it must have special logic to
  7.     take care of leading zeroes, etc.
  8. */
  9.  
  10. #include <stdio.h>
  11.  
  12. /*prototype definitions --*/
  13. int main (void);
  14. void convnum (int, char *);
  15.  
  16. /*ConvNum - given a number and a buffer, place the ASCII
  17.             presentation of the number into the buffer*/
  18. void convnum (number, buffer)
  19.     int number;
  20.     char *buffer;
  21. {
  22.     int basenum,nextpower,digit;
  23.  
  24.     if (number < 0) {                  /*if neg, attach leading '-'*/
  25.          number = -number;
  26.          *buffer++ = '-';
  27.     }
  28.     basenum = 1;                       /*find power of 10 to start*/
  29.     while ((nextpower = basenum * 10) <= number)
  30.          basenum = nextpower;
  31.  
  32.     for (;basenum; basenum /= 10) {    /*divide repeatedly by 10...*/
  33.          digit = number / basenum;
  34.          number -= digit * basenum;    /*...saving the residue*/
  35.          *buffer++ = (char)(digit + '0');
  36.     }
  37.     *buffer = '\0';
  38. }
  39.  
  40.  
  41. /*Main - test the above conversion routine*/
  42. int test[] = {1, 10, 100, 1000, -1, -15, -25, -35, 0};
  43. main ()
  44. {
  45.     int i;
  46.     char buffer[25];
  47.  
  48.     i = 0;
  49.     do {
  50.          convnum (test [i], buffer);
  51.          printf ("%s\n", buffer);
  52.         } while (test[i++]);
  53.     printf ("\nfinished\n");
  54. }
  55.