Organizing code into functions

C++:
Organizing code into functions

How to:

Let’s take a common task: calculating the area of a circle. Instead of writing the same formula every time, we encapsulate it into a function.

#include <iostream>
#define PI 3.14159

double calculateCircleArea(double radius) {
    return PI * radius * radius;
}

int main() {
    double r = 5.0;
    std::cout << "Area of circle with radius " << r << " is " << calculateCircleArea(r) << std::endl;
    return 0;
}

Sample output:

Area of circle with radius 5 is 78.5397

Deep Dive

Historically, procedures and functions were the backbone of structured programming, championed in the 1960s to combat the issues of “spaghetti code” in earlier imperative programming languages. Alternatives like OOP (Object-Oriented Programming) take it further by associating these functions with data structures. In C++, you’ve got regular functions, class methods (including static methods), lambdas, and templates functions, each offering different benefits. Implementing well-organized functions usually involves adhering to principles like DRY (“Don’t Repeat Yourself”) and SRP (Single Responsibility Principle), which means each function does one thing only and does it well.

See Also

For more on functions in C++:

For design principles related to functions:

Learn about lambdas and advanced function use: