Lecture 10 - Introduction to Pointers Flashcards
what is a pointer?
a variable that stores the address of a variable
normal variables: int x; vs. x = 5;
- with int x; the x variable occupies some space in memory
- with x = 5;. the compiler “knows” how to compute the address of the x variable and can arrange to have a value put there
the operator &
- used to determine the location of any storage element
- NOT equivalent to the value that is stored at a given address
p = &x explained
- p now holds the address that x resides at
- is it NOT equivalent to x
- instead we say that p POINTS to x
the operator *
- used to access the value stored at the memory address
- if *p = x is equivalent to x
- put asterisk on variable you are assigning value to
how to define a pointer
- int *p;
- this means that p is a pointer to an integer
how to manipulate a pointer?
- the c language has an operator * called the indirection operator or contents-of operator
- *p = 5 places the value 5 into the memory location pointed to by p
p = &x vs. *p = 5
- p = &x now “points” to x (its memory location, not its value)
- *p is equivalent to x
why does x not increment?
#include <stdio.h>
void increment(int n) {
n = n + 1;
}
int main() {
int x = 0;
increment(x);
printf(“The value of x = %d\n”, x);
return 0;
}</stdio.h>
- x’s address was not passed to the increment function, just its value
- the new value computed inside increment() was not stored back into x
- there is NO way to increment() about the memory location of x
proper way to increment a value using pointers/a method
include <stdio.h></stdio.h>
void increment(int *p) {
*p = *p + 1;
}
int main() {
int x = 0;
increment(&x);
printf(“value of x= %d\n”, x);
}
passing by reference/pointer/address
- all same thing
- when you don’t pass the variable, but what the address of the variable is
- ex. scan(“%d\n”, &x);
why don’t we need ‘&’ when we pass an array?
- pointers can be used just as arrays
- arrays are EQUIVALENT to pointers
more pointer basics with &
- “Address-of” (&) can be used on array elements
- “Address-of” can be used for structs
using a pointer as an array
- when you obtain the address of a variable ptr = &x,
- you can “dereference” it two ways
- y = *ptr or z = ptr[0]
- they mean the same thing
differences between arrays and pointers
- you can reassign values to a pointer, but an array always points to the same thing
- a pointer definition allocates space only for the pointer value, array allocate space for all elements
- a function parameter defined as an array is really just a pointer
examples of how pointers and arrays are equivalent
- when you assign an array (ptr = array), you’re assigning a pointer
- when you pass an array to something, you’re passing a pointer (strcpy(array1, array2))
- when you return array, you return a pointer