Join Our 4-Week Free Gen AI Course with select Programs.

Request a callback

or Chat with us on

Actual and Formal Parameters in C: Key Differences Explained

Basics of SQL
Basics of SQL
icon
12 Hrs. duration
icon
12 Modules
icon
2600+ Learners
logo
Start Learning

Ever wonder how functions in C access the data they operate on?

 

You’re not alone.

 

One of the common operations in programming with C is the passing of information to functions. Functions, which consume inputs, do some processing and return the result.

 

But how does that data exactly end up in front of the function?

 

That’s where parameters come in.

 

Let’s dive into actual and formal parameters in C. We will break down the terms and why understanding them makes your code cleaner, faster, and easier to manage.

What are the Parameters?

Parameters are like the “middlemen” between the caller and the function. We feed it the data (actual parameters), and the function gets it by placeholders (formal parameters).

 

Parameters are variables that are used to pass on values or references between functions. There are two kinds of parameters: actual and formal parameters.

 

Why does this matter?

 

Well, it can change how your program behaves. If we don’t know how parameters work, we could end up passing the wrong data or, worse, crashing the program.

What Are Actual Parameters in C?

Let us first discuss actual parameters.

 

Actual parameters are those values that you pass to a function when it is called. It is almost like the real input a function needs to do its job. It is also called arguments.

 

They can be constants, variables, expressions, or even other function calls.

 

Here is an example:

#include <stdio.h> int add(int a, int b) { return a + b; } int main() { int result = add(10, 5);  // 10 and 5 are actual parameters printf("The sum is: %dn", result); return 0; }

In the code above, 10 and 5 are the actual parameters. These are then passed into the add function, which adds them together.

 

Also Read: Different Types of Functions in C

What Are Formal Parameters in C?

Now that we have the actual parameters, let’s discuss formal parameters.

 

Formal parameters are variables defined in the function header that receive the values of the actual parameters given during function calls. It is also called function parameters.

 

If actual parameters are the inputs, formal parameters are the hands ready to catch them.

 

Let us take the same example:

 

#include <stdio.h> int add(int a, int b) { return a + b; }

Now, in this function definition, a and b are formal parameters. They substitute whatever actual parameters we provide when we call the function.

 

Think of them as the receiving end of the function.

 

When the function is invoked, these actual parameters get assigned to the formal parameters. This automatically occurs in the background for this assignment.

Key Differences Between Actual and Formal Parameters in C

What’s the difference between actual and formal parameters in C? Here is a quick comparison:

Actual Parameters Formal Parameters
Values passed to the function at runtime Placeholders used inside the function
Can be constants, variables, or expressions Always variables declared in the function
Given by the function caller Defined in the function definition
Evaluated before the function call Not evaluated but used to receive actual values

 

Let’s look at the example below:

#include <stdio.h> void greet(char name[]) { printf("Hello, %sn", name); } int main() { char userName[50]; printf("Enter your name: "); scanf("%s", userName);  // userName is the actual parameter greet(userName);  // userName is passed to greet() return 0; }

In this case:

  • Actual parameter: userName (entered by the user)
  • Formal parameter: name[] (used inside the greet function)

With this, the difference becomes clearer:

  • Actual parameters are the real data we provide.
  • Formal parameters are simply there to hold onto that data inside the function.

 

Also Read: Features of C Language

How Functions in C Pass Their Parameters

Here’s a general problem:

You write a function, pass in some parameters, and expect them to change, but nothing happens. You get frustrated trying to wonder why the values didn’t update.

 

Relax, we all get there.

 

The way you pass arguments really makes a big difference in C. The medium of passing data to a function may preserve it or allow the function to alter it in place.

 

In C programming, there are three major ways of passing parameters to a function:

  • Passing by Value
  • Passing by Reference
  • Passing by Pointer

Each one works differently and can impact the output of your program in unique ways.

Passing Parameters by Value

In this method, when we pass parameters by value, then a copy of the actual parameter is passed to a function. This implies that the function works on the copy, not the original data.

 

This is pretty cool if we do not want the function to mess up our original values.

 

The catch?

 

Any changes we make inside the function don’t affect the actual parameter outside the function.

 

For instance, assume you pass a number into a function to increase it by 1. The function will alter the copy, not the original number.

 

Also Read: What is Recursion in C?

Passing Parameters by Reference

Passing by reference allows a function to access the real parameter directly. That means that every change that happens within the function is passed to the original value.

 

How does this work?

 

We pass the memory address of the variable instead of passing a copy. Then, the function can access and modify the actual data stored at that memory location.

 

This is helpful if we need the function to change the real data, like exchanging two numbers or a global variable.

Passing Parameters by Pointer

Passing by pointer is different from passing by reference. Instead of passing the address itself, we pass a pointer to the function that points to the memory address of the actual parameter.

 

This technique really shines when working with dynamic memory or arrays.

 

The function can then use this pointer to change both the value and the pointer itself. It gives us even more control over how data is manipulated within the function.

Code Examples for Different Parameter Passing Methods in C

Example 1: Passing Arguments by Value

We have two integers here. We pass them into a function. The function adds one to each number.

 

But because we passed by value, the change does not get carried out to the original numbers.

#include <stdio.h> void addOne(int x, int y) { x = x + 1; y = y + 1; printf("Inside the function: x = %d, y = %dn", x, y); } int main() { int a = 5, b = 10; addOne(a, b);  // a and b are passed by value printf("Outside the function: a = %d, b = %dn", a, b);  // Original values remain the same return 0; }

Output:

Inside the function: x = 6, y = 11 Outside the function: a = 5, b = 10

 

Here, inside the function, x and y are changed. But outside, a and b are still the same.

 

Why?

 

Because we passed by value. This function took a copy and not the original data.

Example 2: Swapping Values by Reference

Now, let’s try to pass by reference. We will write a function to swap two numbers.

 

Here again, since we’re going to pass by reference, the changes should be visible outside the function, too.

#include <stdio.h> void swap(int *x, int *y) { int temp = *x; *x = *y; *y = temp; } int main() { int a = 5, b = 10; printf("Before swap: a = %d, b = %dn", a, b); swap(&a, &b);  // Passing by reference printf("After swap: a = %d, b = %dn", a, b);  // Swapped values return 0; }

Output:

Before swap: a = 5, b = 10 After swap: a = 10, b = 5

 

Here, values of a and b are swapped even outside the function.

 

That is because we passed to the function memory addresses of a and b, and it changed the actual data.

 

Also Read: Static Variable in C

Example 3: Pointers and Dynamic Memory Allocation

For the final example, we will use the pointers to dynamically allocate memory for an array.

 

We’ll pass a pointer to the function, which will allocate memory and fill the array.

#include <stdio.h> #include <stdlib.h> void allocateArray(int **array, int size) { *array = (int*)malloc(size * sizeof(int));  // Allocate memory for (int i = 0; i < size; i++) { (*array)[i] = i + 1;  // Fill the array with values } } int main() { int *arr; int n; printf("Enter the size of the array: "); scanf("%d", &n); allocateArray(&arr, n);  // Passing by pointer printf("Array values: "); for (int i = 0; i < n; i++) { printf("%d ", arr[i]); } free(arr);  // Free the allocated memory return 0; }

Output:

Enter the size of the array: 10 Array values: 1 2 3 4 5 6 7 8 9 10

 

Here, we use malloc() to allocate dynamic memory for the array.

The function has managed to change the array and fill it with values as we passed a pointer.

DevOps & Cloud Engineering
Internship Assurance
DevOps & Cloud Engineering

Why You Need the Right Parameter-Passing Method When Writing C Programs

Are you puzzled by why your program doesn’t behave the way you would expect? Sometimes, the key can be traced to the method you are using to pass parameters.

 

With C, using the correct parameter-passing method is more than just a matter of preference;

 

It can determine everything from how your program executes to how your data is treated and whether your code is good enough to introduce bugs.

 

So why does this matter?

 

The answer is simple:

  • Passing by value safeguards your original data but does not allow modifications.
  • Passing by reference or pointer equips your function with the ability to modify the originals.

If you don’t know when to use which, you might get some really weird results.

  • Protecting Data: If we don’t want our data changed, then pass by value.
  • Modifying Data: If one needs to change the data, passing by reference or pointer is the way.
  • Performance Considerations: Passing large data structures, such as arrays, by value is slower because a copy is made on the system side. Passing by reference or pointer avoids this overhead.

 

The right choice of method makes our code more predictable, easier to debug, and more efficient.

Best Practices for Working with Actual and Formal Parameters in C

Now that we know the methods let’s dive into best practices.

 

  1. Match Data Types

The data types of actual and formal parameters always have to match.

 

If they do not, C performs implicit conversions, which can lead to behaviour you might not have expected.

 

For instance, if a float is passed while the function expects an int, there’s a possibility of creating rounding errors.

 

If the types mismatch, then it is safer to cast explicitly in the actual parameter.

 

  1. Be Cautious with Pointers

Pointers are tricky. They are powerful but liable to memory errors if misused.

 

When passing by reference, ensure that pointers refer to valid memory locations. Avoid passing un-initialised pointers to a function, for example.

 

  1. Use Descriptive Variable Names

This is obvious, but descriptive names for formal parameters make our code clearer.

 

This saves us and anyone else reading the code to quickly understand what each of them represents.

 

For example, instead of int x, int y, use int width and int height. It’s small, but it makes a big difference.

 

  1. Be Aware of Array Passing

We need to remember that arrays are passed by reference by default. This implies that the function is allowed to modify the contents of the array.

 

If we don’t want this to happen, we can create a copy of the array or pass it as const.

 

  1. Avoid Global Variables in Function Arguments

A function can modify global variables through arguments of a function, but this is bad practice. It makes the debugging and maintenance of code rather impractical.

 

Use local variables whenever possible, then pass them through actual parameters.

Conclusion

Knowing the meaning of actual and formal parameters in C is important for writing efficient and flexible code.

 

The passing method to control the data inside a function is determined by the decision whether to pass parameters by value, reference, or pointer. Passing by value protects the original data, whereas passing by reference or pointer allows direct modifications in the case of larger data structures or performance-sensitive applications.

 

Applying the right method will, therefore, allow you to control how functions relate to your data, which in turn means predictable programs and also efficient ones. This helps you write cleaner, faster, and safer code in C. It makes your programs more effective as well as easier to manage.

 

If you are passionate about mastering such concepts and extending your skills, join Hero Vired’s Certificate Program in Full Stack Development with Specialization for Web and Mobile. This course will equip you with the comprehensive skills needed for a proficient full-stack developer by studying both front-end and back-end technologies.

 

FAQs
Actual parameters are real values or expressions passed to the function when it is invoked. Formal parameters are placeholders in the function definition which receive the values.
Pass by value when you want to protect the original data. Because the function operates on a copy, it will not modify the actual value of a parameter.
To avoid performance problems associated with passing large data structures, such as arrays, you can pass by reference or pointer. Not copying large data structures saves both time and memory.
If you pass un-initialised or invalid pointers, your program is likely to crash or return some unpredictable result. Always use a pointer referring to valid memory.
Yes, it can be done, although you should avoid it. It's too hard to debug and maintain code if you write functions that modify global variables. You should pass local variables instead, if not necessary.

Deploying Applications Over the Cloud Using Jenkins

Prashant Kumar Dey

Prashant Kumar Dey

Associate Program Director - Hero Vired

Ex BMW | Google

24 October, 7:00 PM (IST)

Limited Seats Left

Book a Free Live Class

left dot patternright dot pattern

Programs tailored for your success

Popular

Management

Data Science

Finance

Technology

Future Tech

Upskill with expert articles

View all
Hero Vired logo
Hero Vired is a leading LearnTech company dedicated to offering cutting-edge programs in collaboration with top-tier global institutions. As part of the esteemed Hero Group, we are committed to revolutionizing the skill development landscape in India. Our programs, delivered by industry experts, are designed to empower professionals and students with the skills they need to thrive in today’s competitive job market.
Blogs
Reviews
Events
In the News
About Us
Contact us
Learning Hub
18003093939     ·     hello@herovired.com     ·    Whatsapp
Privacy policy and Terms of use

|

Sitemap

© 2024 Hero Vired. All rights reserved