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

  1. /* Program 3_5 -- Reformat the input stream in one of 5 ways
  2.     by Stephen R. Davis, 1987
  3.  
  4.   The input stream is output to stdout using one of 5 programs
  5.   to perform the task.  This is primarily meant as an example
  6.   of using arrays of functions.  Notice that this is really a
  7.   form of self modifying code.
  8. */
  9.  
  10. #include <stdio.h>
  11.  
  12. /*prototype definitions --*/
  13. int main (void);
  14. void putlower (char *);
  15. void putupper (char *);
  16. void puthex (char *);
  17. void putoctal (char *);
  18. void putdecimal (char *);
  19.  
  20.  
  21. /*an array of pointers to functions returning nothing (void)*/
  22. char *fnames[5] = {"lower case    ",
  23.            "upper case    ",
  24.            "hex output    ",
  25.            "octal output  ",
  26.            "decimal output"};
  27. void (*func[5])() = {putlower,
  28.                      putupper,
  29.                      puthex,
  30.                      putoctal,
  31.                      putdecimal};
  32.  
  33. /*Main - input a string a output it in 5 different ways*/
  34. main ()
  35. {
  36.     char string[256];
  37.     int choice;
  38.  
  39.     printf ("Input a character string (up to 15 characters)"
  40.             "followed by return\n\n");
  41.     while (gets(string)) {
  42.          string [15] = '\0';
  43.          for (choice = 0; choice < 5; choice++) {
  44.               printf ("%s:  ", fnames[choice]);
  45.               (*func[choice])(string);
  46.               printf ("\n");
  47.          }
  48.     }
  49. }
  50.  
  51. /*example output routines*/
  52. void putlower (ptr)
  53.     char *ptr;
  54. {
  55.     for (; *ptr; ptr++)
  56.          printf ("  %c,", tolower(*ptr));
  57. }
  58. void putupper (ptr)
  59.     char *ptr;
  60. {
  61.     for (; *ptr; ptr++)
  62.          printf ("  %c,", toupper(*ptr));
  63. }
  64. void puthex (ptr)
  65.     char *ptr;
  66. {
  67.     for (; *ptr; ptr++)
  68.          printf ("%3x,", (unsigned) *ptr);
  69. }
  70. void putoctal (ptr)
  71.     char *ptr;
  72. {
  73.     for (; *ptr; ptr++)
  74.          printf ("%3o,", (unsigned) *ptr);
  75. }
  76. void putdecimal (ptr)
  77.     char *ptr;
  78. {
  79.     for (; *ptr; ptr++)
  80.          printf ("%3u,", (unsigned) *ptr);
  81. }
  82.