After watching a few hours of an Intro to C++ series on Pluralsight, this is a succinct aide-memoir for myself for C++ pointers and references.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
#include <iostream> | |
int main() { | |
int ten = 10; | |
int fifty = 50; | |
int* pointer; // pointers can be null | |
pointer = &ten; // they hold memory addresses (&ten = the memory address of variable 'ten') | |
pointer = &fifty; // and pointers can be reassigned | |
std::cout << pointer << "\n"; // this writes the address pointer holds | |
std::cout << *pointer << "\n"; // this writes out the value of the address pointer is pointing to | |
int& reference = ten; // references are non-null, assigned-once aliases for other variables | |
std::cout << reference; // this is the same as std:cout << ten | |
} | |
// Output: | |
// 0xfff000bcc | |
// 50 | |
// 10 |