C Answer Book
C Answer Book
THE
ANSWER BOOK
            c
         Solutions to the Exercises in
The C Programming Lenguage, second edition
   by Brian W. Kernighan & Dennis M. Richie
            CLOVIS L. TONDO
            SCOTT E. GIMPEL
                                                                           Preface
 This is an ANSWER BOOK. It provides Solutions to all the exercises in The C
Programming Language. second edition. by Brian W. Kernighan and Dennis M.
Ritchie (Prentice Hall, 1988)1.
 The American National Standards Institute (ANSI) produced the ANSI standard for
C and K&R modified the first edition of The C Programming Language. We have
rewritten the solutions to conform to both the ANSI standard and the second edition
of K&R.
  Careful study of The C Answer Book, second edition. used in conjunction with K&R,
will help you understand C and teach you good C programming skills. Use K&R to
learn C, work the exercises, then study the solutions pre- sented here. We built our
solutions using the language constructions known at the time the exercises appear in
K&R. The intent is to follow the pace of K&R. Later, when you learn more about the C
language, you will be able to provide possibly better solutions. For example. until the
statement
                 if (expression)
                           statement-1
                 else
                           statement-2
 is explained on page 21 of K&R, we do not use it. However, you could improve the
solutions to Exercises 1-8, 1-9, and 1-10 (page 20 K&R) by using it. At times we also
present unconstrained solutions.
 We explain the solutions. We presume you have read the material in K&R up to the
exercise. We try not to repeat K&R, but describe the highlights of each solution.
  You cannot learn a programming language by only reading the language
constructions. It also requires programming—writing your own code and studying
that of others. We use good features of the language, modularize our code, make
extensive use of library routines, and format our programs to help you see the logical
flow. We hope this book helps you become proficient in C.
 We thank the friends that helped us to produce this second edition: Brian
Kernighan, Don Kostuch, Bruce Leung, Steve Mackey, Joan Magrabi, Julia Mistrello,
Rosemary Morrissey, Andrew Nathanson, Sophie Papanikolaou, Dave Perlin, Carlos
Tondo, John Wait, and Eden Yount.
                                                                       Clovis L. Tondo
Preface
Chapter 1. A Tutorial Introduction
Chapter 2. Types, Operators, and Expressions
Chapter 3. Control Flow
Chapter 4. Functions and Program Structure
Chapter 5. Pointers and Arrays
Chapter 6. Structure'
Chapter 7. Input and Output
Chapter 8. The UNIX System Interface
Index
                          CHAPTER 1                A Tutorial Introduction
4
 Exercise 1-2: (page 8 K&R)
 Experiment to find out what happens when pr i n t f ’ s argument string contains \c,
where c is some character not listed above.
 #include <stdio.h>
 main()
 {
         printf(“hello, world\y");
         printf(“hello, world\7”);
         printf(“hello, world\?");
 }
 The Reference Manual (Appendix A, page 193 K&R) states
    If the character following the \ is not one of those specified, the behavior is
   undefined.
 The result of this experiment is compiler dependent. One possible result might be
             hello, worldyhello, world<BELL>hello, world?
  where <BELL> is a short beep produced by ASCII 7. It is possible to have a \
followed by up to three octal digits (page 37 K&R) to represent a character. \7 is
specified to be a short beep in the ASCII character set.
                                                                                        5
Exercise 1-3: (page 13 K&R)
Modify the temperature conversión program to print a heading above the table.
#include <stdio.h>
            printf(“Fahr Celsius\n'');
            fahr = lower;
            while(fahr <= upper){
            celsius = (5.0/9.0) * (fahr-32.0);
            printf(“%3.0f %6.1f\n”, fahr, celsius);
            fahr = fahr * step;
            }
 }
 The addition of
            printf(“Fahr Celsius\n'');
 before the loop produces a heading above the appropriate columns. We also
added two spaces between x3.0f and X6.1f to align the output with the heading.
The remainder of the program is the same as on page 12 K&R.
6
 Exercise 1-4: (page 13 K&R)
 Write a program to print the corresponding Celsius to Fahrenheit table.
 #include <stdio.h>
 /* print Celsius-Fahrenheit table
      for celsius = 0, 20,..., 300; floating-point versión */
 main()
 {
          float fahr, celsius;
          int lower, upper, step;
            printf(“Celsius Fahr\n”);
            celsius = lower;
            while (celsius <= upper) {
                      fahr = (9.0 * celsius) / 5.0 + 32.0;
                      printf("%3.0f %6.1f\n", celsius, fahr);
                      celsius = celsius + step;
            }
 }
 The program produces a table containing temperatures in degrees Celsius
(0-300) and their equivalent Fahrenheit values. Degrees Fahrenheit are
calculated using the statement:
            fahr = (9.0 * celsius) / 5.0 + 32.0
 The solution follows the same logic as used in the program that prints the
Fahrenheit-Celsius table (page 12 K&R). The integer variables lower, upper,
and step refer to the lower limit, upper limit, and step size of the variable
celsius, respectively. The variable celsius is initialized to the lower limit, and
inside the while loop the equivalent Fahrenheit temperature is calculated.
The program prints Celsius and Fahrenheit and increments the variable
celsius by the step size. The while loop repeats until the variable celsius
exceeds its upper limit.
                                                                                7
 Exercise 1-5: (page 14 K&R)
 Modify the temperature conversión program to print the table in reverse
order, that is, from 300 degrees to 0.
 #include <stdio.h>
8
 Exercise 1-6: (page 17 K&R)
 Verify that the expression getchar() ! = EOF is 0 or 1.
 #include <stdio.h>
 main( )
 {
            int c ;
                                                                           9
 Exercise 1-7: (page 17 K&R)
#include <stdio.h>
 main()
 {
           printf(“EOF is %d\n", EOF);
 }
 The symbolic constant EOF is defined in <s tdio.h>. The EOF outside the
double quotes in printf() is replaced by whatever text follows
           #define EOF
 in the include file. In our system EOF is -1, but it may vary from system to
system. That’s why standard symbolic constants like EOF help make your
program portable.
10
 Exercise 1-8: (page 20 K&R)
 Write a program to count blanks, tabs, and newlines.
 #include <stdio.h>
            nb = 0;    /* number of blanks */
            nt = 0;    /* number of tabs */
            nl = 0;    /* number of newlines */
            while ((c = getchar()) != EOF) {
                       if (c == ' ')
                                ++ nb;
                       if ( c == '\t')
                                ++ nt;
                       if (c == '\n')
                                ++nl ;
            }
            printf(“%d %d %d\n", nb, nt, nl);
 }
 The integer variables nb, nt, and nI are used to count the number of blanks,
tabs, and newlines. respectively. Initially. these three variables are set equal
to 0.
 Inside the body of the whiIe loop. the occurrence of each blank, tab, and
newline from input is recorded. All if statements are executed each time
through the loop. If the character received is anything but a blank, tab, or
newline, then no action is taken. If it is one of these three, then the
appropriate counter is incremented. The program prints the results when the
while loop terminates (getchar returns EOF).
                                                                             11
 The if-else statement is not present until page 21 K&R. With that
knowledge the solution could be:
#include <stdio.h>
12
 Exercise 1-9: (page 20 K & R )
 Write a program to copy its input to its output. replacing each string of one
or more blanks by a single blank.
 #include <stdio.h>
            lastc = NONBLANK;
            while ((c = getchar())!= EOF) {
                      if ( C != ' ' )
                                putchar(c);
                      if (c == ' ')
                                if (lastc != ' ')
                                          putchar(c);
                      lastc = c;
            }
 }
 The integer variable c records the ASCII value of the present character
received from input and Iast c records the ASCII value of the previous
character. The symbolic constant NONBLANK initializes lastc to an arbitrary
nonblank character.
 The first if statement in the body of the whiIe loop handles the occurrence
of nonblanks—it prints them. The second if statement handles blanks, and
the third i f statement tests for a single blank or the first blank of a string of
blanks. Finally, lastc is updated. and the process repeats.
                                                                               13
 The if-else statement is not present until page 21 K&R. With that
knowledge the solution could be:
 #include <stdio.h>
            lastc = NONBLANK ;
            while ((c = getchar()) != EOF) {
                      if (c != ' ' )
                                putchar(c);
                      else if (lastc ! = ' ')
                                putchar(c );
                      lastc = c;
            }
 }
 The logical OR ( || ) operator is also not presented until page 21 K&R. With that
knowledge the solution could be:
 #include <stdio.h>
            lastc = NONBLANK;
            while ((c = getchar()) != EOF) {
              if (c != ' ' || lastc != ' ' )
                      putchar(c) ;
              lastc = c;
           }
 }
14
 Exercise 1-10: (page 20 K&R)
  Write a program to copy its input to its output, replacing each tab by \t, each
backspace by \b, and each backslash by \\. This makes tabs and backspaces visible
in an unambiguous way.
 #include <stdio.h>
                                                                                     15
 The if-else statement is not present until page 21 K&R. With that
knowledge the solution could be:
#include <stdio.h>
16
 Exercise 1-11: (page 21 K & R )
  How would you test the word count program? What kinds of input are most
likely to uncover bugs if there are any?
 To test the word count program first try no input. The output should be: 0 0
0 (zero newlines. zero words, cero characters).
 Then try a one-character word. The output should be: 1 1 2 (one newline,
one word, two characters—a letter followed by a newline character).
 Then try a two-character word. The output should be: 1 1 3 (one newline,
one word. three characters—two characters followed by a newline
character).
 In addition, try 2 one-character words (the output should be: 1 2 4) and 2
one-character words—one word per line (the output should be 2 2 4).
 The kinds of input most likely to uncover bugs are those that test boundary
conditions. Some boundaries are:
 — no input
 — no words—just newlines
 — no words—just blanks. tabs. and newlines
 — one word per line—no blanks and tabs
 — word starting at the beginning of the line
 — word starting after some blanks
                                                                          17
 Exercise 1-12: (page 21 K&R)
 Write a program that prints its input one word per line.
 #include <stdio.h>
 #define IN 1  /* inside a word                        */
 #define OUT 0 / * outside a word                      */
            State = OUT;
            while ((c = getchar()) != EOF) {
                   if (c == ' ' || c ==' \ n' || c == '\t ') {
                       if (state == IN) {
                             putcharC'\n'); /* finish the word */
                             state = OUT;
                       }
            } else if (state == OUT) {
                     State = IN; /* beginning of word */
                     putchar(c);
            } else               /* inside a word */
                       putchar(c);
            }
 }
 state is an integer boolean that records whether the program is currently
inside a word or not. At the beginning of the program, state is initialized to
OUT, since no data has been processed.
 The first if statement
            if (c == ' ' || c == '\n' || c == '\t')
 determines whether c is a word separator. If it is, then the second if
statement,
            if (state == IN)
 determines whether this word separator signifies the end of a word. If so, a
newline is printed and slate is updated; otherwise no action is taken.
 If c is not a word separator, then it is either the first character of a word or
another character within the word. If it is the beginning of a new word, then
the program updates state. In either case, the character is printed.
18
 Exercise 1-13: (page 24 K&R)
 Write a program to print a histogram of the lengths of words in its input. lt is easy to
draw the histogram with the bars horizontal; a vertical orientation is more
challenging.
 #include <stdio.h>
 /* p r i n t h o r i z o n t a l h i s t o g r a m */
 main()
 {
             int c, i , nc, state;
             int len;                         /* length of each bar */
             int maxvalue;                    /* maximum value for wl[] */
             int ovflow;                      /* number of overflow words */
             int wl[MAXWORD];                 /* word length counters */
             state = OUT;
             nc = 0;             /* number of chars in a word */
             ovflow = 0;         /* number of words >= MAXWORD */
             for(i=0; i<MAXWORD; ++i)
                       wl[i]=0;
             while(c=getchar()) != EOF){
                       if( c== ' ' || c== '\n' || c=='\t'){
                                 state = OUT;
                                 if (nc > 0)
                                           if (nc<MAXWORD)
                                                     ++wl[nc];
                                           else
                                                     ++ovflow;
                                 nc = 0;
                       } else if (state == OUT}{
                                 state = IN;
                                 nc=1;/* beginning of a new word */
                       } else
                                 ++nc; /* inside a word */
             }
             maxvalue = 0 ;
             for (i = 1; i < MAXWORD; ++i )
                       if (wl[i] > maxvalue)
                                 maxvalue = wl[i];
             for (i = 1; i < MAXWORD; ++1) {
                       printf("%5d - %5d : '', i, wl[i]);
                       if(wl[i] > 0){
                            if((len=wl[i] * MAXHIST/ maxvalue) <=0)
                                 len = 1;
                                                                                     19
                          } else
                                    len =0 ;
                          while (len > 0) {
                                    putchar ('•');
                                    --len;
                          }
                          putchar ( '\n' );
             }
             if(ovflow > 0)
                 printf("There are %d words >= %d\n",
                       ovflow, MAXWORD);
 }
  A blank, newline, or tab marks the end of a word. If there is a word (nc > 0) and its
length is less than the máximum word length (nc < MAXWORD). then the program
increments the appropriate word length counter ( ++wl[nc] ). If the length of the
word is out of range (nc >= MAXWORD). then the program increments the variable
ovflow that keeps track of the number of words greater than or equal to
MAXWORD.
 When all words have been read in, the program determines the maximum value
(maxvalue) from the array wl.
 The variable len scales the value in wl[i] according to MAXHIST and maxvalue.
When wl[i] is greater than 0, at least one asterisk is printed.
 #include <stdio.h>
             state = OUT;
             nc =0 ;            /* number of chars in a word */
             ovflow = 0;        /* number of words >= MAXWORD */
             for(i=0;i<MAXWORD;++i)
                       wl[i]=0;
             while ((c = getchar()) != EOF){
                       if(c==' ' || c=='\n' || c==' \ t'){
                                state=OUT;
                                if(nc>0)
                                          if(nc < MAXWORD)
                                                    ++wl[nc];
20
                                              else
                                                     ++ovflow;
                                 nc=0;
                       } else if(state == OUT){
                                 state = IN;
                                 nc=1; /* beginning of a new word */
                       } else
                                 ++nc;     /* inside a word */
          }
           maxvalue = 0;
           for (i=1 ; i<MAXWORD; ++i)
                      if(wl[i] > maxvalue)
                                maxvalue = wl[i];
           for (i = MAXHIST; i > 0; --i){
                      for (j = 1 ; j < MAXWORD; ++j)
                                if(wl[j]=MAXHIST/maxvalue>=i)
                                          printf(“ * ”);
                                else
                                          printf (“   “);
                      putchar('\n') ;
           }
           for (i = 1; i < MAXWORD; ++i)
                      printf("%4d ", i );
           putchar('\n');
           for (i = 1; i < MAXWORD; ++i);
                      printf("%4d ”, wl[i]);
           putchar('\n');
           if (ovflow > 0 )
                      printf('There are %d words >= %d\n”,
                                ovflow, MAXWORD);
 This solution prints a vertical histogram. It is similar to the previous
program until maxvalue is determined. Then it is necessary to scale each
element of the array wl and verify whether an asterisk should be printed for
each one of the elements. This verification is necessary since all bars are
printed simultaneously (vertical histogram). The last two for loops print the
index and value for each element of wl.
                                                                          21
 Exercise 1-14: (page 24 K&R)
  Write a program to print a histogram of the frequencies of different characters in its
input.
 #include <stdio.h>
 #include <ctype.h>
                                                                       23
 Exercise 1-15: (page 27 K&R)
 Rewrite the temperature conversión program of Section 1.2 to use a
function for conversion.
 #include <stdio.h>
24
 Exercise 1-16: (page 30 K&R)
 Revise the main routine of the longest-line program so it will correctly print the length
of arbitrarily long input lines, and as much as possible of the text.
 #include <stdio.h>
 #define MAXLINE 1000                   /* maximum input line size */
 int getline(char line[], int maxl1 ne);
 void copy(char to[], char from[]);
                                                                                      25
            int i ;
            i = 0 ;
            while ((to[i] = from[i]) != '\0' )
                      ++i;
 }
26
Exercise 1-17: (page 31 K&R)
 Write a program to print all input lines that are longer than 80 characters.
 #include <stdio.h>
 #define MAXLINE 1000 / * máximum input line size                       */
 #define LONGLINE 80
                                                                             27
 Exercise 1-18: (page 31 K&R)
 Write a program to remove trailing blanks and tabs from each line of input, and to
delete entirely blank lines.
 #include <stdio.h>
 #define MAXLINE 1000 /* maximum input line size * /
         i=0;
         while(s[i]!= '\n')            /* find newline character */
            ++i;
         --i;                          /* back off from '\n' */
         while(i>=0 && (s[i]==         ' ' || s[i]=='\t'))
            --i;
         if(i>=0)                      /* is it a nonblank 1ine? */
            ++i;
            s[i]='\n';                 /* put newline character back */
            ++i;
            s[i]='\0';                 /* terminate the atring */
         }
         return i;
 }
  The remove function removes trailing blanks and tabs from the character string line
and returns its new length. If this length is greater than 0, line has characters other
than blanks and tabs, and the program prints the line. Otherwise, line is entirely
made up of blanks and tabs, and thus ignored. This ensures that entirely blank lines
are not printed.
 The remove function finds the newline character and backs off one po-
sition. The function then steps backward over blanks and tabs until it finds
some other character or no more characters are available (i < 0 ). lf i > = 0,
28
then there is at least one character. remove puts back the newline and the
end of string marker, then returns i.
 The function getIine is the same as in Exercise 1-16.
                                                                       29
    Exercise 1-19: (page 31 K&R)
 Write a function reverse(s) that reverses the character string s. Use it to
write a program that reverses its input a line at a time.
    #include <stdio.h>
    #define MAXLINE 1000     /* máximum input line size */
30
 The main program reads a line of input at a time, reverses it. and prints the
reversed line.
 The function getline is the same as in Exercise 1-16.
                                                                           31
 Exercise 1-20: (page 34 K&R)
 Write a program detab that replaces tabs in the input with the proper number of
blanks to space to the next tab stop. Assume a fixed set of tab stops, say every n
columns. Should n be a variable or a symbolic parameter?
 #include <stdio.h>
                                                            33
 Exercise 1-21: (page 34 K&R)
  Write the program ent ab that replaces strings of blanks by the mínimum number of
tabs and blanks to achieve the same spacing. Use the same tab stops as for detab.
When either a tab or a single blank would suffice to reach a tab stop, which could be
given preference?
 #include <stdio.h>
      nb = 0; /* # of blanks necessary*/
      nt = 0; /* # of trabs necessary */
      for(pos=1;(c=getchar())!=EOF;++pos)
           if(c==’ ‘){
                     if(pos%TABINC !=0)
                                ++nb;/* increment # of blanks */
                     else{
                                nb=0;/* reset # of blanks */
                                ++nt;/* one more tab */
                     }
           } else {
                     for( ; nt > 0; --nt)
                                putchar('\t') ; /* output tab(s) */
                     if (c == '\t') /* forget the blank(s) */
                                nb = 0;
                     else /* output blank(s) */
                                for ( ; nb > 0; --nb)
                                          putchar(' ');
                     putchar(c);
                       if (c == '\n')
                                pos = 0;
                     else if (c == '\t' )
                                pos=pos+(TABINC-(pos-1) % TABINC) -
1;
            }
 }
 The integer variables nb and nt are the mínimum number of blanks and tabs
necessary to replace a string of blanks. The variable pos is the position within a line
of text where the program currently is.
 The idea is to find all blanks. A string of blanks is replaced by a tab every time pos
reaches a multiple of TABINC .
 When the program finds a nonblank, then it prints the tabs and blanks
accumulated followed by the nonblank character. The program resets nb and
34
nt to zero, and resets pos to the beginning of the line if the current character
is a newline.
 If the nonblank character is a tab, then the program prints only the
accumulated tabs followed by the current tab character.
 When a single blank suffices to reach a tab stop, it is easier to replace it
with a tab because we avoid special cases.
 The program entab is extended in Exercises 5-11 and 5-12.
                                                                            35
 Exercise 1-22: (page 34 K&R)
 Write a program to “fold” long input lines into two or more shorter lines after
the last nonblank character that occurs before then-th column of input. Make
sure your program does something intelligent with very long lines, and if
there are no blanks or tabs before the specified column.
 #include <stdio.h>
36
 int exptab(int pos)
 {
          line[pos] =’ ‘; /* tab is at least one blank */
          for(++pos; pos < MAXCOL && pos % TABINC != 0; ++pos)
          line[pos] = ‘ ’;
          if (pos < MAXCOL) /* room 1eft in current line */
                    return pos;
          else { /* current 1ine is full */
                    printl(pos);
                    return 0; /* reset current position */
          }
 }
                                                                                     37
 newpos rearranges a line, that is, it copies characters, starting at pos , to the
beginning of the line, then returns the new value of pos .
38
 Exercise 1-23: (page 34 K&R)
 Write a program to remove all comments from a C program. Don’t forget to
handle quoted strings and character constants properly. C comments do not
nest.
 #include <stdio.h>
           if (c == '/')
                     if ((d = getchar()) == '*')
                               in_comment(); /*beginning comment*/
                     else if (d == '/'){ /* another slash */
                               putchar(c);
                               rcomment(d);
                     }else{
                               putchar(c);/* not a comment */
                               putchar(d);
                     }
           else if (c == '\'' || c == '”' )
                     echo_quote(c); /* quote begins */
           else
                     putchar(c);/* not a comment */
 }
           putchar(c);
           while((d = getchar()) != c) { /* search for end */
                putchar(d);
                if(d == '\\')
                     putchar(getchar());/* ignore escape seq*/
                }
                putchar(d);
 }
 The program assumes that the input is a valid C program. rcomment
searches for the beginning of a comment (/*) and when it finds it calls
in_comment . This function searches for the end of the comment. The
procedure therefore ensures that a comment will be ignored.
 rcomment also searches for single and double quotes and if it finds them
calls echo_quote . The argument to echo_quote indicates whether it is a
single or double quote. echo_quote ensures that anything within a quote is
echoed and not mistaken for a comment. echo_quote does not consider a
quote following a backslash as the terminating quote (see the discussion on
escape sequences on page 19 K&R and in Exercise 1-2). Any other
character is printed as is.
 The program terminates when getchar returns an end of file.
40
 Exercise 1-24: (page 34 K&R)
 Write a program to check a C program for rudimentary syntax errors like
unbalanced parentheses, brackets, and braces. Don't forget about quotes, both
single and double, escape sequences, and comments. (This program is hard if you
do it in full generality.)
 #include <stdio.h>
                                                                            41
 /* search: search for rudimentary syntax errors */
 void search(int c)
 {
          extern int brace, brack, paren;
            if (c == '{')
                      ++brace;
            else if(c == '}')
                      --brace;
            else if (c == ‘[‘)
                      ++brack ;
            else if (c == ‘]’)
                      --brack;
            else if (c == ‘(‘)
                      ++paren;
            else if (c == ')')
                      --paren;
 }
42
 During the search , it is legal for brace , brack , or paren to be positive or
zero. It is an error if brace , brack , or paren ever becomes negative; the
program prints an appropriate message. [[[ ( brack equals 3) is legal for the
moment because 3 balancing right brackets might be found later in the
search. ]]] ( brack equals - 3) is illegal because there were no previous left
brackets to balance these 3 right brackets; if there were 3 left brackets to
balance them, then brack should equal 0. The statements
           if(brace < 0){
                     printf(“Unbalenced braces\n");
                     brace=0;
           } else if (brack < 0){
                     printf(Unbalenced brackets\n") ;
                     brack = 0;
           } else if (paren < 0){
                     printf("Unbalenced parentheses\n");
                     paren = 0;
           }
 are necessary because without them ) ( or ]]] [[[ or }} {{ would be
considered balanced.
 The main routine searches for comments, single and double quotes, and
skips the characters within them. The braces, brackets, and parentheses
inside comments and quotes need not be balanced.
 The program makes a final check upon EOF to determine if there are any
open braces, brackets, or parentheses. If so, the program prints an
appropriate message.
                                                                            43
          CHAPTER 2              Types, Operators, and Expressions
  The ANSI standard for C specifies that ranges be defined in <limits. h>.
The ranges may vary from machine to machine because the sizes for short ,
int , and long vary for different hardware.
#include <stdio.h>
                                                                                45
 Exercise 2-2: (page 42 K&R)
 Write a loop equivalent to the for loop above without using && or ||.
 Original:
     for (i=0; i<lim-1 && (c=getchar()) !='\n' && c != EOF; i++)
 Equivalent:
     enum loop { NO, YES };
     enum loop okloop = YES;
     i = 0;
     while (okloop == YES)
           if (i >= lim-1) /* outside of valid range ? */
                     okloop = NO;
           else if ((c = getchar()) == '\n')
                     okloop = NO;
           else if (c==EOF)    /* end of file? */
                     okloop = NO;
           else {
                     s[i] = c;
                     ++i;
           }
 Without && or || we have to break the original for loop into a sequence of if
statements. We then change the tests. For example, in the original for loop
               i < lim-1
 indicates that i still is within boundaries. In the equivalent statement
               i >= lim-1
 indicates that i is out of boundaries and the loop should terminate.
  okloop is an enumeration. As soon as one of the conditions is met okloop is set
to NO and the loop terminates.
46
 Exercise 2-3: (page 46 K&R)
  Write the function htoi(s) , which converts a string of hexadecimal digits
(including an optional 0x or 0X) into its equivalent integer value. The allowable digits
are 0 through 9, a through f, and A through F.
 #define YES              1
 #define NO               0
      i=0;
      if(s[i] == '0'){ /* skip optional 0x or 0X */
           ++i;
           if(s[i] == 'x' || s[i] ==’X’)
                     ++i;
      }
      n=0;           /* integer value to be returned */
      inhex=YES;     /* assume valid hexadecimal digit */
      for( ; inhex == YES; ++i){
           if(s[i] >= '0' && s[i] <=’9’)
                     hexdigit = s[i] - ’0’;
           else if(s[i] >=’a’ && s[i] <= ’f’)
                     hexdigit = s[i] - ’a’ + 10;
           else if(s[i] >=’A’ && s[i] <= ’F’)
                     hexdigit = s[i] - ’A’ + 10;
           else
                     inhex=NO; /* not a valid hexadecimal */
           if(inhex == YES )
                     n= 16*n+hexdigit;
           }
           return n;
 }
 The statement
             for ( ; inhex == YES; ++i)
 Controls the function. The integer i is the index for the array s. While s[i] is a valid
hexadecimal digit, inhex remains YES and the loop continues. The variable
hexdigit takes a numerical value of 0 through 15.
 The statement
             if (inhex == YES)
 guarantees that a valid hexadecimal digit was at s[i] and its value
isinhexdigit . When the loop terminates, htoi returns the value of the
variable n. This function is similar to atoi (page 43 K&R).
                                                                                     47
 Exercise 2-4: (page 48 K&R)
  Write an alternate version of squeeze(s1, s2) that deletes each character
in s1 that matches any character in the string s2.
 /* squeeze: delete each char in s1 which is in s2 */
 void squeeze(char s1[], char s2[])
 {
       int i, j, k;
48
 Exercise 2-5: (page 48 K&R)
 Write the function any(s1, s2) , which returns the first location in the string
s1 where any character from the string s2 occurs, or - 1 if s1 contains no
characters from s2. (The standard library function strpbrk does the same job
but returns a pointer to the location.)
/*any:return first location in             s1   where   any   char    from   s2
occurs*/
 int any(char s1[], char s2[])
 {
     int i, j;
                                                                             49
 Exercise 2-6: (page 49 K&R)
 Write a function setbits(x,p,n,y) that returns x with the n bits that begin
at position p set to the rightmost n bits of y, leaving the other bits
unchanged.
 /* setbits: set n bits of x at position p with bits of y */
 unsigned setbits(unsigned x, int p, int n, unsigned y)
 {
          return x & ~(~(~0 << n) << (p +1-n)) |
                    (y & ~(~0 <<n) << (p+1-n);
 }
 To set n bits of x to the rightmost n bits of y
 xxx...xnnnx...xxx x
 yyy..........ynnn y
 we need to clear the n bits in x, clear all bits in y except the rightmost n bits
and then shift them to position p, and OR the quantities together.
 xxx...x000x...xxx x
 000...0nnn0...000 y
 -----------------
 xxx...xnnnx...xxx x
 To clear the n bits in x we AND them with n bits of zeros starting at position
p and ones everywhere else.
            ~0 << n
 shifts all ones n positions to the left, leaving n zeros at the rightmost
positions.
             ~(~0 << n )
 places all ones at the rightmost n positions, zeros everywhere else.
            ~(~0 << n) << (p+1-n)
 shifts these n 1-bits to position p and
            ~(~(~0 << n) << (p+1-n))
 sets n bits to zeros starting at position p, leaving ones everywhere else.
            X & ~(~(~0 << n) << (p+1-n))
 we AND this value with x to clear the n bits of x at position p.
 To clear all bits in y except the rightmost n bits we AND them with n bits of
ones and zeros everywhere else.
            ~(~0 << n)
50
 places all ones at the rightmost n positions, zeros everywhere else.
            y & ~(~0 << n)
 selects the rightmost n bits of y. And
            (y & ~(~0 << n )) << (p +1 -n )
 places these n bits starting at position p.
            x & ~(~(~0 << n) << (p+1-n)) |
            (y & ~(~0 << n)) << (p+1-n)
  we OR the two values to set the n bits of x starting at position p to the
rightmost n bits of y, leaving the other bits unchanged.
                                                                        51
 Exercise 2-7: (page 49 K&R)
 Write a function invert(x, p, n) that returns x with the n bits that begin
at position p inverted (i.e., 1 changed into 0 and viceversa), leaving the
others unchanged.
 /* invert:         inverts the n bits of                x   that   begin    at
position p */
 unsigned invert(unsigned x, int p, int n)
 {
          return x ^(~(~0 << n) << (p+1-n));
 }
(~0 << n)
 shifts all ones n positions to the left, leaving n zeros at the rightmost
positions.
            ~(~0 << n )
 places all ones at the rightmost positions, zeros everywhere else.
            (~(~0 << n) << (p+1-n))
 shifts these n 1-bits to position p.
            x ^ (~(~0 << n) << (p+1-n))
 The bitwise exclusive OR operator (^) produces a 1 when two bits are
different, otherwise it produces a 0. Since the objective is to invert the n
bits staning at position p, it suffices to exclusive OR them with all ones
starting at p for n bits (with zeros everywhere else). If the original bit is 0,
exclusive OR with a 1 produces a 1—it is inverted. If the original bit is a 1,
exclusive OR with a 1 produces a 0—it is inverted.
 The positions outside of the n-bit field are exclusive OR'ed with zeros: 0^0
(bits are the same) produces a 0—nothing changed; 1^0 (bits are different)
produces a I—nothing changed. Only the n bits are inverted.
52
 Exercise 2-8: (page 49 K&R)
 Write a function rightrot(x,n) that returns the value of the integer x
rotated to the right by n bit positions.
 /* rightrot: rotate x to the right by n positions */
 unsigned rightrot(unsigned x, int n)
 {
          int wordlength(void);
          int rbit; /* rightmost bit */
                                                                            53
 This is a different solution to the same exercise:
 /* rightrot: rotate x to the right by n positions */
 unsigned rightrot(unsigned x, int n)
 {
          int wordlength(void);
          unsigned rbits;
             if ((n=n % wordlength()) > 0){
               rbits=~(~0 <<n)&x; /* n rightmost bits of x */
                                 /* n rightmost bits to left */
               rbits = rbits << (wordlength() - n);
               x=x>>n; /* x shifted n positions right */
               x=x|rbits;/* rotation completed       */
             }
             return ;
 }
  If the number of positions (n) to rotate to the right is the same as the number of bits
in an unsigned integer, nothing changes because x is the same as before the
rotation. If n is less, then it is necessary to rotate n positions. If n exceeds the
number of bits in an unsigned integer, then the number of rotations is the remainder
(modulus operator) of n divided by the length of the word. As a result, no looping is
necessary.
             ~0 << n      all ones are shifted n positions to the left leaving n zeros in
                          the rightmost positions.
             ~(~0 << n)   all ones are in the n rightmost positions.
 When we AND this value with x, the n rightmost bits of x are assigned to rbits.
Then we move rbits to the leftmost position. We shift x n positions to the right. The
new value of x is OR'ed with rbits to complete the rotation of the unsigned x , n
positions to the right.
54
 Exercise 2-9: (page 51 K&R)
 In a two's complement number system, x t - < x -1 > deletes the rightmost l - bit in
x. Explain why. Use this observation to write a faster versión of bitcount .
 /* bitcount: count 1 bits in x - faster versión */
 int bitcount(unsigned x)
 {
          int b;
56
Exercise 2-10: (page 52 K&R)
 Rewrite the function lower , which converts upper case letters to lower
case, with a conditional expression instead of if–else .
 /* lower: convert c to lower cose ( A S C I I only) */
 int lower(int c)
 {
      return c >= 'A' && c <= 'Z' ? c + 'a' – 'A' : c;
 }
 When the condition
           c >= 'A' && c <= 'Z'
 is true, c is an upper case letter (ASCII only). Then the expression
           c + 'a' - ‘A'
 is evaluated and lower returns a lower case letter. Otherwise, lower returns
the character unchanged.
                                                                         57
                                        CHAPTER 3             Control Flow
 Exercise 3-1: (page 58 K&R)
 Our binary search makes two tests inside the loop, when one would suffice
(at the price of more tests outside). Write a versión with only one test inside
the loop and measure the difference in run-time.
 /* binsearch: find x In v[0] <= v[1] <= . . . <= v[n-1] */
 int binsearch(int x, int v[], int n)
 {
          int low, high, mid;
           low = 0 ;
           high = n - 1;
           mid = (low + high) / 2;
           while(low <= high && x != v[mid]){
                     if(x < v[mid])
                               high = mid - 1;
                     else
                               low = mid + 1;
                     mid = (low*high) / 2;
           }
           if(x == v[mid])
                     return mid; /* found match */
           else
                     return -1; /* no match */
 }
 We changed the expression in the while loop from
           low <= high
 to
           low <= high && x != v[mid]
 so we can use only one if statement inside the loop. This implies that we
have to calculate mi d before the loop starts and every time the loop is
executed.
 We need to have a test outside of the while loop to determine if the loop
terminated because x appears in the array v. If x appears in the array,
binsearch returns mid, otherwise it returns - 1.
 The difference in run-time is minimal. We did not gain much in performance
and lost some in code readability. The original code on page 58 K&R reads
better from top to bottom.
58
 Exercise 3-2: (page 60 K&R)
 Write a function escape(s,t) , that converts characters like newline and tab
into visible escape sequences like \n and \ t as it copies the string t to s. Use
a switch . Write a function for the other direction as well, converting escape
sequences into the real characters.
 /* escape: expand newline and tab into visible sequences * /
 /*         while copying the string t to s */
 void escape(char s[], char t[])
 {
          int i, j;
                                                                               59
 The function unescape is similar:
 /* unescape: convert escape sequences lnto real characters */
 /*         while copying the string t to s */
 void unescape(char s[], char t[])
 {
     int i, j ;
60
 /* unescape: convert escape sequences Into real characters */
 /*         while copying the string t to s */
 void unescape(char s[], char t[])
 {
     int i, j;
 The outer switch statement handles the backslash character and everything
else (default). The backslash case uses another switch statement as in the
solution above.
                                                                       61
 Exercise 3-3: (page 63 K&R)
 Write a function expand(s1, S2) that expands shorthand notations like a-
z in the string s1 into the equivalent complete list abc...xyz in s2. Allow for
letters of either case and digits, and be prepared to handle cases like a-b-c
and a-z0-9 and -a-z. Arrange that a leading or trailing - is taken literally.
 /* expand: expand shorthand notation in s1 into string s2 */
 vold expand(char s[l], char s[2])
 {
     char c;
     int i, j;
     i=j=0;
     while((c=s1[i++]!='\0')/* fetch a char from s1[]*/
          if(s1[i]=='-' && s1[i+1]>=c){
                     i++;
                     while(c<s[i]) /* expand shorthand */
                               a2[j++]=c++;
          }else
                s2[j++]=c; /* copy the character */
     s[j]='\0';
 }
 The function takes a character from s1, saves it in c, and then checks the
next character. If the next character is - and the character after that is
greater than or equal to the character in c, expand proceeds to expand the
shorthand notation. Otherwise expand copies the character into a s2.
 expand works for ASCII characters. The shorthand a-z expands into the
equivalent      list    abc...xyz.     The shorthand   !-~    expands
into !”#...ABC...XYZ...abc...xyz..I}~.
 This solution was provided by Axel Schreiner of the University of
Osnabruck, West Germany.
62
 Exercise 3-4: (page 64 K&R)
   In a two's complement number representation, our versión of itoa does not
handle the largest negative number, that is, the value of n equal to -(2 Wordsize-
1 ). Explain why not. Modify it to print that value correctly, regardless of the
            -(2 wordsize- 1 )
 cannot be converted to a positive number as in
            n = -n;
  because the largest positive number in a two's complement representation
is:
            (2 wordsize-1 )-1
 The variable sign saves the initial value of n. The macro abs finds the
absolute value of n % 10. This avoids the
            -(2 wordsize-1 )
 problem because only the result of the modulus operator is made positive.
  The conditional expression in the do-while statement has been changed
from
            (n/=10) > 0
 to
            (n/=10) != 0
 because if n remained negative throughout the loop, the loop would be
infinite.
                                                                              63
 Exercise 3-5: (page 64 K&R)
 Write the function itob(n,s,b) that converts the integer n into a base b
character representation in the string s. In particular, itob(n,s,16) formats
n as a hexadecimal integer in s.
 /* itob: convert n to characters in s - base b */
 void itob(int n, char s[], int b)
 {
          int i, j, sign;
          void reverse(char s[]);
64
 Exercise 3-6: (page 64 K&R)
 Write a versión of itoa that accepts three arguments instead of two. The
third argument is a mínimum field width; the converted number must be
padded with blanks on the left if necessary to make it wide enough.
 #define abs(x) ((x)<0 ? -(x) : (x))
                                                                           65
             CHAPTER 4              Functions and Program Structure
      pos = -1;
      for(i=0;s[i]!='\0'; i++){
           for(j=i,k=0; t[k]!='\0' && s[j]==t[k]; j++, k++)
                     ;
      if(k> 0 & & t[k] == '\0')
           pos=i;
           }
           return pos;
 }
 strrindex is similar to the routine strindex (page 69 K&R). When
strindex finds a match it returns the position of the first element of t in s. On
the other hand, strrindex records the position of t in s and continues
searching because the function is looking for the last (rightmost) occurrence
of t in s:
            if (k > 0 && t[k]=='\0')
                     pos=i ;
 Another possible solution is:
 #include <string.h>
 /* atrrindex: returns rightmost index of t in s, -1 if none */
 int strrindex(char a[], char t[])
 {
     int i, j, k;
           if(s[i]=='e' || s[i]=='E'){
                     sign=(s[++i]=='-') ? -1 : 1;
                     if(s[i]=='+' || s[il=='-')
                               i++;
           for(exp=0; isdigit(s[i]); i++)
                     exp=10*exp+(s[i]-'0');
           if(sign==1)
                     while(exp-->0)/* positive exponent */
                               val*=10;
           else
                     while(exp-->0)/* negative exponent */
                               val/=10;
           return val;
 The first half of the routine is a duplication of atof (page 71 K&R). The
function skips white spaces, records the sign, and calculates the number. At
this point the original atof returns the value of the number and the modified
version handles scientific notation.
 The second half of the function handles the optional exponent. If an
                                                                          67
exponent does not exist then atof returns the number stored in val . If an
exponent exists then the sign of the exponent is stored in the variable sign
and the value of the exponent is calculated and stored in exp .
 The final operation
 if(sign==1)
          while(exp-- > 0)
                    val+=10;
 else
          while(exp-- > 0)
                    val /= 10;
  adjusts the number according to the value of the exponent. If the exponent
is positive, the number is multiplied by 10 exp times. If the exponent is
negative, the number is divided by 10 exp times. val then contains the final
number that is returned to the calling program.
  val is divided by 10 rather than multiplied by 0.1, since 0.1 is not an exact
fraction in binary. In most machines, 0.1 is represented as slightly less than
0.1 and therefore 10.0 times 0.1 is rarely 1.0. Repeated division by 10 is
better than repeated multiplicaron by 0.1, but there is still a loss of
accuracy.
68
 Exercise 4-3: (page 79 K&R)
 Given the basic framework, it is straightforward to extend the calculator.
Add the modulus (%) operator and provisions for negative numbers.
 #include <stdio.h>
 #include <math.h> /* for a tof() */
                                                                        69
                       break;
           case '\n':
                       printf(“\t%.8g\n”, pop());
                       break;
           default:
                       printf(“error: unknown command %s\n”, s);
                       break;
           }
 return 0;
 }
 We made modifications to the main program and getop . The routines push
and pop (page 77 K&R) remain unchanged.
  The modulus operator (X) is handled like the división operator (/). The
library function fmod calculates the remainder for the top two elements on
the stack. op2 is the top element on the stack.
 This is the modified getop :
 #include <stdio.h>
 #include <string.h>
 #include <ctype.h>
 int getch(void);
 void ungetch(int);
70
               }
               if(isdigit(c)) /* collect Integer part */
                         while(isdigit(s[++i]=c=getchar()))
                                   ;
               if(c=='.') /* collect fraction part */
                         while(isdigit(s[++i]=c=getch()))
                                   ;
               s[i]='\0' ;
               if(c!=EOF)
                         ungetch(c);
               return NUMBER;
 }
                                                                   71
 Exercise 4-4: (page 79 K&R)
 Add commands to print the top element of the stack without popping, to
duplícate it, and to swap the top two elements. Add a command to clear the
stack.
 #include <stdio.h>
 #include <math.h> /* for atof() */
     while((type=getop(s)) != EOF){
          switch(type){
          case NUMBER:
               push(atof(s));
               break ;
          case '+':
               push(pop() + pop());
               break;
          case '*':
               push(pop() * pop());
               break;
          case '-':
               op2=pop();
               push(pop() - op2);
               break;
          case '/' :
               op2=pop();
               if(op2!=0.0)
                    push(pop()I op2);
               else
                    printf("error: zero divisor\n”);
               break;
          case '?': /* print top element of the stack */
               op2=pop();
               printf(“\t%.8g\n", op2);
               push(op2);
               break;
72
           case 'c': /* clear the stack */
                clear();
                break ;
           case 'd': /*duplicate top elem.of the stack*/
                op2=pop();
                push(op2);
                push(op2);
                break ;
           case 's': /* swap the top two elements */
                opt=pop();
                op2=pop();
                push(op1);
                push(op2);
                break;
           case ' \n':
                príntf(“\t%.8g\n", pop());
                break;
           default:
                printf(“error: unknown command %s\n”,s);
                break;
           }
      }
      return 0;
 }
 The newline operator pops the top element on the stack and prints it. We
added a new operator, ‘?', that pops the top element of the stack, prints it.
and pushes it back on the stack. We do not permanently pop the top element
of the stack like the newline operator but we use the pop, print, push
sequence to avoid letting the main program know about the stack or the
stack position variables.
 To duplicate the top element of the stack we pop it and push it back twice.
 We swap the top two elements of the stack by popping them and by
pushing them back in reverse order.
 It is easy to clear the stack; set sp to zero. So we added a new function
that does exactly that and we put it together with push and pop. This way
only the functions that maintain the stack refer to the stack and stack
position variables.
      /* clear: clear the stack */
      void cleer(void)
      {
                  sp=0;
      }
                                                                           73
 Exercise 4-5: (page 79 K&R)
 Add access to library functions like sin , exp , and pow . See <math.h> in
Appendix B, Section 4 (page 250 K&R).
 #include <stdio.h>
 #include <string.h>
 #include <math.h> /* for atof() */
 int getop(char[]);
 void push(double);
 double pop(void);
 void mathfnc(char[]);
             if(strcmp(s,"sin”)==0)
                       push(sin(pop()));
             else if(strcmp(s,“cos")==0)
                       push(cos(pop()));
             else if(strcmp(s,"exp”)==0)
                       push(exp(pop()));
             else if(strcmp)s,”pow”)==0){
                       op2=pop();
                       push(pow(pop(),op2));
             }else
                       printf("error: %s not supported\n”,s);
}
The source   file for the modified getop:
#include     <stdio.h>
#include     <string.h>
#include     <ctype.h>
int getch(void);
void ungetch(int);
                                                                   75
                     ungetch(c);/* went one char too far */
           if(strlen(s)>1)
                     return NAME; /* >1 char ; it is NAME */
           else
                     return c; /* it may be a command */
     }
     if(!isdigit(c) && c!='.')
          return c; /* not a number */
     if(isdigit(c)) /* collect integer part */
          while(isdigit(s[++i]=c=getch()))
                    ;
     if(c=='.')     /* collect fraction part */
          while(isdigit(s[++i]=c=getch()))
                    ;
     s[i]='\0';
     if(c!=EOF)
          ungetch(c);
     return NUMBER;
 }
 We modified getop to be able to gather a string of lower case letters and
return it with the type NAME. The main program recognizes NAME as one of
the valid types and invokes mathfnc .
  The routine mathfnc is new. It performs a sequence of if statements until it
finds a function ñame that matches the string s or it reports an error. If the
string s is one of the supported functions, mathfnc pops enough elements
from the stack and invokes the math function. The math function returns a
value and mathfnc pushes it back on the stack .
 For example, sin expects an argument in radians and the sine of         PI I2   is
one.
           3.141592652 / sin
 The first operation divides PI by 2 and pushes the result back on the stack.
The function sin pops the top element of the stack, calculates the sine, and
pushes the result back. The result is one.
           3.141592 2 / sin 0 cos +
 produces 2 because the sine of   PI   / 2 is one and the cosine of zero is one.
Another example,
           5 2 pow 4 2 pow +
 raises 5 to the power 2, 4 to the power 2. and adds the two values.
 getop does not know about specific function names; it just returns strings
as it finds them. This way it is straightforward to expand mathfnc to include
more functions.
76
 Exercise 4-6: (page 79 K&R)
 Add commands for handling variables. (It’s easy to provide twenty-six
variables with single-letter names.) Add a variable for the most recently
printed value.
 #include <stdio.h>
 #include <math.h> /* for atof() *I
 int getop(char[]);
 void push(double);
 double pop(void);
78
 Exercise 4-7: (page 79 K&R)
 Write a routine ungets(s) that will push back an entire string onto the
input. Should ungets know about buf and bufp , or should it just use
ungetch ?
 #include <string.h>
           while(len > 0)
                     ungetch(s[--len]);
 }
 The variable len contains the number of characters in the string s
(excluding the terminating ' \0'), which is determined by the function strlen
(page 39 K&R).
 ungets calls the routine ungetch (page 79 K&R) len times, each time
pushing back a character from the string s onto the input. ungets pushes the
string back in reverse order.
 ungets does not need to know about buf and bufp . The routine ungetch
handles buf , bufp , and error checking.
                                                                          79
 Exercise 4-8: (page 79 K&R)
 Suppose that there will never be more than one character of pushback.
Modify getch and ungetch accordingly.
 #include <stdio.h>
char buf=0;
            if(buf!=0)
                      c=buf;
            else
                      c=getchar();
            buf=0;
            return c;
 }
80
 Exercise 4-9: (page 79 K&R)
 Our getch and ungetch do not handle a pushed-back EOF correctly.
Decide what their properties ought to be if an EOF is pushed back, then
implement your design.
 #include <stdio.h>
                                                                            81
          int buf(BUFSIZE);
 No conversions will occur and EOF (-1) or any negative number will be
handled in a portable way.
82
 Exercise 4-10: (page 79 K&R)
 An alternate organization uses getline to read an entire input line; this
makes getch and ungetch unnecessary. Revise the calculator to use this
approach.
 #include <stdio.h>
 #include <ctype.h >
            if(line[li]=='\0')
                      if(getline(line, MAXLINE)==0)
                                return EOF;
            else
                      li=0;
            while((s[0]=c=line[li++])==' ' || c=='\t')
                      ;
            s[i]='\0';
            if(!isdigit(c) && c !='.')
                      return c; /* not a number */
            i=0;
            if(isdigit(c))/* collect integer part */
                      while(isdigit(s[++i]=c=line[li++]))
                                ;
            if(c=='.') /* collect fraction part */
                      while(isdigit(s[++i]=c=line[li++]))
                                ;
            s[i]='\0';
            li--;
            return NUMBER;
 }
 Instead of using getch and ungetch we use getline in the function
getop . line is an array that contains one entire input line at a time; Ii is the
index for the next character in Iine. We made line and Ii external variables
so that they will maintain their values between calls, unlike local variables.
 If getop is at the end of the line (or we do not have a line yet)
            if (line[li]=='\0')
                                                                              83
 then getop invokes get I ine to get a line.
  In the original getop (page 78 K&R) the function invokes getch every time
it needs another character. In this versión we get the character at position
li, in line, and then we increment li. At the end of the function. instead of
calling ungetch to push a character back, we decrement li because we went
one character too far.
 Remember that any function may use and modify external variables in
another function, so li and Iine could be modified by a function other than
getop . Sometimes we want to prevent this from happening so we should
declare the variables to be static . We did not do so because static
variables are not discussed until page 83 K&R.
84
 Exercise 4-11: (page 83 K&R)
 Modify getop so that it doesn 't need to use ungetch . Hint: use an internal
static variable.
 #include <stdio.h>
 #include <ctype.h>
int getch(void);
           if(lastc==0)
                     c=getch();
           else{
                     c=lastc;
                     lastc=0;
           }
           whi1e((s[0]=c)==' ' || c=='\t')
                     c=getch();
           s[1]='\0';
           if(!isdigit(c) && c!='.')
                     return c;/* not a number */
           i=0;
           if(isdigit(c)) /* collect integer part */
                     while(isdigit(s[++i]=c=getch()))
                               ;
           if(c=='.') /* collect fraction part */
                     while(isdigit(s[++i]=c=getch()))
                               ;
           s[i]='\0';
           if(c!=EOF)
                     lastc=c;
           return NUMBER;
 }
 We modified getop to have an internal static variable that remembers the
last character that we should push back onto the input. Since we do not use
ungetch we store the character in Iastc.
 When getop is invoked it checks for a previous character in lastc . If one
does not exist the function invokes getch to get a new character. If there is
a previous character then getop copies the character into c and zeros out
lastc . The first while statement changed a bit. The reason is that getop
needs to get another character only after it examines the current character
                                                                         85
in c.
86
 Exercise 4-12: (page 88 K&R)
 Adapt the ideas of printd to write a recursive version of itoa ; that is,
convert an integer into a string by calling a recursive routine.
 #include <math.h>
            if(n/10)
                         itoa(n/10,s);
            else{
                         i=0;
                         if(n<0)
                                     s[i++]='-';
            }
      s[i++]=abs(n)%10 + '0';
      s[i]='\0';
 }
 itoa receives two arguments: an integer n and array of characters s. If the
result of the integer division n/10 is not zero then itoa calls itself with n/10:
            if(n/10)
                         itoa(n/10, s);
 When n/10 is zero in one of the recursive calls we are looking at the most
significant (leftmost) digit in n. We use a static variable i as the index for
the array s. If n is negative we put a minus sign in the first position of the
array s and increment i. As itoa returns from the recursive calls it calculates
the digits from left to right. Note that each level adds a '\0' to terminate the
string and the next level overwrites the '\0', except the last.
                                                                                87
 Exercise 4-13: (page 88 K&R)
 Write a recursive version of the function reverse(s), which reverses the
string s in place.
 #include «string.h>
 /* reverse: reverse string s in place */
 void reverse(char s[])
 {
          void reverser[char s[], ínt í, int len);
          reverser(s, 0, strlen(s));
 }
            j=len-(i+1);
            if(i<j){
                      c=s[i];
                      s[j]=c;
                      reverser(s,++i,len);
            }
 }
 We need to maintain the same user interface to the routine reverse
regardless of implementation. Therefore, we pass only the character string
to reverse .
 reverse determines the length of the string and then calls reverser , which
reverses the string s in place.
 reverser receives three arguments: s is the string to be reversed, i is the
left-side index for the string, and len is the length of the string ( strlen(s) ,
page 39 K&R).
 Initially, i is equal to 0. j is the right-side index for the string. j is computed
as
            j=len-(i+1);
 The characters in the string are swapped from the outside in. For example,
the first two characters swapped are s[0] and s[len-1 ] and the second two
characters swapped are s[1] and s[len-2]. The left-side index, i, is
incremented by 1, every time reverser is called:
            reverser(s, ++i, len);
  The swapping continues until either the two indexes are pointing to the
same characters ( 1==j ) or the left-side index points to a character to the
right of the right-side index (i > j).
88
 This is not a good application of recursion. Certain problems lend
themselves to recursive solutions—see, for example, the function treeprint
on page 142 K&R. Other problems are best solved without recursion. This is
one of them.
                                                                       89
 Exercise 4-14: (page 91 K&R)
  Define a macro swap( t, x, y) that interchanges two arguments of type
t. (Block structure will help.)
 #define swap(t, x, y) {           t _z;      \
                                   _z = y;     \
                                   y = x;     \
                                   x = _z;     }
 We use the braces to define a new block. At the beginning of a block we
can declare local variables. _z is a local variable of type t that helps swap
the two arguments.
 The swap macro works if neither of the arguments is _ z. If one of the
arguments has the name _ z,
           swap(int, _z, x);
 then when the macro is expanded, it becomes
           { int _z; _z = _z; _z = x; x = _z; }
 and the two arguments are not swapped. The assumption is that _z will not
be used as a variable name.
90
                            CHAPTER 5             Pointers and Arrays
 int getch(void);
 void ungetch(int);
                                                                       91
 Exercise 5-2: (page 97 K&R)
 Write getfloat , the floating-point analog of getint . What type does
getfloat return as its function value?
 #include <atdio.h>
 #include <ctype.h>
 int getch(void);
 void ungetch(int);
                                                                            93
 Exercise 5-3: (page 107 K&R)
 Write a pointer versión of the function strcat that we showed in Chapter 2:
strcat(s, t) copies the string t to the end of s.
 /• strcat: concatenate t to the end of s; pointer version */
 void strcat(char *s, char *t)
 {
          while(*s)
                    s++;
          while(*s++=*t++)
                    ;
 }
 Initially s and t point to the beginning of the character strings.
 The first while loop increments the pointer s until it finds the end of string
marker ('\0'). The statement
            while(*s)
 is true as long as the character is not the end of the string marker.
 The second while loop appends the string t to the string s:
            while(*s++=*t++)
                      ;
 The above statement assigns to *s whatever is in *t, increments both
pointers, and continues as long as t does not point to the end of string
marker.
94
Exercise 5-4: (page 107 K&R)
 Write the function strend(s, t) , which returns 1 if the string t occurs at
the end of the string s, and zero otherwise.
 /* strend: return 1 if string t occurs at the end of s */
 int strend(char *s, char *t)
 {
     char *bs=s; /* remember beginning of strs */
     char *bt=t;
     for(; *s; s++) /* end of the string s */
          ;
     for(; *t; t++) /* end of the string t */
          ;
     for(; *s==*t;s--,t--)
          if (t==bt || s==bs)
                    break; /* at the beginning of a str */
     if (*s==*t && t==bt && *s!='\0')
          return 1;
     else
          return 0;
 }
 We save the beginning addresses of the strings in the pointers bs and bt
and then we find the end of each string as we did in strcat . To determine if
the string t occurs at the end of the string s we start comparing the last
character in s with the last character in t and move toward the beginning of
the strings.
 strend returns 1 (the string t occurs at the end of the string s) when the
characters in t match the characters in s, the pointer t is back at the
beginning of the string, and the strings are not empty:
           if(*s==*t & & t==bt && *s!='\0')
                       return 1;
                                                                          95
 Exercise 5-5: (page 107 K&R)
 Write the versions of the library functions strncpy , strncat , and strncmp ,
which operate on at most the first n characters of their argument strings. For
example, strncpy(s, t, n) copies at most n characters of t to s. Full
descriptions are in Appendix B (page 249 K&R).
 /* strncpy: copy n characters from t to s */
 void strncpy(char *s, char *t, int n)
 {
          while(*t && n-- > 0)
                    *s++=*t++;
          while(n-->0)
                    *s++='\0';
 }
           strncpy(s+strlen(s), t, n);
 }
96
 Exercise 5-6: (page 107 K&R)
 Rewrite appropriate programs from earlier chapters and exercises with
pointers instead of array indexing. Good possibilities include getline
(Chapters 1 and 4), atoi , itoa , and their variants (Chapters 2, 3. and 4),
reverse (Chapter 3), and strindex and getop (Chapter 4).
 #include <stdio.h>
 /* getline: reed a line into s, return length */
 int getline(char *s, int lim)
 {
          int c;
          char *t=s;
      for(; *s!='\0';s++){
            for(p=s, r=t; *r!='\0' && *p==*r; p++, r++)
                         ;
            if(r>t && *r=='\0')
                         return s-b;
            }
            return -1;
 }
 s[i] is replaced by *s , s[j] is replaced by *p, and t[k] is replaced by *r. b is a
character pointer that always points to the first element of the string s(s[0]).
p=s is equivalent to j=i. r=t is equivalent to k=0.
 When the if statement is true
            if(r>t & & *r=='\0')
 a match exists and strindex returns the index of t in the string s:
            return s - b;
 #include <ctype.h>
                                                                                    99
            double val, power;
            int sign;
            for(; isspace(*s); s++) / * skip white space */
                      ;
            sign=(*s=='-') ? -1 : 1;
            if(+s=='+' || *s=='-')
                      s++;
            for(val=0.0; isdigit(*s); s++)
                      val=10.0*val + (*s – '0');
            íf(*s=='.')
                      s ++;
            for(power=1.0; isdigit(*s); s++){
                      val=10,0 * val + (*s – '0'};
                      power*=10.0;
            }
            return sign *val/power;
}
s[i++] is equivalent to *s++.
#include <stdio.h>
#include <ctype.h>
int getch(void);
void ungetch(int);
            whi1e((*s=c=getch())==' '||c=='\t')
                      ;
            *(s+1)='\0';
            if(!isdigit(c)) && c!='.')
                      return C ; /* not a number */
            if(isdigit(c)) /* collect integer part */
                   while(isdigit(*++s=c=getch()))
                      ;
            if(c=='.') /* collect fraction part */
                      while(isdigit(*++s=c=getch()))
                                 ;
            s='\0';
            if(c!=EOF)
                      ungetch(c);
            return NUMBER;
100
 }
 We use pointers to replace references to array elements. The changes are
straightforward. Instead of
           s[1]= ' \0' ;
 we use
           *(s+1)='\0';
 to place an end of string marker at the second position of the array without
changing the pointer.
                                                                        101
 Exercise 5-7: (page 110 K&R)
 Rewrite readlines to store lines in an array supplied by main , rather than
calling alloc to maintain storage. How much faster is the program?
 #include <string.h>
102
 Exercise 5-8: (p a g e 112 K&R)
 There is no error checking in day_of_year or month_day . Remedy this
defect.
 static char daytab[2][13]={
          { 0 , 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31},
          {0, 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}
 };
 /* day_of_year: set day of year from month & day */
 int day_of_year(int year , int month, int day)
 {
          int i, leap ;
           if(year<1){
                     *pmonth=-1;
                     *pday=-1;
                     return;
           }
           leap=year%4==0 && year%100 != 0 || year%400==0;
           for(i=1;i<=12 && yearday > daytab[leap][i]; i++)
                     yearday-=daytab[leap][i];
           if(i>12 && yearday > daytab[leap][12]){
                     *pmonth=-1;
                     *pday=-1;
           } else {
                     *pmonth=i;
                     *pday=yearday;
           }
 }
  In day_of_year we check for reasonable valúes in month and day . If month
is less than one or greater than twelve, day_of_year retums -1. If day is
less than one or day exceeds the number of days for the month, the function
returns -1.
 In month_day we first check for negative year. You may want to add this
                                                                      103
kind of check in day_of_year also. Then we proceed to decrement yearday
while we check that the month (index i) does not exceed 12. If the loop
terminates with month 13 and the value in yearday exceeds the number of
days in the last month of the year, then yearday started with an incorrect
value and we set both month and day to -1. Otherwise the function
month_day received correct values.
104
 Exercise 5-9: (page 114 K&R)
 Rewrite the routines day_of_year and month_day with pointers instead of
indexing.
 static char daytab[2][13]={
          {0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31},
          {0, 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31}
 };
                                                                   105
in the revised day_of_year routine.
The for loop in the original month_day routine
          for(i=1; yearday > daytab[leap][i]; i++)
                    yearday-=deytab[leap][i];
is equivalent to the statements
          p=daytab[leap];
          while (yearday > *++p)
                    yearday-=*p;
in the revised month_day routine.
106
 Exercise 5-10: (page 118 K&R)
 Write the program exp r, which evaluates a reverse Polish expression from
the command line, where each operator or operand is a separate argument.
For example,
           expr 2 3 4 + *
 evaluates 2 x (3 + 4).
 #nclude <stdio.h>
 #include <math.h> /* for atof() */
           while(--argc>0){
                   ungets(" “); /* push end of argument */
                   ungets(*++argv);    /* push an argument */
                     switch(getop(s)){
                     case NUMBER:
                               push(atof(s));
                               break;
                     cese '+':
                               push(pop()+pop());
                               break;
                     case '*':
                               push(pop()*pop());
                               break ;
                     case '-':
                               op2=pop();
                               push(pop() - op2);
                               break;
                     case '/':
                               op2=pop();
                               if(op2!=0.0)
                                         push(pop()/op2);
                               e1se
                                  printf(“error:zero divisor\n”);
                               break;
                     default:
                                                                     107
                                 printf(“error:unknown command %s\n"
                                           ,s);
                                 argc=1;
                                 break;
                     }
           }
           printf(“\t%.8g\n“, pop());
           return 0;
 }
108
 Exercise 5-11: (page 118 K&R)
 Modify the programs entab and detab (written as exercises in Chapter 1) to
accept a list of tab stops as arguments. Use the default tab settings if there
are no arguments.
 #include <stdio.h>
                                                                         109
                      if (c=='\n')
                                pos=0;
                      else if(c=='\t')
                                while(tabpos(pos, tab)!=YES;
                                          ++pos;
          }
}
The source file settab.c :
#include <stdlib.h>
            while((c=getchar()!=EOF)
                      if(c=='\t'){/* tab character */
                                do
                                          putchar(' ');
                                while(tabpos(pos++, tab)!=YES);
                      }else if(c=='\n'){ /* newline character */
                                putchar(c);
                                pos=1;
                                                                           111
                       }else{ /* all other character? */
                                 putchar(c);
                                 ++pos;
                       }
 }
 The framework for this solution is the detab program in Kernighan &
Plauger, Software Tools (Addison-Wesley, 1976).
 The routines tabpos and settab are the same as in the first part of this
exercise.
 The routine de tab is similar to Exercise 1-20.
112
Exercise 5-12: (page 118 K&R)
Extend entab and detab to accept the shorthand
          entab -m +n
 to mean tab stops every n columns, starting at column m. Choose
convenient (for the user) default behavior.
#include <stdio.h>
                                                               113
             for(i=1; i<=MAXLINE; i++)
                     if(i!=pos)
                               tab[i]=NO;
                     else{
                               tab[i]=YES;
                               pos+=inc;
                     }
           }else{ /* user provided tab stops */
                for(i=1; i<=MAXLINE; i++)
                     tab[i]=NO; /* turn off all tab stops */
                while(--argc>O){ /* walk through argument list */
                     pos=atoi(*++argv);
                     if(pos>0 && pos<=MAXLINE)
                               tab[pos]=YES;
           }
      }
 }
 The framework for this solution is the en tab program in Kernighan &
Plauger, Software Tools (Addison-Wesley, 1976).
 This solution is similar to the entab program in Exercise 5-11. The only
modification is that the routine settab was replaced by esettab (extended
settab).
 esettab accepts the shorthand notation - m + n. The statements
           pos=atoi(&(*++argv)[1]);
           inc=atoi(&(*++argv)[1]);
 set pos equal to the first tab stop and set inc equal to the increment size.
Therefore, the tab stops begin at pos and occur at every inc position.
 #include <stdio.h>
114
 Th e f ra me wo rk fo r t h is so lu t ion is th e de ta b p rog ra m in K e rn ig ha n &
P la ug e r. Software Tools (Ad d ison -We sle y. 1 97 6 ).
 Th is so lu t io n is simila r t o t he d e t a b p rog ra m in Exe rcise 5 -11 a nd
use s th e ro u t in e e s e t t a b f ro m t he f irst pa rt of th is e xe rcise .
                                                                                     115
 E xe rci s e 5 -1 3 : (pa ge 11 8 K&R)
 Writ e t he p rog ra m t a i l , wh ich p rint s th e la st 11 line s o f it s in pu t . B y
de fa u lt . 11 is 1 0, le t u s sa y, bu t it ca n be cha n ge d b y an o pt io na l
a rg u men t , so th a t
              tail -n
  p rin t s th e la st n lin e s. The p rog ra m sho u ld be ha ve ra t ion a lly n o
mat t e r h o w u n re a so na b le t he in pu t o r t he va lu e of n . Writ e th e
p ro g ra m so t ha t it ma ke s t he b est u se of a va ilab le st o rag e ; line s
sh o u ld be sto re d a s in t he so rt ing pro g ra m o f Se ct ion 5 .6 , n ot in a
t wo - d ime n sion a l a rra y of f ixe d size .
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
              bufend=buf+LINES*MAXLEN;
              last=0; /* index of last line read */
              nlines=0; /* number of lines read */
116
              w h i l e ( ( l e n = g e t l 1n e ( l in e , M A X L E N ) ) > 0 ) {
                               if(p+len+1>=bufend)
                                                p=buf; /* buffer wrap around */
                               lineptr[last]=p;
                               strcpy(lineptr[last], line);
                               if(++last>=LINES)
                                       last=0;/*ptrs to buffer wrap around*/
                               p+=len+1;
                               nlines++;
              }
              if(n>nlines) /* req. lines more than rec .? */
                               n=nlines;
              first=last-n;
              if(first<0) /* it did wrap around the list */
                               first+=LINES;
              for(i=first; n-->0; i=(i+1)%LINES)
                               printf(“%s", lineptr[i]);
              return 0;
 }
118
 E xe rci s e 5 -1 4 : (pa ge 12 1 K&R)
 Mo d if y th e so rt p ro g ra m to ha nd le a -r f la g, wh ich in d ica te s so rt in g
in re ve rse (d e cre a sin g ) o rde r. B e su re th at -r wo rks wit h -n .
 #include <stdio.h>
 #include <string.h>
 1 st b it = 0 so rt in in cre a sin g o rd e r
          = 1 so rt in d ecre a sing o rde r (- r)
 I f t he re is an o pt ion p re sen t , t he n th e b it wise in clu sive O R op e rat o r
(|) se t s t he ap p rop ria t e b it in t he va riab le o p t i o n . The sta te me n t
              option|=DECR;
 is e qu iva len t to
              option= option 1 2;
 Th e d ecima l nu mbe r 2 is eq u iva le nt t o 0 00 00 01 0 in b ina ry. S in ce
 1 O R a n yt h ing = 1
 t he ab o ve C sta t e men t se t s th e 1 st bit in t he cha ra ct e r va ria b le
op t ion to 1. (Th e b it s a re nu mb e red 0, 1, 2 , . . . f ro m rig h t to lef t . )
 To de te rmin e if an op t io n i s s e t we u se t he b it wise AND (t ) op e ra t o r.
Th e exp re ssion
              option & DECR
 is t ru e if th e - r op t ion is req u e st e d an d fa lse if t he -r op t io n is no t
120
req ue st ed .
 w r i t e l i n e s wa s mod if ie d to a ccep t a th ird a rg u men t , d e c r . The
va ria b le d e c r is t he re su lt o f th e exp re ssion o p t i o n & DE CR, wh ich
de te rmin e s wh et he r th e so rte d list is to be p rint ed in de crea sin g o r
in crea sin g o rde r.
 Th e ro u t in e s s t r c m p , n u m c m p , s w a p , q s o r t , a nd r e a d l i n e s are th o se
use d in th e so rt p ro g ra m (p ag e 11 9 K & R).
                                                                                                  121
 E xe rci s e 5 -1 5 : (pa ge 12 1 K&R)
 A dd th e op t io n -f t o fo ld u pp e ran d lo we r ca se t og e th e r, so t ha t ca se
d ist in ct ion s a re n ot ma de du rin g so rt in g; f o r exa mp le , a a nd A
co mp a re eq ua l.
 #Include <stdio.h>
 #Include <string.h>
 #Include <ctype.h>
122
               else{
                       if((nlines=readlines(lineptr, LINES))>0)
                              if(option&NUMERIC)
                                  qsort((void**)lineptr, 0, nlines-1,
                                      (int(*)(void*, void*))numcmp);
                              else if(option&FOLD)
                                  qsort((void**)lineptr, 0, nlines-1,
                                      (int(*)(void*, void*))charcmp);
                             else
                                  qsort((void**)lineptr, 0, nlinea-1,
                                      (int(*)(void*, void*))strcmp);
                              writelines(lineptr,nlines,option&DECR);
                         }else{
                             printf(“input too big to sort\n”);
                             rc=-1 ;
                         }
               }
               return rc;
 }
                                                                                                123
 E xe rci s e 5 -1 6 : (pa ge 12 1 K&R)
 A dd th e -d (" d ire cto ry o rde r”) o pt ion , wh ich ma ke s co mp a rison s o n ly
on |e t - t e rs, n u mb e rs, an d b lan ks. Ma ke su re it wo rks in co n jun ct ion
wit h – f.
 #include <stdio.h>
 #include <ctype.h>
124
               }
     if(argc)
            printf(“Usage:sort -dfnr %c\n”);
       else{
            if((nlines=readlines(lineptr,LINES))>0){
                   if(option&NUMERIC)
                         qsort((void**)lineptr,0,nlines-1,
                         (int(*)void*,void*))numcmp);
                   else
                         qsort((void**)lineptr,0,nlines-1,
                         (int(*)(void*,void*))charcmp);
                   writelines(lineptr,nlines,option&DECR);
          }else{
                   printf(“input too big to sort \n”);
                   rc=-1;
          }
          }
          return rc;
}
             do{
                           if(dir)(
                                          while(!isalnum(*s)&&*s!='\0’)
                                                   s++;
                                          while(!isalnum(*t)&&*t!=’\0’)
                                                   t++;
                      }
                      a=fold ? tolower(*s) : *s;
                      s++;
                      b=fold ? tolower(*t) : *t;
                      t++;
                      if(a==b && a==’0’)
                               return 0;
             } while(a==b);
             return a-b;
}
Th e f ra me wo rk of th is so lut io n is Exe rcise s 5 -14 an d 5 -15 .
3 rd bit = 0 n o d ire cto ry o rd e r
         = 1 d ire cto ry o rd e r ( - d )
I f th e u se r re q ue st s th e d ire cto ry o pt io n , t he th ird b it in o pt ion is se t
t o 1.
                                                                                          125
               option |= DIR;
 DI R (d e cima l 8 ) is 00 00 10 00 in bin a ry no ta t ion (t he b it s a re
nu mbe re d 0, 1, 2, 3, . . . f ro m rig h t to le f t ).
 Th e c h a r c m p ro ut in e (E xe rcise 5 -15 ) wa s mod if ie d to h an d le bo th
th e f o ld o pt io n a nd th e dire ct o ry op t ion .
 I f th e u se r re q ue st s th e d ire cto ry o pt io n th en th e w h i l e loo p
               while(!isalnum(*s) && *s!=' ' && *t!='\0')
                              t++;
 e xa min e s ea ch ch a ra ct e r in th e st rin g t an d skip s o ve r t ho se
ch a ra cte rs t ha t a re no t le t t e rs, n u mb e rs, an d b lan ks. The ma cro
isa ln u m is d ef ine d in < c t y p e . h > . i s a l n u m t e st s f o r alp ha be t ic
ch a ra cte rs (a - z , A -Z) a nd d ig it s (0 - 9 ). I f *s is a n a lph ab e t ic ch a ra cte r
o r a d ig it th en i s a l n u m ( * s ) is n on ze ro; o th e rwise i s a l n u m ( * s ) is
ze ro .
 Th e n ext wh iIe lo op
               while (!isalnum(*t) && *t!=' ' && *t!='\0')
                              t++;
 e xa min e s ea ch ch a ra ct e r in th e st rin g t an d skip s o ve r t ho se
ch a ra cte rs t ha t a re no t le t t e rs, n u mb e rs. an d b lan ks.
 Wh en a le t te r, nu mbe r, o r b lan k is f ou nd in s a nd a le tt e r, n u mb e r, o r
b la n k is fo un d in t, t he rou t in e c h a r c m p co mp a re s th e t wo ch a ra ct e rs.
 We cou ld ha ve t a ke n an ot he r a pp ro a ch a nd cre a te d th re e f un ct ion s
in st e ad o f c h a r c m p : f o l d c m p , d i r c m p , a nd f o l d d i r c m p . f o l d c m p
wou ld f o ld an d co mp a re cha ra cte rs a s c h a r c m p in Exe rcise 5 -1 5.
d ircmp wou ld co mp a re ch a ra ct e rs f o r d ire ct o ry o rd e r, an d f o I d d i r c m p
wou ld f o ld an d co mp a re cha ra cte rs fo r d ire ct o ry ord e r. E a ch
ind ivid ua l fu n ct io n wo u ld be f a st e r t ha n t he cu rre n t c h a r c m p . We
ch o se t o co mp lica te c h a r c m p in ste a d o f cre a t ing mo re f un ct io n s.
 Th e rou t ine s n u m c m p , s w a p , q s o r t , r e a d l i n e s , an d w r i t e l i n e s are
th o se u se d in E xe rcise 5 -1 4.
126
 E xe rci s e 5 -1 7 : (pa ge 12 1 K&R)
 A dd a f ie ld -ha nd lin g cap a b ilit y, so so rt ing ma y be d on e on f ie ld s
wit h in lin e s. e a ch f ie ld so rte d acco rd ing to an ind ep e nd en t se t of
op t ion s. (The ind e x fo t th is bo o k wa s so rte d with -d f fo r th e in d e x
ca t eg o ry an d - n fo r t he pa ge n u mb e rs. )
 #include <stdio.h>
 #include <ctype.h >
 char option=0;
 int pos1=0; /* field beginning with posl */
 int pos2=0; /* ending just before pos2 */
       readargs(argc, argv);
       if((nlines=readlines(lineptr,LINES))>0){
           if(option&NUMERIC)
                            qsort((void**)lineptr,0,nlines-1,
                                           (int(*)(void*,void*)) numcmp);
           else
                            qsort((void**)lineptr,0,nlines-1,
                                           (int(*)(void*,void*)) charcmp);
           writelines(lineptr,nlines,option&DECR);
       }else{
           p r i n t f ( “ i n p u t t o o big t o s o r t \ n " ) ;
           r c = -1 ;
       }
       return rc;
                                                                                                 127
}
    while(--argc>0&&(c=(*++argv)[0])=='-' || c=='+'){
           i f ( c = = ’ -’ & & ! i s d i g i t ( * ( a r g v [ O ] + l ) ) )
                    while(c=*++argv[0])
                             switch(c){
                             case 'd': /*directory order*/
                                             option|=DIR;
                                             break;
                             case 'f': /* fold upper and lower */
                                             option|=FOLD;
                                             break;
                             case 'n': /* numeric sort */
                                             option|=NUMERIC;
                                             break;
                             case 'r': /* sort in decr. Order */
                                             option|=DECR;
                                             break;
                             default:
                                    printf("sort:illegal option %c\n",c);
                                    error(
                                    “ u s a g e : s o r t - d f n r [ + p o s 1] [ - p o s 2]”
                                             );
                                    break;
                    }
           else if(c=='-')
                             pos2=atoi(argv[0]+1);
           else if((posl=atoi(argv[0]+1))<0)
                             error(“Usage:sort -dfnr [+pos1] [pos2]”);
           }
           if(argc || posl>pos2)
                    e r r o r ( “ U s a g e : s o r t - d f n r [ + p o s 1] [ - p o s 2] " ) ;
Th e sou rce f ile n u m c m p . c :
#include <math.h>
#include <ctype.h>
#include <string.h>
128
        double vl , v2;
        char str[MAXSTR];
        i=j * pos1;
        if(pos2>0)
                 endpos=pos2;
        else if((endpos=str1en(s))>strlen(t))
                 endpos=strlen(t);
        do{
                 if(dir){
                          while(i<endpos &&
                                   !isalnum(s[i]) &&
                                   s[i]!=' ' &&
                                   s[i!='\0')
                                            i++;
                          while(j<endpos &&
                                   !isalnum(t[j]) &&
                                   t[j]!=' ‘ &&
                                   t[j]!='\0')
                                            j++;
                 }
                 if(i<endpos && j<endpos){
                          a=fold ? tolower(s[i]) : s[i];
                          i++;
                          b=fold ? tolower([t[j]) : t[j];
                          j++;
                                                        129
                                             if(a==b && a=='\0')
                                                      return 0;
                       }
              } while(a==b && i<endpos && J<endpos);
              return a-b;
 }
 Th e sou rce f ile s u b s t r . c :
 #include <string.h>
              len=strlen(s);
              if(pos2>0 && len>pos2)
                       len=pos2;
              else if(pos2 > 0 && len<pos2)
                       error(”substr: string too short");
              for(j=0, i=pos1; i<len; i++, j++)
                       str[j]=str[i];
              str[j]='\0';
 }
 Th e f ra me wo rk fo r t h is so lu t ion is E xe rcise s 5 -14 , 5 -15 , a nd 5 -16 .
 Th e syn ta x of t he so rt co mma nd is
              sort -dfnr [+pos1] [-pos2]
 I f you wan t t o so rt on f ie ld s wit h in line s yo u can sp e cif y p os1 a nd
po s 2: t he so rt be g in s at p os1 a nd e nd s ju st be fo re po s2 . O th e rwise
po s1 a nd po s 2 a re eq ua l t o 0 an d t he en t ire line is th e so rt ke y.
 Th e rou t ine re a da rg s re ad s th e co mma n d lin e a rg u me nt s. Th e wh ile
loo p in re a da rg s is t ru e wh ile t he re a re a rgu me n t s a nd th e arg u men t
is p re ced e d b y a min u s sig n .
 Th e f irst if sta t e me n t
                 i f ( c = = ' - ' && !i s d i g i t ( * ( a r g v [ 0 ] + 1 ) ) )
 is t ru e if th e a rg u men t is a minu s sig n f o llo wed b y a n on -d ig it. Th e
swit ch sta t e me n t p ro ce sse s th e se a rg u men t s t he sa me wa y a s in
Exe rcise s 5 -14 , 5-1 5, a nd 5 -16 .
 Th e n ext e l s e -i f st a te me nt
              else if(t=='-')
130
 is t ru e o n ly if t he a rg u men t spe cif ie d is t he op t ion a l - p o s 2.
 Th e f ina l e l s e - i f sta t e men t p ro ce sse s + p o s 1 a nd ma ke s su re it is
g re a te r t ha n ze ro .
 cha r c m p is a mo d if ied ve rsio n o f th e fu n ct io n in t he p re viou s
exe rcise s. Th is ve rsio n ha nd le s f ie ld s.
 n u m c m p co mpa re s n u mb e rs like th e p re viou s ve rsion b ut req u ire s a
ne w rou t in e s u b s t r sin ce a to f d oe s no t t a ke o rig in a nd len g th a s
a rg u men t s. It is sa f e r to in ve n t a ne w rou t in e s u b s tr rat h e r th an to
ch a ng e t he in te rf a ce o f a h ig h ly used f un ct ion like a t o f .
 Th e rou t ine s s w a p , q s o r t , r e a d l i n e s , a nd w r i t e l i n e s are t ho se
use d in E xe rcise 5 -14 . e r r o r is th e f un ct ion f ro m E xe rcise 5 -13 .
                                                                                          131
Ex e rc is e 5 -18 : (pa ge 1 26 K&R)
Ma ke d c l re co ve r f ro m inp u t e rro rs.
#include <stdio.h>
#include <string.h>
#include <ctype.h>
void dcl(void);
void dirdcl(void);
v o i d e r r m s g( c h a r * ) ;
int gettoken(void);
             if(tokentype=='('){ /* (dcl) */
                      dcl();
                      if(tokentype==')'){
                               errmsg>("error: míssíng )\n”);
             }else if(tokentype==NAME)/* variable name */
                      strcpy(name, token);
             else
                      errmsg(“error:expected name or (dcl)\n”);
             while((type=gettoken())==PARENS || type==BRACKETS)
                      if(type==PARENS)
                           strcat(out," function returning”);
                      else {
                           strcat(out,” array”);
132
                      strcat(out,” token”);
                      strcat(out," of" );
                }
}
        if(prevtoken==YES){
                 prevtoken=NO;
                 return tokentype;
        }
        while((c=getch())==’ ‘ || c=='\t' )
                 ;
        if(c=='('){
                 if((c=getch())==')'){
                          strcpy(token,"()");
                          return tokentype=PARENS;
                 }else{
                          ungetch(c);
                          return tokentype='(';
                 }
        }else if(c=='['){
                 for(*p++=c; (*pp++=getch())!=']'; )
                          ;
                 *p='\0';
                 return tokentype=BRACKETS;
        }else if(isalpha(c)){
                                                       133
                           for(*p++=c; isalnum(c=getch()); )
                                    ;
                           p++=*c;
                           *p='\0';
                           ungetch(c);
                           return tokentype=NAME;
             }else
                           return tokentype=c;
 }
 We mod if ie d d i r d c l a lit t le be cau se t h is fu n ct io n e xp e ct s on e of t wo
to ken s: a ')' a ft e r a ca ll t o d cl o r a na me . If it is ne ith e r of t he se
to ken s we in vo ke e r r m s g in st e ad of p r i n t f . e r r m s g d isp la ys th e
e rro r me ssa ge a nd se t s p r e v t o k e n t o ind ica te t o g e t t o k e n th at a
to ken is a lrea d y ava ila b le . g e t t o k e n h as a n e w i f st at e men t at t he
be g in n ing :
             if(prevtoken==YES){
                           prevtoken=NO;
                           return tokentype;
             }
 Th at is, if th e re is a to ken a va ila b le d o n ot ge t a ne w o ne ye t .
 O u r mo d if ied ve rsio n is n ot bu lle t -p ro o f , bu t it h as an imp ro ved erro r
ha nd lin g ca pa b ilit y.
134
 E xe rci s e 5 -1 9 : (pa ge 12 6 K&R)
 Mo d if y u n d c l so th a t it d oe s no t a dd red un d an t pa ren t he se s to
de cla rat io n s.
 #include <stdio.h>
 #include <string.h>
 #include <ctype.h >
 void dcl(void);
 void dirdcl(void);
 int gettoken(void);
 int nexttoken(void);
      while(gettoken()!= EOF){
          strcpy(out,token);
          while((type=gettoken())!='\n')
               if(type==PARENS||type==BRACKETS)
                    strcat(out,token);
               else if(type=='*'){
                    if((type=nexttoken())==PARENS||
                             type==BRACKETS)
                             sprintf(temp,"(*%s)”,out);
                    else
                             s p r in t f ( t e m p , ” * % s " , o u t ) ;
                    strcpy(out,temp);
               )else if(type==NAME){
                    sprintf(temp,”%s %s",token,out);
                    strcpy(out,temp);
               }else
                    printf(“invalid input at %s\n”,token);
           printf("%s\n",out);
           }
          return 0;
 }
                                                                               135
 int gettoken(void);
              type=gettoken();
              prevtoken=YES;
              return type;
 }
 Fo r t he de scrip t ion " x is a po int e r t o cha r, ” th e in p ut t o u n d c l is
              x * char
 a nd u n d c l p ro du ce s
              char (*x)
 Th e pa ren t he se s a re red u nd an t . I n fa ct , th e pa re nt h e se s                a re
req u ire d o n ly wh e n t he ne xt to ken is e it h e r ( ) o r [ ] .
 Fo r exa mp le , " da yta b is a po int e r to a n arra y of [ 13 ] in t, ” t he in pu t
fo r u n d c l is
              daytab *[13] int
 a nd u n d c I p ro du ce s
              int (*daytab)[13]
 wh ich is co rre ct . O n th e o th e r h an d, " da yta b is an a rra y o f [1 3 ]
po in te rs t o in t , ” th e in pu t is
              daytab [13] * int
 a nd u n d c l p ro du ce s
              int (*daytab[13])
 Th is t ime th e p a re n th e se s a re re d un da n t.
 We mod if ie d u n d c l to che ck if th e n ext t o ke n is ( ) o r [ ]. If it is ( ) o r
[ ] th e p a ren th e se s a re ne ce ssa ry, o th e rwise th e pa ren t he se s are
red un d an t . We lo o k ah ea d o ne to ken be fo re we ma ke th e de cisión
ab ou t ad d in g pa ren t he se s.
 We crea t ed a simp le f un ct io n ca lle d n e x t t o k e n t ha t in vo ke s
g e t t o k e n , re co rd s t he fa ct th a t th e re is a t o ke n a va ila b le, an d ret u rn s
th e to ken typ e. g e t t o k e n is th e fu n ct io n f ro m E xe rcise 5 -18 t ha t
ch e cks if t he re is a t o ke n alre a d y a va ila b le be fo re it ge t s a ne w on e
f ro m th e in pu t .
136
 Th e mod if ie d u n d c l do e s no t p ro d u ce re d un da n t pa re nt he se s. Fo r
exa mp le, f o r th e in pu t
             x * char
 t he mod if ie d u n d c l p rod u ce s
             char *x
 Fo r
             daytab * [13] int
 is
             int (*daytab)[13]
 A nd fo r
             daytab [13] * int
 is
             int *daytab[13]
                                                                                    137
 E xe rci s e 5 -2 0 : (pa ge 12 6 K&R)
 E xpa nd d c l t o ha nd le d ecla ra t ion s wit h f un ct io n a rg u men t t ype s,
qu a lif ie rs like c o n s t , a nd so o n.
 #include <stdio.h>
 #include <string.h>
 #include <ctype.h>
 void dcl(void);
 void dirdcl(void);
 void errmsg(char *);
 int gettoken(void);
 /* dcl:parse a declarator */
 void dcl(void)
 {
         int ns;
 /* d i r d c l : p a r s e a d i r e c t d e c l a r a t i o n * /
 void dirdcl(void)
 {
              int type;
              void parmdcl(void);
              if(tokentype=='('){ /* (dcl) */
                       dcl();
                       if(tokentype!=')')
                                errmsg(“error: missing)\n”);
              } else if(tokentype==NAME){ /* variable name */
                       if(name[0]=='\0')
                                strcpy(name,token);
              } else
                       prevtoken=YES;
138
           while((type=gettoken())==PARENS ||
                    type==BRACKETS || type==’(’)
                    if ( t y p e = = P A R E N S )
                           strcat(out,”function returning");
                    else if(type==’(’){
                            strcat(out,” function expecting”);
                            parmdc();
                            strcat(out,” and returning”);
                    }else{
                            strcat(out,” array”);
                            strcat(out,token);
                            strcat(out,” of”);
                    }
}
void dcl(void);
void errmsg(char *) ;
void dclspec(vold);
int typespec(void);
int typequal(void );
int compare(char **, char **);
int gettoken(void);
extern int tokentype; /* type of last token */
extern char token[]; /* last token string */
extern char name[]; /* identifier name */
extern char datetype[]; /* data type = char, int, etc. */
extern char out[];
extern int prevtoken;
                                                             139
          dclspec();
      }while(tokentype==',');
      if(tokentype!=')')
          errmsg(“missing ) in parameter declaration\n”);
}
      temp[0]='\0';
      gettoken();
      do{
          if(tokentype!=NAME){
               prevtoken=YES;
               dcl();
           }else if(typespec()==YES){
               strcat(temp,” ");
               strcat(temp,token);
               gettoken();
           }else if(typequal()==YES){
               strcat(temp,“ “);
               strcat(temp,token);
               gettoken();
           }else
               errmsg("unknown type in parameter list\n”);
      }while(tokentype!=',' && tokentype!=’)');
      strcat(out, temp);
      if(tokentype==',')
           strcat(out,",");
}
          if(bsearch(&pt,types,sizeof(types)/sizeof(char*),
                   sizeof(char *), compare)==NULL)
                            return NO;
          else
                   return YES;
}
140
 int typequal(void)
 {
         static char *typeq[]={
                  "const",
                  "volatile"
         };
         char *pt=token;
         if(bsearch(&pt,typeq,sizeof(typeq)/sizeof(char *),
                  sizeof(char *), compare)==NULL)
                           return NO ;
         else
                  return YES;
 }
 direct-dcl:      name
                  (dcl)
                  direct-dcl (optional parm-dcl)
                  direct-dcl [optional size ]
                                                                                        141
         po in te r t o vo id
 We mod if ie d th e f un ct ion d i r d c l an d a dd ed t he fu n ct io n s p a r m d c l
an d d c l s p e c .
 We u se t he loo kah e ad fa cilit y we d eve lop ed f o r Exe rcise 5 -18 .
So me t ime s we n ee d to p ee k a t a to ken be fo re we d ecid e wh at act ion
to ta ke . S o me t ime s we ha ve a to ke n ava ila b le t ha t we can n ot u se yet
so we pu sh it ba ck; th e n ext ca ll t o g e t t o k e n , e lse whe re in t he
pa rse r, re t rie ve s t ha t sa me to ken a ga in an d u se s it .
 b s e a r c h is a st an da rd lib ra ry ro ut in e th at p e rf o rms b ina ry se a rch .
142
                                                   CHAPTER     6              Structures
 E xe rci s e 6 -1 : (pa ge 1 36 K&R)
 O u r ve rsió n o f ge t wo rd do e s n ot p ro p e rly ha nd le un de rsco re s, st rin g
co n sta n t s, co mme n t s, o r p re p ro ce sso r co n t ro l lin e s. Writ e a b et t e r
ve rsió n .
 #include <stdio.h>
 #include <ctype.h>
      while(isspace(c=getch()))
           ;
      if(c!=EOF)
           *w++=c;
      if(isalpha(c)||c=='_'||c=='#'){
           for(; --lim>0;w++)
                if(!iselnum(*w=getch())&& *w!=’_’){
                     ungetch(*w);
                     break;
                }
      }else if(c=='\’’ || c=='”'){
           for(; --lim>0; w++)
                if((*w=getch())=='\\')
                     *++w=getch();
                else if(*w==c){
                     w++;
                     break;
      }else if(*w==EOF)
                break;
      }else if(c=='/')
           if((d=getch())=='*')
                c=comment();
           else
                ungetch(d);
           *w='\0';
           return c ;
 }
              while((c=getch())!=EOF)
                                                                                       143
                   if(c=='*')
                        if((c=getch())=='/')
                                 break;
                        else
                                 ungetch(c);
                   return c;
 }
 To ha nd le un de rsco re s an d p rep ro ce sso r co mma nd s we ch an g ed
             if(!alpha(c))
 to
             if(isalpha(c)|| c==’_' || c==’#')
  Th e a lp ha n u me ric cha ra ct e rs   a nd   u nd e rsco re s   th at   fo llo w   are
t re a te d as p a rt o f t he wo rd.
 S t ring con st an t s ma y a pp ea r wit h in sing le o r do ub le q uo t e s. O nce
we de te ct a q uo te we ga th e r cha ra ct e rs u nt il we f ind t he clo sin g
qu ot e o r EO F.
 We ign o re co mmen t s a nd re t u rn th e en d ing sla sh cha ra cte r. Th is
pa rt of th e co de is simila r to E xe rcise 1 -24 .
144
 E xe rci s e 6 -2 : (pa ge 1 43 K&R)
  Writ e a p ro g ra m th a t re ad s a C pro g ra m an d p rin t s in a lp h ab et ica l
o rd e r ea ch g ro up of va riab le na me s th at a re id en t ica l in th e f irst 6
ch a ra cte rs. b ut d iff e ren t so me wh e re t he re a ft e r. Do n ’t cou n t wo rd s
wit h in st rin g s a nd co mmen t s. Ma ke 6 a pa ra met e r th a t ca n b e se t
f ro m th e co mma nd lin e.
 #include      <stdio.h>
 #include      <ctype.h>
 #include      <string.h>
 #include      <stdlib.h>
                                                                                     145
 /* addtreex: add a node with w, at or below p */
 struct tnode *addtreex(struct tnode *p, char *w,
         int num, int *found)
 {
         int cond;
146
 Th e va ria b le f o u n d is a bo o le a n. f o u n d e qu a ls YE S if t he wo rd is
ide n t ica l in n u m cha ra cte rs to a wo rd in t he t re e an d e qu a ls NO
ot he rwise .
 Th e p ro g ra m p la ce s a wo rd in th e t re e if it s f irst cha ra cte r is
a lp ha b et ic an d it s len g th is g rea t e r t ha n o r e qu a l to n u m. g e t w o r d is
th e fu n ct io n f ro m Exe rcise 6 -1 . The ro u t in e a d d t r e e x . wh ich is a
mod if ica t ion o f a d d t r e e (p ag e 1 41 K& R). in st a lls a wo rd in t he t ree .
 Th e ro u t in e c o m p a r e co mpa re s th e wo rd be in g p la ce d in t he t ree to a
wo rd a lre ad y in th e t ree . If t he re is a ma t ch in th e f irst n u m
ch a ra cte rs, t he n * f o u n d an d t he mat ch me mbe r ( p - > m a t c h )
co rre sp on d ing t o t he wo rd in th e t re e a re se t eq ua l t o YES .
                if(i >=num){
                              *found=YES;
                              p->match=YES;
                }
 Th e rou t ine t r e e x p r i n t prin t s t he wo rd s in th e t re e t ha t            a re
ide n t ica l, in th e f irst n u m cha ra cte rs, t o a t le a st o ne ot he r wo rd .
                                                                                          147
 E xe rci s e 6 -3 : (pa ge 1 43 K&R)
 Writ e a cro ss-re fe re n ce r th at p rint s a list of all wo rd s in a do cu men t ,
an d. f o r e a ch wo rd, a list of th e lin e nu mbe rs o n wh ich it occu rs.
Re mo ve no ise wo rd s like “t he ," “a nd . " a nd so o n.
 #include     <stdio.h>
 #include     <string.h>
 #include     <ctype.h>
 #include     <stdlib.h>
 /* cross-referencer */
 main()
 {
     struct tnode *root;
     char word[MAXWORD];
     int linenum=1;
      root=NULL;
      while(getword(word,MAXWORD)!=EOF)
          if(isalpha(word[0]) && noiseword(word)==-1)
                   root=eddtreex(root, word, linenum);
          else if(word[0]=='\n')
                   linenum++;
      treexprint(root);
      return 0;
 }
148
/* addtreex: add a node with w, at or below p */
struct tnode *addtreex(struct tnode *p, char *w,
    int linenum)
{
    int cond;
    if(p==NULL){ /* a new word has arrived */
         p=talloc(); /* make a new word */
         p->word=strdup(w);
         p->lines=lalloc();
         p->lines->lnum=linenum;
         p->lines->ptr=NULL;
         p->left=p->right=NULL;
    else if((cond=strcmp(w,p->word))==0)
         addin(p,linenum);
    else if(cond<0)
         p->left=addtreex(p->left,w,linenum);
    else
         p->right=addtreex(p->right,w,linenum);
    return p;
}
                                                        149
 /* lalloc: make a linklist node */
 struct linklist *lalloc(void)
 {
         return (s t r u c t l i n k l i s t * )
                    malloc(sizeof(struct linklist));
 }
              while(low<=high){
                       mid=(low+high)/2;
                       if((cond=strcmp(w,nw[mid]))<0)
                                high=mid-1;
                       else if(cond>0)
                                low=mid+1;
                       else
                                return mid;
              }
              return -1;
 }
 Th e t re e con t a in s o ne no de pe r d ist in ct wo rd . E a ch no de con t a in s
 a po int e r t o t he te xt of th e wo rd ( w o r d )
 a po int e r t o a lin ke d list o f line nu mb e rs ( I i n e s )
 a po int e r t o t he lef t ch ild n od e ( I e f t )
 a po int e r t o t he rig ht ch ild n od e ( r i g h t )
 E a ch e le me n t o f t he lin ked list o f lin e nu mbe rs is a st ru ct u re o f t ype
l i n k l i s t . E a ch st ru ct u re co nt a in s a lin e n u mb e r a nd a po in te r t o t he
ne xt e le men t in t he lin ked list . Whe n th e re a re no mo re e le me n t s in
150
th e list , t he po in te r is NULL .
   Th e rou t ine a d d t r e e x is a mo d if ied ve rsio n o f a d d t r e e (p ag e 14 1
K& R). a d d t r e e x in sta lls t he wo rd in t he t ree an d in st a lls th e lin e
nu mbe r in t he co rre spo nd in g lin ked list . If it is a n e w wo rd, th en t he
f irst ele me nt in th e lin ke d list g et s a ssig n ed th e line nu mb e r:
              p->lines->lnum=linenum;
 I f a wo rd a lre ad y is in th e t re e
              ((cond=strcmp(w,p->word))==0)
 t he n th e ro ut in e addln ad ds t he line n u mb e r to th e lin ke d list .
  a d d l n t ra ve rse s th e lin ked list lo o kin g f o r a n occu rre n ce o f th e sa me
line n u mb e r o r NULL :
              while(temp->ptr !=NULL && temp->lnum !=linenum)
                       temp=temp->ptr;
 I f t he lin e n u mb e r is no t in t he list , th e rou t ine ad ds th e line nu mbe r
at th e en d o f t he lin ke d list :
                 if(temp->lnum !=linenum) {
                                temp->ptr=lalloc();
                                temp->ptr->lnum=linenum;
                                temp->ptr->ptr=NULL;
                 }
 t r e e x p r i n t is a mo d if ied ve rsion o f t r e e p r i n t (p a ge 14 2 K & R).
t r e e x p r i n t prin t s th e t re e in a lp h ab e t ica l o rde r. Fo r e a ch wo rd in t he
t re e , t h is rou t in e p rint s th e wo rd an d a ll lin e nu mb e rs wh e re th e wo rd
occu rs.
 n o i s e w o r d is a fu n ct io n t ha t sea rch e s a wo rd in a s t a t i c a rra y o f
no ise wo rd s. If a wo rd is no t on e o f t he no ise wo rd s, th en t he fu n ct io n
ret u rn s - 1. Yo u ca n a dd yo u r o wn wo rd s to n w [ ] as lon g as you ke e p
th e a rra y in so rt ed a sce n d in g A S CI I o rd e r.
 We mod if ie d g e t w o r d to re tu rn ‘\n ’ so th at we ca n kee p t ra ck o f line
nu mbe rs:
              while(isspace(c=getch() && c !='\n')
                             ;
                                                                                            151
 E xe rci s e 6 -4 : (pa ge 1 43 K&R)
  Writ e a p ro g ra m th a t p rin t s th e d ist in ct wo rd s in it s inp u t so rt ed in to
de crea sin g o rd e r of f req ue n cy of occu rre n ce . P re ce de ea ch wo rd by
it s co un t .
 #include <stdio.h>
 #include <ctype.h>
      root=NULL;
      while(getword(word,MAXWORD)!=EOF)
           if(isalpha(word[0]))
           root=addtree(root,word);
      treestore(root);
      sortlist();
      for(i=0;i<ntn;i++)
           printf("%2d:%20s\n",list[i]→count,list[i]→word);
      return 0;
 }
152
              if(ntn<NDISTINCT)
                       iist[ntn++] *p;
              treestore(p→right);
      }
 }
                                                                                        153
 E xe rci s e 6 -5 : (pa ge 1 45 K&R)
 Writ e a fu n ct io n undef th at will re mo ve a n a me a nd de f in it io n f ro m
th e t ab le ma int a ine d by l o o k u p a nd i n s t a l l .
 unsigned hash(char *);
       prev=NULL;
       h=hash(s); /* hash value of atring a */
       for(np=hashtab(h);np!= NULL;np=np→next){
           if(strcmp(s,np→name)==0)
                     break;
           prev=np; /* remember previous entry */
       }
       if(np!=NULL){ /* found name */
           if(prev==NULL)/* first in the hash list ? */
                     hashtab[h]=np→next;
           else /* elsewhere in the hash list */
                     prev→next=np→next;
           free((void *) np->name);
           free((vold *) np->defn);
           free((void *) np); /* free allocated atructure */
       }
 }
   Th e ro u t in e u n d e f lo o ks fo r t he st ring s in t he t ab le . Wh en u n d e f
f in d s th e st rin g a it exit s t he loo p:
               if (strcmp(s,np->name)==0)
                           break;
 I f th e st rin g a is no t in t he ta b le , th e f o r lo o p t e rmin at e s whe n th e
po in te r n p b eco me s N U L L .
  I f n p is no t NUL L th e re is a na me an d a d ef in it io n t o b e re mo ved
f ro m t he t ab le . A n en t ry in h a s h t a b po int s to t he b eg inn in g o f a lin ke d
list . np p o in t s to t he en t ry to be re mo ve d a nd p r e v po int s t o a n e nt ry
p re ced in g np .
 Wh en p re v is NUL L t he n np is th e f irst e nt ry in th e lin ked list sta rt in g
at h a s h t a b [ h ] :
              if(prev==NULL)
                       hashtab[h]=np→next;
              else
                       prev->next=np->next;
 A ft e r re mo ving t he np en t ry, th e sp a ce a llo ca t ed f o r t he n a me , th e
154
de f in it io n , a nd th e st ru ct u re it se lf is f re ed ( f r e e . p ag e 1 67 K& R):
              free((void *) np->name);
              free((void *) np->defn);
              free((void *) np);
                                                                                               155
 E xe rci s e 6 -6 : (pa ge 1 45 K&R)
 I mp le men t a simp le ve rsio n of th e # d e f i n e p ro ce sso r (i. e . , no
a rg u men t s) su it ab le fo r u se wit h C p ro g ra ms, ba sed o n th e rou t in e s
of th is se ct io n . You ma y also f in d g e t c h an d u n g e t c h h elp fu l.
 #include <stdio.h>
 #include <ctype.h>
 #include <string.h>
      while(getword(w, MAXWORD)!=EOF)
          if(strcmp(w,”#”)==0) /* beginning of direct. */
                getdef();
           else if(!isalpha(w[0]))
                printf(“%s”,w); /* cannot be defined */
           else if((p=lookup(w))==NULL)
                printf(“%s", w); /* not defined */
           else
                ungets(p→defn); /* push definition */
      return 0;
 }
156
    char def[MAXWORD], dir[MAXWORD], name[MAXWORD];
    skipblanks();
    if(!isalpha(getword(dir, MAXWORD)))
     error(dir[0],”getdef:expecting a directive after #”);
    else if(strcmp(dir,''define'')==0){
        skipblanks();
        if(!isalpha(getword(name,MAXWORD)))
             error(name[0],
                  "getdef:non-alpha - name expected”);
        else{
             skipblanks();
             for(i=0;i<MAXWORD-1; i++)
                  if((def[i]=getch())==EOF || def[i]=='\n')
                           break;/* end of definition */
             def[i]='\0';
             if(i<=0) /* no definition ?     */
                  error(' \n','getdef: incomplete define");
             else   /* install definition */
                  install(name,def);
        }
        }else if(strcmp(dir,"undef")==0){
             skipblanks();
             if(!isalpha(getword(name, MAXWORD)))
                  error(name[0],
                           ”getdef: non-alpha in undef”);
             else
                  undef(name);
        }else
             error(dir[0],
               ”getdef: expecting a directive after #”);
}
                                                                157
 Th e ma in p ro g ra m co n ta in s th e bo dy o f t h is simp le p ro ce sso r.
Dire ct ive s ( d e f i n e , u n d e f ) a re e xp e cte d t o fo llo w a # a nd t he
fu n ct io n g e t d e f re so lve s t ha t . If g e t w o r d do es no t ret u rn a n
a lp ha b et ic ch a ra cte r, th en th e wo rd co u ld n ot h ave b ee n de f ine d a nd
th e p ro g ra m prin t s t he wo rd . O th e rwise th e p ro g ra m sea rch e s f o r a
po ssib le de f in it io n f o r t he wo rd . Wh en a d ef in it io n exist s. t he fu nct io n
u n g e t s (E xe rcise 4 -7 ) pu sh e s it b a ck in re ve rse o rde r o nt o th e in pu t
st re a m.
 Th e f un ct ion getdef h an d le s th e dire ct ive s:
                      #define name definition
                      #undef        name
 Th e n a me is e xp e cte d to be alp ha nu me ric.
 I n a d e f i n e , t he loo p
       for(i=0;1<MAXWORD-1;i++)
              if((def[i]=getch())==EOF || def[i]='\n');
                             break ;
  g at he rs th e d ef in it ion un t il it f in d s th e e nd o f th e line o r en d of f ile .
If a d ef in it io n exist s, g e t d e f in st a lls it in th e ta b le u sin g t he i n s t a l l
fu n ct io n (pa ge 1 45 K& R).
 A n u n d e f d ire ct ive ca u se s a n a me to b e re mo ve d f ro m t he t ab le
(E xe rcise 6 -5 ).
 We mo d if ied g e t w o r d to ret u rn sp a ce s so t ha t th e o ut p ut re se mb le s
th e in pu t da ta .
158
                                         CHAPTER    7                Input and Output
 E xe rci s e 7 -1 : (pa ge 1 53 K&R)
 Write a program that converts upper case to lower case or lower case to upper,
depending on the name it is invoked with, as found in a r g v c[0].
 #include <stdio.h>
 #include <string.h>
 #include <ctype.h>
       if(strcmp(argv[0],"lower")==0)
            while((c=getchar())!=EOF)
                     putchar(tolower(c));
       else
            while((c=getchar())!=EOF)
                     putchar(toupper(c));
       return 0;
 }
  When the program is invoked with the name lo w e r , it converts upper case to
lower case. Otherwise it converts lower case to upper.
 s t r c m p returns zero when a r g v [ 0 ] is the string l o w e r .
 Th e st at e men t
              if(strcmp(argv[0],”lower”)==0)
                                                                                      159
 E xe rci s e 7 -2 : (pa ge 1 55 K&R)
 Write a program that will print arbitrary input in a sensible way. As a mínimum, it
should print non-graphic characters in octal or hexadecimal according to local
custom, and break long text lines.
 #include <stdio.h>
 #include <ctype.h>
160
ch a ra cte r re se t s p o s :
             if(c==' \n'){
                           pos=0;
                           putchar('\n');
             }
 Th e f un ct ion i n c re tu rn s th e la st po sit io n u se d an d b rea ks a lin e if
th e re a re no t n p la ce s ava ila b le f o r ou tp ut .
                                                                                    161
E xe rci s e 7 -3 : (pa ge 1 56 K&R)
Re vise m i n p r i n t f to ha nd le mo re o f t he ot he r f a cilit ie s of p r i n t f .
#include <stdio.h>
#include <stderg.h>
#include <ctype.h >
                                                                                         163
 E xe rci s e 7 -4 : (pa ge 1 59 K&R)
 Writ e a p rí va te ve rsió n o f s c a n f a na log ou s to m i n p r i n t f f ro m th e
p re vio u s se ct ion .
 #include <stdio.h>
 #include <stdarg.h>
 #include <ctype.h>
164
                  sval=va_arg(ap,char *);
                  scanf(localfmt, sval);
                  break;
              default:
                  scanf(localfmt);
                  break;
              }
              i=0; /* reset index */
       }
       va_end(ap);          /* clean up */
 }
 m i n s c a n f is simila r to m i n p r i n t f . Th is fu n ct io n co lle ct s ch a ra ct e rs
f ro m th e f o rma t st rin g un t il it f in d s a n a lph ab e t ic ch a ra cte r a ft e r a %.
Th a t is th e l o c a l f m t pa sse d t o s c a n f alo ng wit h t he ap p ro p ria te
po in te r.
 Th e a rg u men t s t o s c a n f a re po in te rs: a p o in t e r t o a fo rma t st rin g
an d a po int e r t o t he va ria b le th at re ce ive s t he va lu e f ro m sca nf . We
use v a _ a r g to ge t t he va lu e of th e p o in t e r an d co p y it t o a lo ca l
po in te r an d we ca ll s c a n f . s c a n f t he n rea d s a va lu e in to th e use r ’s
va ria b le .
                                                                                            165
 E xe rci s e 7 -5 : (pa ge 1 59 K&R)
 Re writ e t he po stf ix ca lcu lat o r o f Ch ap te r 4 to u se s c a n f an d/ o r
ssca n f t o do t he in pu t an d n u mb e r co n ve rsion .
 #include <stdio.h>
 #include <ctype.h>
       sscanf(lastc,”%c",&c);
       lastc[0]=' ';
       while((s[0]=c)==' '||c==’\t’)/*clear last character*/
            if(scanf(“%c",&c)==EOF)
                     c=EOF;
       s[1]=’\0’;
       if(!isdigit(c)&&c!='.')
            return c; /* not a number */
       i=0;
       if(isdigit(c)) /* collect integer part */
       do{
            rc=scanf(“%c”,&c);
            if(!isdigit(s[++i]=c))
                     break;
       }while(rc!=EOF);
       if(c=='.') /* collect fraction part */
            do{
                     rc=scanf(“%c”,&c);
                     if(!isdigit(s[++i]=c))
                              break ;
            }while(rc!=EOF);
      s[i]='\0';
      if(rc!=EOF)
        lastc[0]=c;
      return NUMBER;
 }
 Th e f un ct ion g et op (pa g e 7 8 K & R) is th e on ly rou t ine mo d if ied .
 O ne th in g t o re me mb e r be t wee n ca lls t o g e t o p is th e cha ra ct e r
fo llo win g a nu mb e r. l a s t c is a t wo e le men t st a t ic a rra y t ha t
re me mbe rs t he la st cha ra ct e r rea d ( s s c a n f expe ct s a st rin g ).
 Th e ca ll
              sscanf(lastc, “%c", &c)
166
 re ad s t he ch a ra cte r p ut in l a s t c [ 0 ] . Yo u co u ld use
               c=lastc[0]
 in ste a d.
 s c a n f re t u rn s th e n u mb e r o f su cce ssfu lly ma t ch e d an d assig ne d
inp u t it e ms (pa g e 1 57 K& R). An d it re tu rn s EO F o n e nd of f ile.
 We a lso ch an ge d th e e xp re ssio n
               isdigit(s[++i]=c=getch())
 in to
               rc=scanf(“%c”,&c);
               if(!isdigit(s[++i]=c))
                           break;
 b eca u se we ha ve t o in vo ke s c a n f , assig n th e cha ra ct e r to th e st rin g
s, a nd th en t est fo r a dig it .
 I t is po ssib le th at s c a n f f ou nd E O F a nd con seq u en t ly d id n ot a lte r
th e va ria b le c. Tha t ’s wh y we t e st f o r
               rc!=EOF
 scan f d oe s n ot he lp imp ro ve th e o rig ina l ge to p whe n we re ad on e
ch a ra cte r a t a t ime wit h s c a n f .
 A no th e r p ossib le so lu t ion is:
 #include <stdio.h>
 #include <ctype.h>
               while((rc=scanf(”%c",&c))!=EOF)
                        if((s[0]=c)!=’ ' && c!='\t')
                                  break;
               s[1]=’\0’;
               if(rc==EOF)
                        return EOF;
               else if(!isdigit(c) && c!='.')
                        return c;
               ungetc(c,stdin);
               scanf(“%f”,&f);
                                                                                    167
             sprintf(s,”%f",f);
             return NUMBER;
 }
 We re ad a ch a ra ct e r at a t ime un t il we f in d on e t ha t is ne ith e r a
b la n k no r a t ab . Th e loo p ma y a lso t e rmí na t e d ue to en d o f f ile .
 I f t he cha ra ct e r is e it he r a d ig it or a de cima l p o in t , we p ush it b a ck
on to t he inp ut u sing th e lib ra ry fu n ct io n u n g e t c . Th en we rea d t he
nu mbe r. S in ce g e t o p re tu rn s th e nu mbe r a s a f loa t ing - po int va lue , we
use s p r i n t f to co n ve rt t he va lu e of f in to a ch a ra ct e r st ring in 3.
168
 E xe rci s e 7 -6 : (pa ge 1 65 K&R)
 Writ e a p ro g ra m to co mpa re t wo f ile s. p rin t ing t he f irst line whe re
th e y d iff e r.
 #include <stdio.h>
 #include <stdlib.h>
 #include <string.h>
      do{
            lpl=fgets(linel,MAXLINE,fp1);
            lp2=fgets(line2,MAXLINE,fp2);
            if(lpl==linel || lp2==1ine2){
                if(strcmp(linel,line2)!=0){
                     printf(“first difference in line\n%s\n”,
                              linel);
                     lpl=lp2=NULL;
                }
                                                                               169
             }else if(lpl!=line1 && lp2==1ine2)
                  printf(“end of first file at line\n%s\n",
                      line2);
               else if(lpl==linel && lp2!=line2)
                  printf(“end of second file at line\n%s\n",
                      linel);
          }while(lpl==linel && lp2==1ine2);
 }
   Th e nu mbe r o f a rg u men t e sh o u ld be t h re e : p ro g ra m n a me an d t wo
f ile na me s. The p ro g ra m o pe n s th e f ile s a nd f i l e c o m p co mpa re s
th e m a lin e at a t ime .
 f i l e c o m p re ad s a lin e f ro m e a ch f ile. Th e f un ct ion f ge t s ret u rn s a
po in te r t o t he lin e re ad o r N U L L o n en d o f f ile . If lp 1 a nd lp 2 p oin t to
th e ir re spe ct ive lin e s, ne ith e r f ile ha s en de d a nd l i n e c o m p co mpa re s
th e t wo line s. Wh en th e line s do no t ma t ch , f i l e c o m p prin t s th e lin e
whe re th e y diff e r.
 I f l p 1 or l p 2 do es n ot po int t o it s re spe ct ive lin e , on e o f t he f ile s
ha s en de d (E O F) a nd th e f ile s d iffe r.
 I f b ot h l p 1 an d l p 2 do no t p o in t t o th e ir re sp e ct ive lin e s, b ot h f ile s
ha ve e nd ed (E O F) an d t he f ile s do no t d iffe r.
170
 E xe rci s e 7 -7 : (pa ge 1 65 K&R)
  Mo d if y t he p at te rn - f in d ing pro g ra m o f Cha pt e r 5 t o t ake it s in pu t
f ro m a se t of n a me d f ile s o r, if no f ile s a re n a me d as a rgu me nt s, f ro m
th e st an d a rd in pu t . S ho u ld t he f ile na me be p rin t ed whe n a ma t ch in g
line is f ou nd ?
 #include <stdio.h>
 #include <string.h>
 #include <stdlib.h>
                                                                                     171
                           fpat(fp,*argv,pattern,except,number);
                           fclose(fp);
                    }
        return 0;
}
        while(fgets(line,MAXLINE,fp)!=NULL){
            ++lineno;
            if((strstr(line,pattern)!=NULL)!=except){
                 if(*fname) /* have a file name */
                      printf("%s - “,fname);
                 if(number) /* print line number */
                      printf(“%ld: “,lineno);
                 printf(“%s”,line);
            }
        }
    }
 Th e ma in p ro g ra m p ro ce sse s t he op t ion a l a rg u men t s a s in Cha p te r 5
(pa ge 11 7 K & R). Af te r th a t, it exp e ct s at le a st on e mo re a rg u men t —
th e pa t te rn . I f f ile na me s d o no t fo llo w th e pa t te rn , it u se s th e
sta nd a rd in p ut . Ot he rwise , it o pe ns a na med f ile . I n e it he r ca se , it
in vo ke s f p a t .
 Mo st o f th e fu n ct io n f p a t is simila r to t he co de in th e o rig in a l ma in
p ro g ra m. I t rea d s a lin e at a t ime un t il f g e t s (p ag e 16 5 K& R) re tu rn s
N U L L . f p a t loo ks f o r th e spe cif ie d pa tt e rn in e ach line . The
po ssib ilit ie s a re :
    (strstr(line,pattern)!=NULL)   !=                       except
                             result
172
 E xe rci s e 7 -8 : (pa ge 1 65 K&R)
 Writ e a p ro g ra m t o p rin t a se t o f f ile s, st a rt ing ea ch ne w o ne o n a
ne w pa ge , wit h a t it le a nd a run n ing p ag e cou n t f o r ea ch f ile .
 #include <stdio.h>
 #include <stdlib.h>
174
 E xe rci s e 7 -9 : (pa ge 1 68 K&R)
   Fu n ct io n s like i s u p p e r can b e imp le men t ed to sa ve sp a ce or to sa ve
t ime. E xp lo re bo th p ossib ilit ie s.
 /*isupper: return 1 (true) if c is an upper case letter */
 int isupper(char c)
 {
         if (c >= 'A' && c <= 'Z')
                  return 1;
         else
                  return 0;
 }
 Th is ve rsio n o f isu p pe r is a simp le if - e lse co n st ru ct ion th at te st s a
ch a ra cte r.
 I f th e cha ra ct e r is wit h in t he ran ge o f t he A S CII u pp e r ca se le t te rs it
ret u rn s 1 (t ru e ), ot he rwise it re t u rn s 0 (fa lse ). Th is ve rsio n o f
i s u p p e r sa ve s sp a ce .
      #define isupper(c) ((c)>='A' && (c)<='Z') ? 1 : 0
 Th is ve rsion o f i s u p p e r sa ve s t ime an d u se s mo re sp a ce .
 I t sa ve s t ime b ecau se th e re is n o o ve rh e ad of th e fu n ct io n ca ll a nd it
use s mo re spa ce be cau se t he ma cro is expa n de d in lin e eve ry t ime it
is in vo ked .
 A no th e r t h in g to ke ep in min d is t he po te n t ia l p ro b le m if t he
a rg u men t is eva lua t ed t wice .
 Fo r e xa mp le ,
              char *p= "This is a string";
              if(isupper(*p++))
                       . . .
 Th e ma cro exp an d s in t o
      ((*p++)>='A' && (*p++)<='Z') ? 1 : 0
  wh ich , d ep en d ing o n t he va lu e o f *p , will in cre me nt t he po int e r p
t wice. No te t ha t t h is se co nd in cre men t will n ot h ap pe n wh en i s u p p e r
is a f un ct ion be cau se th e a rgu me n t t o t he f un ct ion is e va lu at ed o nce .
 No rma lly th is un e xp e cte d se con d in cre me n t o f t he p o in te r p lea d s to
in co rre ct re su lt s. On e po ssib le so lut io n is:
              char *p='‘This is a string";
              if (isupper(*p))
                        . . .
              p++;
 You have to be aware of macros that may evaluate the argument more than once.
Examples are the macros toupper and tolower in <ctype.h> .
                                                                                       175
                        CHAPTER   8            The UNIX System Interface
176
 The function filecopy reads BUFSIZ characters using the file descriptor
ifd . read returns a byte count of the characters actually read. While the
byte count is greater than 0 there are no errors; a 0 indicates end of file and
a -1 indicates an error. The function write writes n bytes, otherwise an error
has occurred.
 error is the function on page 174 K&R.
 This version is about twice as fast as the original version in Chapter 7 K&R.
                                                                          177
 E xe rci s e 8 -2 : (pa ge 1 78 K&R)
 Rewrite fopen and _ fillbuf with fields instead of explicit bit operations.
Compare code size and execution speed.
 #include <fcntl.h>
 #include "syscalls.h”
 #define PERMS 0666    /* RW for owner, group, others */
178
/* _fillbuf: allocate and fill input buffer         */
int _fillbuf(FILE *fp)
{
          int bufsize;
          if(fp->flag.is_reed ==0 ||
                  fp->flag.is_eof==1 ||
                  fp->flag.is_err==1 )
                      return EOF;
          bufsize=(fp->flag.is_unbuf==1) ? 1:BUFSIZ;
          if(fp->base==NULL) /* no buffer yet */
                  if((fp->base=(char*)malloc(busize)==NULL)
                           return EOF;/* can't get buffer */
          fp->ptr=fp->base;
          fp->cnt=read(fp->fd, fp->ptr, bufsize);
          if(--fp->cnt < 0){
                      if(fp->cnt==-1)
                                fp->flag.is_eof=1;
                      else
                                fp->flag.is_err=1;
                      fp->cnt=0;
                      return EOF;
          }
          return (unsigned char)*fp->ptr++;
}
The typedef for struct _iobuf appears on page 176 K&R. One of
the members of _iobuf is
            int flag;
The variable flag is redefined in terms of bit fields:
            struct flag_field{
                      unsigned        is_read:1;
                      unsigned        is_write:1;
                      unsigned        is_unbuf:1;
                      unsigned        is_buf:1;
                      unsigned        is_eof:1;
                      unsigned        is_err:1;
            };
ln the statement
            if((f->flag &(_READ | _WRITE))==0)
                         break;
the values _READ and _WRITE are OR'ed together:
                                                                179
 (_READ     I             _WRI TE)
      01    |             02           octal
      01    |             10           binary
            11                         result
 This means that the if statement is true when both lower order bits of flag
are off (neither read nor write). lt verifies that an entry in _iob is not being
used for read or write.
 Bit fields explicitly test for this condition:
            if(fp->flag.is_read==0 && fp->flag.is_write==0)
                          break;
 The next modification explicitly sets the bits:
            fp->flag.is_unbuf=0;
            fp->flag.is_buf=1;
            fp->flag.is_eof=0;
            fp->flag.is_err=0;
 Next,
            fp->flag=(*mode=='r') ? _READ : _WRITE;
 sets flag according to mode. If it is ‘r’, it sets flag to _READ, otherwise it
sets flag to _WRITE.
 With bit fields, if the mode is ' r’, the bit is _read is set to 1. If not, the
is_write bit is set to 1:
            if(*mode=='r'){
                          fp->flag.is_read=1;
                          fp->flag.is_write=0;
            }else{
                          fp->flag.is_read=0;
                          fp->flag.is_write=1;
            }
 The function _fillbuf changes similarly.
 The function _fíllbuf returns an EOF for the following situations: the file
was not open for reading, an end of file already happened, or an error has
been detected
            if((fp->flag & (_READ|_EOF|_ERR)) != _READ)
180
 This condition is tested with bit fields:
               if(       fp->flag.is_read==0 ||
                         fp->flag.is_eof==1 ||
                         fp->flag.is_err==1)
 Next,
            bufsize=(fp->flag & _UNBUF) ? 1 : BUFSIZ;
 changes to
            bufsize=(fp->flag.is_unbuf==1) ? 1 : BUFSIZ;
 And
                         fp->flag|=_EOF;
            else
                         fp->flag|=_ERR;
 becomes
                         fp->flag.is_eof=1;
            else
                         fp->flag.is_err=1;
 The code size of the modified function was larger and the functions were
slower. Bit fields are machine dependent and may slow down execution.
                                                                     181
E xe rci s e 8 -3 : (pa ge 1 79 K&R)
Design and write _flushbuf , fflush , and fclose .
#include “syscalls.h"
182
 /* fflush: flush buffer associated with file fp */
 int fflush(FILE *fp)
 {
          int rc=0;
 The number of possible characters in the buffer (fp->cnt) is then one less
than the buffer size because of the character just saved.
  The function fclose invokes fflush . If the file was opened for writing it
might be necessary to flush some characters. fclose resets members of the
_iobuf structure so that fopen will not encounter meaningless values in a
free slot. The return code is 0 if no errors exist.
 fflush checks for a valid file pointer and calls _flushbuf if the file was
open for writing. fflush then resets ptr and cnt , then returns rc .
                                                                         183
 E xe rci s e 8 -4 : (pa ge 1 79 K&R)
184
            rc=lseek(fp->fd, offset, origin);
            fp->cnt=0;
 When the file is open for writing, fseek first flushes buffered characters if
any:
            if ((nc=fp->ptr - fp->base) > 0)
                        if(write(fp->fd,fp->base,nc)!=nc)
                                    rc=-1;
 If there are no errors, fseek calls lseek :
            if (rc != -1)
                        rc=lseek(fp->fd, offset, origin);
 The function fseek returns 0 for proper seeks.
                                                                         185
 E xe rci s e 8 -5 : (pa ge 1 84 K&R)
 Modify the fsize program to print the other information contained in the
inode entry.
 #include   <stdio.h>
 #include   <string.h>
 #include   <fcntl.h>               /* flags for read and write */
 #include   <sys/types.h>           /* typedefs */
 #include   <sys/stat.h>            /* structure returned by stat */
 #include   “dirent.h”
      if(stat(name, &stbuf)==-1){
           fprintf(stderr,"fsize:can't access %s\n”, name);
           return;
      }
      if((stbuf.st_mode & S_IFMT) == S_IFDIR)
           dirwalk(name, fsize);
      printf("%5u %6o %3u %8ld %s\n" , stbuf.st_ino,
           stbuf.st_mode,stbuf.st_nlink,stbuf.st_size,name);
 }
 We modified fsize to print the inode number, the file mode in octal, the
number of links to the file, the file size, and the file name. You may choose
to print more information—it depends on what is significant to you.
 The function dirwalk appears on page 182 K&R.
186
 Exercise 8-6: (page 189 K&R)
 The standard library function calloc(n,size) returns a pointer to n objects
of size size , with the storage initialized to zero. Write calloc , by calling
malloc or by modifying it.
 #include "syscalls.h"
           nb=n*size;
           if((p=q*malloc(nb)) !=NULL)
                     for(i=0; i<nb; i++)
                               *p++=0;
           return q;
 }
 The function calloc allocates n objects of size size . The total number of
bytes to be allocated is nb :
           nb=n*size;
 malloc returns a pointer to a storage area of nb bytes. The pointers p and
q remember the beginning of this allocated storage area. If the allocation
was successful, the nb bytes allocated are initialized to 0:
           for(i=0; i<nb; i++)
                       *p++=0;
 calloc returns a pointer to the beginning of the allocated and initialized
storage area.
                                                                         187
 E xe rci s e 8 -7 : (pa ge 1 89 K&R)
 malloc accepts a size request without checking its plausibility; free
believes that the block it is asked to free contains a valid size field. Improve
these routines so they take more pains with error checking.
 #include "syscalls.h"
            if(nu<MALLOC)
                      nu=MALLOC;
            cp=sbrk(nu*sizeof(Header));
            if(cp==(char *) -1) /* no space at all */
                      return NULL;
            up=(Header *) cp;
            up->s.size=nu;
            maxalloc=(up->s.size>maxalloc) ?
                      up->s.size:maxalloc;
            free((void *)(up+1));
            return freep;
 }
188
 /* free: put block ap in free list */
 void free(void *ap)
 {
          Header *bp, *p;
                                                                        189
 E xe rci s e 8 -8 : (pa ge 1 89 K&R)
 Write a routine bfree(p,n) that will free an arbitrary block p of n
characters into the free list maintained by malloc and free. By using
bfree, a user can add a static or external array to the free list at any time.
 #include "syscalls.h"
            if(n<sizeof(Header))
                     return 0; /* too small to be useful */
            hp=(Header *) p;
            hp->s.size=n/sizeof(Header):
            free((void *)(hp+1));
            return hp->s.size;
 }
 The routine bfree takes two arguments: a pointer p and a number of
characters n. It will free the block only if its size is at least
sizeof(Header), otherwise it returns 0.
 The pointer p is cast to Header type and assigned to hp:
            hp=(Header *) p;
 The size of the block in units of sizeof(Header) is:
            hp->s.size=n/sizeof(Header);
 The last step calls the function free. Since free expects the pointer to be
just past the header area, we use (hp+1), as morecore does, and cast it to
type (void *).
 The routine bfree returns 0 if the block is too small, otherwise it returns
the size of the block in sizeof(Header) units.
:-)
190