-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathPointersIntro.cpp
36 lines (28 loc) · 1.22 KB
/
PointersIntro.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
#include<iostream>
using namespace std;
int main() {
int b=2;
cout << &b << endl;
int *p = &b; // P is a pointer, pointing to the int, which is also equal to the value of value at the address of b.
cout << p << endl; // Printing address of int
cout << &p << endl; // Printing address of p
cout << *p << endl; // Printing value of *p
int *m = &b; // P is a pointer, pointing to the int, which is also equal to the value of value at the address of b.
*m = 45; // if I say *m = &b, I am basically saying *m is an allias to b, and if I change *m, I am actually changing b.
cout << m << endl; // Printing address of int
cout << &m << endl; // Printing address of p
cout << *m << endl; // Printing value of *p
// Note: *m = a is same as saying a = a.
//int *l = b; This is illegal. You cannot point to the value of the variable.
double x[10]; // Creating an array with length 10
double * s = &x[0]; // It's same as saying
double * s2 = x;
cout << x << endl;
cout << &*s << endl;
cout << &*s2 << endl;
// Essentially &*s2 = &*s = x = &*x. They are same memory address
cout << *x << endl;
cout << *s << endl;
cout << *s2 << endl;
// Essentially *s2 = *s = x[0] = *x. They have same memory address
}