KEMBAR78
Intro To C - Module 4 | PDF | Pointer (Computer Programming) | Computer Programming
0% found this document useful (0 votes)
61 views15 pages

Intro To C - Module 4

Uploaded by

Andrew Fu
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
61 views15 pages

Intro To C - Module 4

Uploaded by

Andrew Fu
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 15

Introduction to C: Module 4

Weekly Reading: Beej Guide, Chapters 8, 10, 12.

Stack Addresses—A Demo

We've discussed pointers, which are memory addresses at which objects (ints, doubles,
heads of strings) are available, and we can use the %p format specifier to print a pointer's value.
This is sometimes useful to investigate how the program is using memory.

Consider the program below. The "helper" functions all have parameters x and y, and each has
an additional local variable named a. We use the & operator to observe their
addresses—equivalently, to extract pointers to them. Below, main calls foo, which calls bar,
which calls qux, which recursively calls itself again.

#include "stdio.h"
#include "stdlib.h"

int qux(int x, int y) {


int a = ~x;
printf("qux.a at %p M[%p] = %d\n", &a, &a, a);
printf("qux.x at %p M[%p] = %d\n", &x, &x, x);
printf("qux.y at %p M[%p] = %d\n", &y, &y, y);
putchar('\n');
if (x > 0)
return qux(-x, y);
else
return 3 + a;
}

int bar(int x, int y) {


int a = y ^ x;
printf("bar.a at %p M[%p] = %d\n", &a, &a, a);
printf("bar.x at %p M[%p] = %d\n", &x, &x, x);
printf("bar.y at %p M[%p] = %d\n", &y, &y, y);
putchar('\n');
return qux(x + a, y - a);
}

int foo(int x, int y) {


int a = x % 2;
printf("foo.a at %p M[%p] = %d\n", &a, &a, a);
printf("foo.x at %p M[%p] = %d\n", &x, &x, x);
printf("foo.y at %p M[%p] = %d\n", &y, &y, y);
putchar('\n');
return bar(x, y + a);
}

static int x = 3;

int main() {
int* a = calloc(1, sizeof(int));
int y = 5;
printf("Before calls...\n");
printf("main.a at %p M[%p] = %d\n", a, a, *a);
printf("main.x at %p M[%p] = %d\n", &x, &x, x);
printf("main.y at %p M[%p] = %d\n", &y, &y, y);
putchar('\n');
*a = foo(x, y);
printf("After calls...\n");
printf("main.a at %p M[%p] = %d\n", a, a, *a);
printf("main.x at %p M[%p] = %d\n", &x, &x, x);
printf("main.y at %p M[%p] = %d\n", &y, &y, y);
putchar('\n');
return 0;
}

Don't worry about calloc for now—we'll explain allocation later in this module. The important
thing to know is that it returns a pointer into a place called "the heap."

We run this program. As C uses the lexical scoping that is standard in programming languages,
these local variables do not interfere with others, despite having the same name, in other
scopes. That is, changes to foo.x and bar.x and qux.x will not change main.x, because
they're different objects entirely. We expect—in fact, it must be the case—to find that their
addresses differ as well. Running this program confirms this.

Before calls...
main.a at 0x600003ae8030 M[0x600003ae8030] = 0
main.x at 0x1072bb020 M[0x1072bb020] = 3
main.y at 0x7ff7b8c465dc M[0x7ff7b8c465dc] = 5

foo.a at 0x7ff7b8c46594 M[0x7ff7b8c46594] = 1


foo.x at 0x7ff7b8c4659c M[0x7ff7b8c4659c] = 3
foo.y at 0x7ff7b8c46598 M[0x7ff7b8c46598] = 5

bar.a at 0x7ff7b8c46564 M[0x7ff7b8c46564] = 5


bar.x at 0x7ff7b8c4656c M[0x7ff7b8c4656c] = 3
bar.y at 0x7ff7b8c46568 M[0x7ff7b8c46568] = 6

qux.a at 0x7ff7b8c46530 M[0x7ff7b8c46530] = -9


qux.x at 0x7ff7b8c46538 M[0x7ff7b8c46538] = 8
qux.y at 0x7ff7b8c46534 M[0x7ff7b8c46534] = 1

qux.a at 0x7ff7b8c46500 M[0x7ff7b8c46500] = 7


qux.x at 0x7ff7b8c46508 M[0x7ff7b8c46508] = -8
qux.y at 0x7ff7b8c46504 M[0x7ff7b8c46504] = 1

After calls...
main.a at 0x600003ae8030 M[0x600003ae8030] = 10
main.x at 0x1072bb020 M[0x1072bb020] = 3
main.y at 0x7ff7b8c465dc M[0x7ff7b8c465dc] = 5

Notice that main.x has a much lower address than all the others—as a static variable, it lives in
a different part of the address space; similarly, main.a lives in "the heap" and is assigned an
address in the 0x6000... range.

The rest of the variables are assigned 0x7ff7... addresses, near the top of range—per x64
standard, 0x7fffffffffff is the absolute maximum address in user space (the upper half of
the 48-bit address space is "kernel space" for the OS.) Local variables live in this top region of
the user space, called "the stack" and, as we'll discuss, it is used as a stack data structure.
Each invocation of a function—not each function, each invocation; the recursive qux gets more
than one—gets a stack frame for its local variables.

For example, in the second, inner call to qux, our stack frame layout is:

main foo bar qux(1) qux(2)=TOS


---- lower addresses ------>

The compiler knows to resolve names by using the topmost stack frame—that is, the one
corresponding to the most recent function call—that defines the name, while lower frames must
be kept around for "restoration" of outer functions' local variables (which never disappear; they
are just "shadowed" if inner functions use the same names) when the inner functions return.

Confusingly, the topmost stack entries have the lowest addresses, because the convention on
x86 and x64 systems is that stack "grows down" from high addresses to low.

Memory Allocation

The demo above uses the three kinds of memory allocation that are available to programs:
static, automatic ("stack"), and dynamic ("heap").
Static allocation is the oldest kind—a program is assigned memory when it starts, and has use
of it for as long as it runs. In the program above, static int x = 3 declares an int that will be
available to all contexts (threads) so long as the program is alive. The program's
code—executable machine code, not the source code—also lives in static memory.

For example, an interpreter for a language might require a zero-initialized "scratch space" of
size 64KB. This can be achieved statically like so:

char program_data[65536] = {0};

This reserved space will be available at the same address—program_data is a pointer to the
head of the block—for the rest of the program's execution.

The downside of static allocation, of course, is that you need to know in advance how much
memory the program will require, and it will be in use for the duration of its running. In a modern
setting, where hundreds of programs can be expected to run on a system at a given time, it is
not good practice to over-allocate.

Automatic allocation is done on the stack, as we've seen, for local variables and function
parameters. This allows flexibility; we don't have to predict in advance how deep the nested
function calls will go, because the stack adjusts (within reason) to make sure our local variables
are properly accessed and protected.

For a variety of reasons, we prefer to keep our stack small—ideally, stack frames should be no
larger than a few hundred bytes. Stacks are also thread-specific—in a multithreaded program,
each thread has its own stack; therefore, it's often not ideal to use stack space for shared
memory. Large objects, and shared ones, tend to use dynamic allocation, which we'll cover at
length below.

Another advantage of dynamic allocation is best illustrated by example. The function below
appears valid, and will compile, but has a severe bug:

int* dead_pointer() {
int a = 0;
return &a;
}

What's wrong with it? Consider the following program that uses it, and demonstrates the issue:

#include "inttypes.h"
#include "stdio.h"

int64_t factorial(int n) {
if (n == 0) return 1;
else return n * factorial(n - 1);
}

int* dead_pointer() {
int a = 0; // @A
return &a; // @B
}

int main () {
int* x = dead_pointer();
*x = 5; // @C
printf("*x is %d\n", *x); // @C
printf("17! is %lld\n", factorial(17)); // @D
printf("*x is %d\n", *x); // @E
return 0;
}

When we run it, we observe:

./use_dead_pointer
*x is 5
17! is 355687428096000
*x is 625993552

The function dead_pointer allocates (@A) a local variable, a, on the stack, then returns a
pointer (@B) to it, but once the function exits, that a is out of scope and the pointer is "dead." It
points into a stack frame that has been "popped" out of existence, but a pointer is just an
address and doesn't "know" this.

In main, we proceed (@C) to operate against this dead pointer. It seems to work, because we're
able to set that address in memory, even though it's no longer protected by stack policy. Next,
we use the function factorial, which needs the stack for its own (recursive) operation, and
factorial behaves correctly, returning the right answer. However, its use of the stack
clobbered the value in our dead pointer, resulting in a different value the next time we
dereferenced it.

The lesson is: do not return a pointer to a local variable on the stack. Instead, if you want to
return a new object—a new place in memory to write to and read from—you must use dynamic
memory allocation, also known as "the heap."

Structs
Dynamic memory allocation also gives us flexibility with our data structures that we wouldn't
have otherwise. To get into this topic, we should discuss struct types, which are C's way to
make compound data. As an example, a record type (or "data object" type) is defined below:

struct person {
char name[20];
int birth_year;
int birth_month;
int birth_date;
char gender;
bool has_magic;
};

We can pass a struct into a function like so:

void print_person(struct person p) {


printf("%-20s (%04d/%02d/%02d) %c %s\n", p.name, p.birth_year,
p.birth_month, p.birth_date, p.gender, p.has_magic ? "(mage)" : "");
}

As with objects in Java and Python, fields are accessed using dot notation. We also make use
of C's ?: ternary operator, which takes three expressions: b ? e1 : e2 evaluates e1 if b is
true, and e2 if b is false.

The following function creates such a record (or struct) and passes it to the function above.

int main()
{
struct person p1; // @F

p1.birth_year = 9973; // @G
p1.birth_month = 10;
p1.birth_date = 1;
p1.gender = 'F';
p1.has_magic = true;
strcpy(p1.name, "Farisa"); // @H

print_person(p1);

return 0;
}
When we (@F) create the record, it's uninitialized. We have to write a value into a field before we
do anything with it. Failure to do so—leaving struct fields uninitialized—is a common source of
bugs! So we can assign (@G) most of the fields using dot notation. However, for p1.name we
have to use (@H) the library function strcpy.

We might be tempted to write:

p1.name = "Farisa";

but the compiler will not allow it; it interprets the assignment as a request to make p1.name point
to the string literal "Farisa", which would require moving the entire struct. The language, for
obvious good reasons, doesn't let you do this sort of thing. Since each person has its own
name field, we need to copy from string literals if we're going to use them.

This is a tedious way to initialize structures, so the language does allow us initialization syntax
like so:

struct person p2 = {.name = "Mazie", .birth_year = 9968, .birth_month = 5,


.birth_date = 23, .gender = 'F', .has_magic = false};

And if we want to zero-initialize an object, we can use:

struct person p3 = {0};

When we pass these objects each to print_person, we get output of:

Farisa (9973/10/01) F (mage)


Mazie (9968/05/23) F
(0000/00/00)

The zero-initialized record has an empty string (since .name[0] = '\0', the null terminator) as
its name and the character '\0' (which is "printed" but not shown, because it's an invisible
character) for its gender.

Structs are copied on assignment. Therefore, if you wrote:

struct person p4 = p2;

You would get a struct with identical data to Mazie's record, but if you started modifying fields:

strcpy(p4.name, "Claes");
p4.birth_year = 9949;
p4.birth_month = 6;
p4.birth_date = 14;
p4.gender = 'M';

then you would find the original p2 unchanged.

Farisa (9973/10/01) F (mage)


Mazie (9968/05/23) F
(0000/00/00)
Claes (9949/06/14) M

It is generally the case that "arrays are pointers." Indeed, array access is pointer arithmetic.
However, an array field in a struct has semantics that are slightly different, and it's worth being
aware of. In the case above, copying (e.g., as triggered by struct person p4 = p2) will
create a new copy of the entire char[20].

On the other hand, if we had a char* field instead, the pointer would be copied but not the block
pointed-to; you would get a "shallow copy." This may be what you want, but it's worth keeping in
mind.

typedef struct person {


...
} person;

This allows is, later on in code, to use person instead of struct person; we have defined
person to be a shorthand for the struct type.

Another Use for Dynamic Memory Allocation

The structure above is rigid. We don't know in advance how long names are going to be, and it's
likely that they vary in length. What happens when the villainous "Hampus S. Bell, Chief
Patriarch and Seraph of All Human Capital of the Global Company at 414 Walker
Street, Office 2-13, Downtown Moyenne" wants his full name, title, and address to be
respected? Do we redefine person so .name is a char[138], to accommodate the new length?
That seems wasteful, considering all the other records where .name is reasonably short. We get
more flexibility if we use a dynamically allocated string. More generally, data structures such as
linked lists—held together with pointers—are useful when we do not know the size or layout of
our data in advance.

The function malloc (as in "memory allocation") allows us to request a block of memory in any
size we want—so long as the space exists in the heap's address space and our system, we'll
get a pointer to a block of memory. You must:

● initialize the object; any field or array slot must be written-to before you read from it.
● release every malloc'd object once you're done with it using the function free. This
work (garbage collection) is done for you in most languages, but in C, you are the
garbage collector.
● not read or write a pointer ("use-after-free" error) after it has been free'd—at this point,
it is dead and cannot be used, because the system may use that memory for something
else.
● not free a pointer more than once ("double-free" bug.)

The malloc function takes a size_t corresponding to the number of bytes of storage you need,
and it will return a pointer to a new block of memory from the heap that nothing else is
using—usually. If it can't find such memory, it returns NULL. Allocation failure is usually a sign of
a program in bad shape—a memory leak—and, for this course, you can always exit when it
occurs. One way to do so is with assert in <assert.h>.

Here is a program that validly uses a dynamically allocated int* as a counter object.

#include <assert.h>
#include <stdio.h>
#include <stdlib.h>

typedef int* counter;

counter counter_new() {
int* out = malloc(sizeof(int));
assert(out != NULL); // crash if allocation fails
*out = 0; // you must initialize
return out; // OK: heap object live after return
}

void counter_inc(counter ctr) {


*ctr += 1;
}

int counter_read(counter ctr) {


return *ctr;
}

void counter_delete(counter ctr) {


free(ctr);
}

int main() {
counter ctr1 = counter_new();
counter ctr2 = counter_new();
counter_inc(ctr1);
counter_inc(ctr1);
counter_inc(ctr1);
counter_inc(ctr2);
printf("%d %d\n", counter_read(ctr1), counter_read(ctr2));
counter_delete(ctr1);
counter_delete(ctr2);
return 0;
}

This program, notably, hides the fact that a counter object is an int*—if the programmer
wanted to use a different data structure, counter_new, counter_inc, counter_read, and
counter_delete could be rewritten, while the users of these functions would be unaware. We
see here the beginnings of (the few good parts of) object-oriented programming.

You will often find yourself allocating memory in XYZ_new style functions where XYZ is some type
of object; you should pair it with a XYZ_delete that handles the necessary deallocation—C++
programmers are familiar with the concept of a destructor. This requires you to set a policy on
what each object owns—pointers to shared objects should not be free'd, although everything
should be freed if it becomes unreachable, while all owned pointers should be freed and all
owned objects deleted.

What happens if a programmer forgets to free a malloc'd object? If the object is small and the
error is infrequent, probably nothing. There isn't anything wrong with malloc-ing an object and
leaving it around forever, if the program actually needs it forever. If you never free the object,
C's runtime will assume that to be the case. It does not check for reachability and free
unreachable objects, as garbage collectors do. Small memory leaks in short-running programs
are no real issue—the memory will all be reclaimed by the operating system once the program
exits—but, over time, memory leaks do add up. Thus, in a long-lived program, it's important to
make sure that the program releases all memory it no longer needs.

The type signature of malloc introduces a new concept. Said signature is:

void* malloc(size_t size).

We've discussed size_t, but what's a void*? As a return type, void means "nothing", but
since there's no reason to point to nothing, it's unclear what a void* is supposed to be. Indeed,
a void pointer does point to something, but the type makes no claims about what is being
pointed-to—it's a generic pointer that allows malloc and free to deal strictly with raw blocks of
memory.

When you see statements like these:


int* p_integer = malloc(sizeof(int));
struct person* p_person = malloc(sizeof(struct person));
// array_size defined somewhere else
int* p_array = malloc(n * sizeof(int)); // dynamic int[n]

the compiler is silently performing type casting. For example, the first line is equivalent to:

int* p_integer = (int*) malloc(sizeof(int));

You have to be careful with pointer casts in general (for reasons to be discussed later) but a
type cast into or out of void* is always valid.

No guarantee is made about the values in the block when it is given to you by malloc; in fact,
the memory might be unmapped—causing a crash on a read—until it is initialized. So, you must
always initialize your memory; if nothing else, zero it, which can be done in three different ways.

The first is to do it manually:

for (int i = 0; i < array_size; i++) {


p_array[i] = 0;
}

The second, and probably faster, is to use the memset function that becomes available if you
#include "string.h".

memset(p_array, 0, array_size * sizeof(int));

A third way of doing this will be explored in the exercises.

Week 4 Questions

4.1: Investigate the functions calloc, realloc, and alloca. Why does calloc have the type
signature it does? Why is realloc useful? How does alloca differ from malloc and why is it
rarely used?

4.2: Consider the following program:

#include "inttypes.h"
#include "stdio.h"
#include "stdlib.h"

int64_t recur_sum(int64_t n) {
if (n <= 0)
return 0;
else
return n + recur_sum(n-1);
}

int main(int argc, char** argv) {


int64_t n = 100;
if (argc > 1)
n = atoll(argv[1]);

printf("%lld\n", recur_sum(n));
}

Assume that the argument provided will be no larger than 1,000,000,000, so integer overflow is
not an issue. Is this a legal program? Is it good practice? What happens if 10000000 is supplied
at the command line? Why?

4.3: Recall that we could rewrite person to use a char* instead of char[20].

struct person {
char* name; // was char name[20];
int birth_year;
int birth_month;
int birth_date;
char gender;
bool has_magic;
};

Will this affect the value of sizeof(person)? Why?

Module 4-5 Project

This project is due September 26, but you should get started now.

You will implement an interpreter for StackMan, a language defined as follows:

Only the characters 0, +, <, >, ?, _, ~, (, ) have meaning. Everything else is a comment that
implementations should ignore.

Program state is a stack of nonnegative integers. When the program starts, the stack is empty.

The 0 instruction pushes a zero on the top of the stack ("TOS"). We would say its behavior is:

... -> ... 0


The + instruction adds one to TOS. We would say its behavior is:

... X -> ... X+1

If + is executed against an empty stack ("stack underflow") then TOS does not exist and the
interpreter exits.

The _ ("drop") instruction drops TOS. Again, an error occurs if it is executed against an empty
stack. Its behavior is:

... X -> ...

The ~ ("dup") instruction duplicates TOS; as before, an error condition occurs if it is executed
against an empty stack. Its behavior is:

... X -> ... X X

The ? ("test") instruction, if TOS is nonzero, decrements it and pushes a 1 on the stack; if TOS
is zero, it pushes another zero; an error condition is raised if the stack is empty. That is, its
behavior is:

... 0 -> ... 0 0


... X -> ... X-1 1 if X > 0

The > ("rot R") instruction pops TOS—call this value N—and, if N > 2, rotates the top N values
right like so:

... A B 2 -> ... B A


... A B C 3 -> ... C A B
... A B C D 4 -> ... D A B C

The < ("rot L") instruction is similar, but rotates left.

... A B 2 -> ... B A


... A B C 3 -> ... B C A
... A B C D 4 -> ... B C D A

If the stack is insufficient—e.g., if > is executed against [0, 0, 3]—then stack underflow occurs; a
3 is popped, but there are only two elements on the stack afterward, so the instruction is illegal.

This language is concatenative. Therefore, αβ is the program that does α, then does β. For
example, the program 0+0 consists of three instructions and its behavior is:
... -> ... 0 -> ... 1 -> ... 1 0

The empty string is a valid program—it does nothing.

Finally, the ( and ) characters represent a loop. The behavior of (α) is:

● if TOS is zero, do nothing.


● if TOS is nonzero, do α, then do (α)—that is, it functions like a while-loop using TOS as
the test variable.

For example, the program (?_0++<+0++<)_ has behavior:

... X Y -> X+Y

because it incrementally does:

... X Y -> ... X Y-1 1 ( ? )


-> ... X Y-1 ( _ )
-> ... Y-1 X ( 0++< = "swap" )
-> ... Y-1 X+1 ( + )
-> ... X+1 Y-1 ( 0++< )

until it reaches ... X+Y 0, then drops the 0 with _.

This language is Turing complete, so you can write any program in it, but don't worry—you don't
have to! You only need to write an interpreter for it. You may assume:

● stack elements are unsigned integers of at least 16 bits. You don't have to handle integer
overflow.
● the stack will never get larger than 65,536 elements.

Your interpreter will take as input a single file, run the program against an empty stack, and print
the stack contents to the console. If the program executes without error, it should return exit
code 0. In the event of stack underflow, it should return exit code 1. In the event of stack
overflow, it should return exit code 2. In the event of syntactically invalid code—unmatched
parentheses—it should return exit code 3. You can add error messages if you want, but you're
not required to. Below is an example session:

$ echo "0++++0+++(?_0++<+0++<)_" > add_three_to_four.sm


$ ./stackman add_three_to_four.sm
7
$ echo $?
0
$ echo "_" > underflow.sm
$ ./stackman underflow.sm
... error message.
$ echo $?
1

You will need to learn about file I/O (covered in Module 5) to do this project—feel free to
research that on your own, or wait for it to be covered. The rest of it can be completed with what
you already know. You can assume that all code files will be smaller than 4 KB (4096 bytes).

Writeup (Due September 19)

Please submit your answers to 4.1-4.3 by PDF in Canvas. Your answers to the first three
questions should fit within one page. There is nothing to hand in this week for the interpreter
project, but you should get started—and ask questions, if anything is unclear—as soon as you
can.

You might also like