How to simulate a try-catch mechanism in C
data:image/s3,"s3://crabby-images/dbe2c/dbe2c8d1d90257f34bcc26ca7be96ee01d46db29" alt=""
In C, there is no built-in try-catch mechanism like in languages such as C++ or Java. However, you can simulate this behavior using setjmp and longjmp from the #include <stdio.h>
#include <setjmp.h>
static jmp_buf buf;
static void throwError(int err) {
longjmp(buf, err);
}
static void doSomethingRisky(int count) {
if (count % 2 == 0) {
printf("Operation succeeded on iteration %d.\n", count);
} else {
printf("Operation failed on iteration %d.\n", count);
throwError(1); // Simulate an error
}
}
int main() {
int count = 0;
int result;
while (count < 10) {
result = setjmp(buf);
if (result == 0) {
// Try block
doSomethingRisky(count);
} else {
// Catch block
printf("Caught an error: %d. Recovering and continuing...\n", result);
}
count++;
}
printf("Program finished.\n");
return 0;
}