-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathjumpy.c
99 lines (83 loc) · 2.13 KB
/
jumpy.c
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
//
// A program for playing with the debugger.
//
// The program is a little silly, but it gives us something we can
// trace with the debugger. We have a small collection of functions
// that generate similar-looking output. The program randomly selects
// one and calls it. Your job is to trace the program's execution and
// figure out which funciton printed each message. With help from the
// debugger, we can tell which function is responsible for each line
// of ourput.
//
// (this would be a good job for function pointers, but we haven't
// learned about those yet).
//
#include <stdio.h>
#include <stdlib.h>
void edith( int x )
{
// Edith likes numbers that are even.
if ( x % 2 == 0 )
printf( "I like %d\n", x );
else
printf( "I don't like %d\n", x );
}
void tyler( int x )
{
// Tyler likes numbers that are less than 40.
if ( x < 40 )
printf( "I like %d\n", x );
else
printf( "I don't like %d\n", x );
}
void melonie( int x )
{
// Melonie likes number that have a 2 or a 7 in them.
// Write out the number as a string.
char buffer[ 20 ];
sprintf( buffer, "%d", x );
// Look for an occurrence of a 2 or a 7.
for ( int i = 0; buffer[ i ]; i++ )
if ( buffer[ i ] == '2' || buffer[ i ] == '7' ) {
printf( "I like %d\n", x );
return;
}
// If we didn't find one of those digits, we don't like the number.
printf( "I don't like %d\n", x );
}
void aaron( int x )
{
// Aaron likes number that are larger than
// the last one he saw.
static int previous = -1;
if ( x > previous )
printf( "I like %d\n", x );
else
printf( "I don't like %d\n", x );
previous = x;
}
int main( void )
{
// Here's where we call the randomly selected functions.
for ( int i = 0; i < 5; i++ ) {
// Make up a random number.
int number = rand() % 100;
// Give that number to a randomly selected function.
int choice = rand() % 4;
switch ( choice ) {
case 0:
edith( number );
break;
case 1:
tyler( number );
break;
case 2:
melonie( number );
break;
case 3:
aaron( number );
break;
}
}
return EXIT_SUCCESS;
}