C++ Programming Tutorials - Default Arguments, Function Overloading, Inline Functions, and Scope Resolution Operator

Welcome to C++ Programming Tutorial

Your guide to getting started with C++ programming.

Code Example: Default Arguments

This example demonstrates the use of default arguments in C++. Below is the code:

#include <iostream>
using namespace std;

int add(int a, int b = 12) {
    int c;
    c = a + b;
    return c;
}

int multi(int num1, int num2 = 9, int num3) {
    int ans;
    ans = num1 * num2 * num3;
    return ans;
}

int main() {   
    cout << "ADDITION:" << add(5) << endl;
    cout << "ADDITION:" << add(64) << endl;
    cout << "Multiplication:" << multi(11, 3) << endl;
    return 0;
}

Explanation:

Code Example: Function Overloading

This example demonstrates function overloading in C++. Below is the code:

#include <iostream>

using namespace std;

int add(int a, int b) {
    return a + b;
}

int add(int a, int b, int c) {
    return a + b + c;
}

float area(float l, float b, float h) {
   return l * b * h;
}

float area(float r, float pi = 3.14) {
    return pi * r * r;
}

int main() {
    cout << "Total: " << add(2, 4) << endl;
    cout << "Total: " << add(8, 5, 5) << endl;
    cout << area(3.44, 45.5, 53.33) << endl;
    cout << area(5.66) << endl;

    return 0;
}

Explanation:

Code Example: Inline Functions

This example demonstrates inline functions in C++. Below is the code:

#include <iostream>

using namespace std;

inline int square(int x) {
    return x * x;
}

int main() {
    cout << "Square of 5: " << square(5) << endl;
    cout << "Square of 10: " << square(10) << endl;

    return 0;
}

Explanation:

Code Example: Scope Resolution Operator

This example demonstrates the use of the scope resolution operator in C++. Below is the code:

#include <iostream>

using namespace std;

int x = 10; // Global variable

int main() {
    int x = 20; // Local variable
    cout << "Local x: " << x << endl;
    cout << "Global x: " << ::x << endl;

    return 0;
}

Explanation:

Previous Next
Modern Footer