-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy path03_dereference_operator.cpp
65 lines (48 loc) · 2.1 KB
/
03_dereference_operator.cpp
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
/*
Topic - Dereference Operator (*)
asterisk (*) has many use cases :-
1. For multiplication // 5*2
2. to declaring pointer // int * ptr;
3. to dereference any address // *ptr + 1
Dereference:
- In simple words, dereferencing means accessing the value from a certain memory location against
which that pointer is pointing.
- So, by dereferencing pointer we can access the variable, in which they are pointing to.
*/
#include <iostream>
using namespace std;
int main(){
int a = 10;
int *ptr = &a; // declaration & initilization
cout << "&a - " << &a << endl; // OUTPUT: (Address of bucket "a")
cout << "ptr - " << ptr << "\n\n"; // OUTPUT: (Address of bucket "a")
// dereferencing
cout << "*(&a) - " << *(&a) << endl; // OUTPUT: 10 (value -> address a)
cout << "*(ptr) - " << *(ptr) << "\n\n"; // OUTPUT: 10 (value -> address stored at ptr)
cout << "*(&ptr) - " << *(&ptr) << endl; // OUTPUT: (Address of bucket "a") [=> value stored at ptr) => value at &ptr]
cout << "&(*ptr) - " << &(*ptr) << "\n\n"; // OUTPUT: (Address of bucket "a") [i.e *ptr = bucket "a"]
// Know the difference :-
cout << "*(ptr) + 1 - " << *(ptr)+1 << endl; // OUTPUT: 11 (i.e 10+1)
cout << "*(ptr+1) - " << *(ptr+1) << "\n\n"; // OUTPUT: Unknown/Garbage Value
// (value at next memory address)
// Double Pointer
int ** newptr = &ptr;
cout << "Double Pointer: " << endl;
cout << "newptr: " << newptr << endl; // OUTPUT: (address of ptr)
cout << "&ptr: " << &ptr << endl; // OUTPUT: (address of ptr)
return 0;
}
/*
OUTPUT:
&a - 0x7ffe49b6db94
ptr - 0x7ffe49b6db94
*(&a) - 10
*(ptr) - 10
*(&ptr) - 0x7ffe49b6db94
&(*ptr) - 0x7ffe49b6db94
*(ptr) + 1 - 11
*(ptr+1) - 1236720532
Double Pointer:
newptr: 0x7ffe49b6db98
&ptr: 0x7ffe49b6db98
*/