home *** CD-ROM | disk | FTP | other *** search
- /*Program 4_2e - Sort IRS data
- by Stephen R. Davis, 1987
-
- Define insert() and remove() functions. Include an integrity
- check to catch errant pointers without allowing the system
- to crash. If we had more than one type of structure, each would
- have its own signature. This is a very worthwhile but all too
- uncommon a practice on large systems under development. Get into
- the habit early.
- */
-
- #include <stdio.h>
- #include <alloc.h>
- #include <process.h>
-
- #define NULL (struct IRSdata *)0
- #define IRSsignature 0x1234
-
- /*prototype declarations*/
- int insert (struct IRSdata *, struct IRSdata *, struct IRSdata *);
- int remove (struct IRSdata *);
- int check (struct IRSdata *, char *);
- void init (void);
- struct IRSdata *alloc (void);
-
- /*structure declaration for IRS data*/
- struct IRSdata{
- struct IRSdata *previous,*next;
- unsigned fingerprint;
- char lastname [11];
- char firstname [11];
- char sex;
- struct {
- char street [16];
- char city [11];
- char state [3];
- } address;
- char ssnum [10];
- int taxrate;
- };
- struct IRSdata *MARKER;
-
-
- /*Insert - insert a structure in between two doubly linked entries.
- Return a 0 if successful, and a nonzero if not*/
- int insert (before, after, current)
- struct IRSdata *before, *after, *current;
- {
- if (before -> next != after) return -1;
- if (before != after -> previous) return -1;
-
- if (check (before, "arg 'before' to insert()")) return -1;
- if (check (after, "arg 'after' to insert()")) return -1;
- if (check (current, "arg 'current' to insert()")) return -1;
-
- before -> next = current;
- current -> previous = before;
-
- after -> previous = current;
- current -> next = after;
- return 0;
- }
-
- /*Remove - remove an entry from a doubly linked list*/
- int remove (entry)
- struct IRSdata *entry;
- {
- struct IRSdata *before, *after;
-
- if (check (entry, "arg 'entry' to remove()")) return -1;
-
- before = entry -> previous;
- after = entry -> next;
-
- before -> next = after;
- after -> previous = before;
-
- entry -> previous = entry -> next = NULL;
- return 0;
- }
-
- /*Init - initialize the linked list to empty*/
- void init (void)
- {
- struct IRSdata *alloc ();
-
- MARKER = alloc ();
- MARKER -> previous = MARKER -> next = MARKER;
- }
-
- /*Check - check the integrity of an IRS pointer. If OK, return a
- 0, else print message and return a -1.*/
- int check (ptr, msg)
- struct IRSdata *ptr;
- char *msg;
- {
- if (ptr -> fingerprint == IRSsignature)
- return 0;
- printf ("Error:\n Pointer failure on %s\n", msg);
- return -1;
- }
-
- /*Alloc - allocate a structure and "sign it" with the IRS
- signature*/
- struct IRSdata *alloc()
- {
- struct IRSdata *ptr;
-
- ptr = (struct IRSdata *)malloc (sizeof (struct IRSdata));
- ptr -> fingerprint = IRSsignature;
- return ptr;
- }