A segmentation fault occurs when a program attempts to access a memory location that it’s not allowed to access. This is particularly common in recursive functions, where excessive recursion can lead to stack overflow. In this article, we’ll explore three practical examples of segmentation faults in recursive functions to help you understand how and why they occur.
This example demonstrates how infinite recursion can cause a segmentation fault due to stack overflow. It’s important to ensure that recursive functions have a valid base case to avoid this issue.
#include <stdio.h>
void infiniteRecursion() {
infiniteRecursion(); // No base case, leads to infinite recursion
}
int main() {
infiniteRecursion();
return 0;
}
infiniteRecursion
calls itself indefinitely without a base case to stop the recursion.In this scenario, the base case is incorrectly defined, which causes the recursion to continue beyond the intended limits, ultimately resulting in a segmentation fault.
#include <stdio.h>
int faultyFactorial(int n) {
if (n < 1) {
return 1; // Incorrect base case
}
return n * faultyFactorial(n - 1);
}
int main() {
printf("Factorial of 5 is: %d\n", faultyFactorial(5));
return 0;
}
if (n < 1)
is misleading; it should be if (n == 0)
for a correct factorial implementation.Recursion depth can exceed the stack size limit for large inputs, leading to a segmentation fault. This example illustrates how large values can cause issues in a recursive function.
#include <stdio.h>
void deepRecursion(int n) {
if (n == 0) {
return;
}
deepRecursion(n - 1);
}
int main() {
deepRecursion(10000); // May lead to stack overflow
return 0;
}
deepRecursion
with a large value, which may exceed the stack size limit.By examining these examples of segmentation fault in recursive functions, you can gain a better understanding of how improper handling of recursion can lead to critical errors in your code. Always ensure proper base cases and consider the input size to avoid segmentation faults.