At Bell Labs, Dennis Ritchie developed the C programming language between 1971 and 1973. C is a mid-level structured-oriented programming and general-purpose programming. It is one of the oldest and most popular programming languages. There are many applications in which C programming language is used, including languagecompilers, operating systems, assemblers, network drivers, text editors, print spoolers, modern applications, language interpreters, databases, and utilities.
In this article, you will get the frequently and most asked C programming interview questions and answers at the fresher and experienced levels.
Preparing for a C programming interview requires a solid understanding of core concepts.
So, let us start with Questions for freshers.
C Programming Interview Questions – For Freshers
1. Why is C called a mid-level programming language?
Due to its ability to support both low-level and high-level features, C is considered a middle-level language. It is both an assembly-level language, i.e. a low-level language, and a higher-level language. Programs that are written in C are converted into assembly code, and they support pointer arithmetic (low-level) while being machine-independent (high-level). Therefore, C is often referred to as a middle-level language. C can be used to write operating systems and menu-driven consumer billing systems.
2. What are the features of the C programming language?

Features of C Programming language
For more information, refer to the article –Features of C programming language.
3. What are basic data types supported in the C Programming Language?
Each variable in C has an associated data type. Each data type requires different amounts of memory and has some specific operations which can be performed over it. It specifies the type of data that the variable can store like integer, character, floating, double, etc. In C data types are broadly classified into 4 categories:
- Primitive data types: Primitive data types can be further classified into integer, and floating data types.
- Void Types: Void data types come under primitive data types. Void data types provide no result to their caller and have no value associated with them.
- User Defined data types: These data types are defined by the user to make the program more readable.
- Derived data types: Data types that are derived from primitive or built-in data types.

Data Types in C
For more information, refer to the article –Data Types in C
4. What are tokens in C?
Tokens are identifiers or the smallest single unit in a program that is meaningful to the compiler. In C we have the following tokens:
- Keywords: Predefined or reserved words in the C programming language. Every keyword is meant to perform a specific task in a program. C Programming language supports 32 keywords.
- Identifiers: Identifiers are user-defined names that consist of an arbitrarily long sequence of digits or letters with either a letter or the underscore (_) as a first Character. Identifier names can’t be equal to any reserved keywords in the C programming language. There are a set of rules which a programmer must follow in order to name an identifier in C.
- Constants: Constants are normal variables that cannot be modified in the program once they are defined. Constants refer to a fixed value. They are also referred to as literals.
- Strings: Strings in C are an array of characters that end with a null character (‘\0). Null character indicates the end of the string;
- Special Symbols: Some special symbols in C have some special meaning and thus, they cannot be used for any other purpose in the program. # = {} () , * ; [] are the special symbols in C programming language.
- Operators: Symbols that trigger an action when they are applied to any variable or any other object. Unary, Binary, and ternary operators are used in the C Programming language.
For more information, refer to the article –Tokens in C
5. What do you mean by the scope of the variable?
Scope in a programming language is the block or a region where a defined variable will have its existence and beyond that region, the variable is automatically destroyed. Every variable has its defined scope. In simple terms, the scope of a variable is equal to its life in the program. The variable can be declared in three places These are:
- Local Variables: Inside a given function or a block
- Global Variables: Out of all functions globally inside the program.
- Formal Parameters: In-function parameters only.
For more information, refer to the article –Scope in C
6. What are preprocessor directives in C?
In C preprocessor directives are considered the built-in predefined functions or macros that act as a directive to the compiler and are executed before the program execution. There are multiple steps involved in writing and executing a program in C. Main types of Preprocessor Directives are Macros, File Inclusion, Conditional Compilation, and Other directives like #undef, #pragma, etc.
-768.png)
Processor in C
For more information, refer to the article – Preprocessor Directives in C
7. What is the use of static variables in C?
Static variables in the C programming language are used to preserve the data values between function calls even after they are out of their scope. Static variables preserve their values in their scope and they can be used again in the program without initializing again. Static variables have an initial value assigned to 0 without initialization.
C
// C program to print initial
// value of static variable
#include <stdio.h>
int main()
{
static int var;
int x;
printf("Initial value of static variable %d\n", var);
printf("Initial value of variable without static %d",
x);
return 0;
}
OutputInitial value of static variable 0
Initial value of variable without static 0
For more information, refer to the article – Static Variables in C
8. What is the difference between malloc() and calloc() in the C programming language?
calloc() and malloc() library functions are used to allocate dynamic memory. Dynamic memory is the memory that is allocated during the runtime of the program from the heap segment. “stdlib.h” is the header file that is used to facilitate dynamic memory allocation in the C Programming language.
Parameter | Malloc() | Calloc() |
---|
Definition | It is a function that creates one block of memory of a fixed size. | It is a function that assigns more than one block of memory to a single variable. |
---|
Number of arguments | It only takes one argument. | It takes two arguments. |
---|
Speed | malloc() function is faster than calloc(). | calloc() is slower than malloc(). |
---|
Efficiency | It has high time efficiency. | It has low time efficiency. |
---|
Usage | It is used to indicate memory allocation. | It is used to indicate contiguous memory allocation. |
---|
For more information, refer to the article – Dynamic Memory Allocation in C using malloc(), calloc(), free(), and realloc()
9. What do you mean by dangling pointers and how are dangling pointers different from memory leaks in C programming?
Pointers pointing to deallocated memory blocks in C Programming are known as dangling pointers i.e, whenever a pointer is pointing to a memory location and In case the variable is deleted and the pointer still points to that same memory location then it is known as a dangling pointer variable.
In C programming memory leak occurs when we allocate memory with the help of the malloc() or calloc() library function, but we forget to free the allocated memory with the help of the free() library function. Memory leak causes the program to use an undefined amount of memory from the RAM which makes it unavailable for other running programs this causes our program to crash.
10. Write a program to convert a number to a string with the help of sprintf() function in the C library.
C
// C program to convert number to
// string using sprintf()
#include <stdio.h>
#include <string.h>
// Driver code
int main()
{
char res[20];
float a = 32.23;
sprintf(res, "%f", a);
printf("\nThe string for the num is %s", res);
return 0;
}
OutputThe string for the num is 32.230000
For more information, refer to the article – sprintf() in C
11. What is recursion in C?
Recursion is the process of making the function call itself directly or indirectly. A recursive function solves a particular problem by calling a copy of itself and solving smaller subproblems that sum up the original problems. Recursion helps to reduce the length of code and make it more understandable. The recursive function uses a LIFO ( Last In First Out ) structure like a stack. Every recursive call in the program requires extra space in the stack memory.
For more information, refer to the article – Recursion
12. What is the difference between the local and global variables in C?
Local variables are declared inside a block or function but global variables are declared outside the block or function to be accessed globally.
Local Variables
| Global Variables
|
---|
Declared inside a block or a function. | Variables that are declared outside the block or a function. |
By default, variables store a garbage value. | By default value of the global value is zero. |
The life of the local variables is destroyed after the block or a function. | The life of the global variable exists until the program is executed. |
Variables are stored inside the stack unless they are specified by the programmer. | The storage location of the global variable is decided by the compiler. |
To access the local variables in other functions parameter passing is required. | No parameter passing is required. They are globally visible throughout the program. |
13. What are pointers and their uses?
Pointers are used to store the address of the variable or a memory location. Pointer can also be used to refer to another pointer function. The main purpose of the pointer is to save memory space and increase execution time. Uses of pointers are:
- To pass arguments by reference
- For accessing array elements
- To return multiple values
- Dynamic memory allocation
- To implement data structures
- To do system-level programming where memory addresses are useful
-768.png)
Working of Pointer
For more information, refer to the article – Pointer Uses in C.
14. What is typedef in C?
In C programming, typedef is a keyword that defines an alias for an existing type. Whether it is an integer variable, function parameter, or structure declaration, typedef will shorten the name.
Syntax:
typedef <existing-type> <alias-name>
Here,
- existing type is already given a name.
- alias name is the new name for the existing variable.
Example:
typedef long long ll
15. What are loops and how can we create an infinite loop in C?
Loops are used to execute a block of statements repeatedly. The statement which is to be repeated will be executed n times inside the loop until the given condition is reached. There are two types of loops Entry controlled and Exit-controlled loops in the C programming language. An Infinite loop is a piece of code that lacks a functional exit. So, it repeats indefinitely. There can be only two things when there is an infinite loop in the program. One it was designed to loop endlessly until the condition is met within the loop. Another can be wrong or unsatisfied break conditions in the program.

Types of Loops
Below is the program for infinite loop in C:
C
// C program for infinite loop
// using for, while, do-while
#include <stdio.h>
// Driver code
int main()
{
for (;;) {
printf("Infinite-loop\n");
}
while (1) {
printf("Infinite-loop\n");
}
do {
printf("Infinite-loop\n");
} while (1);
return 0;
}
For more information, refer to the article – Loops in C
16. What is the difference between type casting and type conversion?
Type Casting
| Type Conversion
|
---|
The data type is converted to another data type by a programmer with the help of a casting operator. | The data type is converted to another data by a compiler. |
It can be applied to both compatible data types as well as incompatible data types. | Type conversion can only be applied to only compatible data types. |
In Type casting in order to cast the data type into another data type, a caste operator is needed | In type conversion, there is no need for a casting operator. |
Type casting is more efficient and reliable. | Type conversion is less efficient and less reliable than type casting. |
Type casting takes place during the program design by the programmer. | Type conversion is done at compile time. |
Syntax: destination_data_type = (target_data_type) variable_to_be_converted; | Syntax: int a = 20; float b; b = a; // a = 20.0000 |
For more information, refer to the article – Type Casting and Type Conversion
17. What are header files and their uses?
C language has numerous libraries which contain predefined functions to make programming easier. Header files contain predefined standard library functions. All header files must have a ‘.h’ extension. Header files contain function definitions, data type definitions, and macros which can be imported with the help of the preprocessor directive ‘#include’. Preprocessor directives instruct the compiler that these files are needed to be processed before the compilation.
There are two types of header files i.e, User-defined header files and Pre-existing header files. For example, if our code needs to take input from the user and print desired output to the screen then ‘stdio.h’ header file must be included in the program as #include<stdio.h>. This header file contains functions like scanf() and printf() which are used to take input from the user and print the content.
For more information, refer to the article – Header Files in C
18. What are the functions and their types?
The function is a block of code that is used to perform a task multiple times rather than writing it out multiple times in our program. Functions avoid repetition of code and increase the readability of the program. Modifying a program becomes easier with the help of function and hence reduces the chances of error. There are two types of functions:
- User-defined Functions: Functions that are defined by the user to reduce the complexity of big programs. They are built only to satisfy the condition in which the user is facing issues and are commonly known as “tailor-made functions”.
- Built-in Functions: Library functions are provided by the compiler package and consist of special functions with special and different meanings. These functions give programmers an edge as we can directly use them without defining them.
For more information, refer to the article – Functions in C
19. What is the difference between macro and functions?
A macro is a name that is given to a block of C statements as a pre-processor directive. Macro is defined with the pre-processor directive. Macros are pre-processed which means that all the macros would be preprocessed before the compilation of our program. However, functions are not preprocessed but compiled.
Macro | Function |
---|
Macros are preprocessed. | Functions are compiled. |
Code length is increased using macro. | Code length remains unaffected using function. |
Execution speed using a macro is faster. | Execution speed using function is slower. |
The macro name is replaced by the macro value before compilation. | Transfer of control takes place during the function call. |
Macro doesn’t check any Compile-Time Errors. | Function check Compile-time errors. |
For more information, refer to the article – Macro vs Functions

20. How to convert a string to numbers in C?
In C we have 2 main methods to convert strings to numbers i.e, Using string stream, Using stoi() library Function or using atoi() library function.
- sscanf(): It reads input from a string rather than standard input.
- stoi() or atoi(): These functions takes a string literal or a character array as an argument and an integer value is returned.
For more information, refer to the article –String to Numbers in C
21. What are reserved keywords?
Every keyword is meant to perform a specific task in a program. Their meaning is already defined and cannot be used for purposes other than what they are originally intended for. C Programming language supports 32 keywords. Some examples of reserved keywords are auto, else, if, long, int, switch, typedef, etc.
For more information, refer to the article – Variables and Keywords in C
22. What is a structure?
The structure is a keyword that is used to create user-defined data types. The structure allows storing multiple types of data in a single unit. The structure members can only be accessed through the structure variable.
Example:
struct student
{
char name[20];
int roll_no;
char address[20];
char branch[20];
};
Below is the C program to implement structure:
C
// C Program to show the
// use of structure
#include <stdio.h>
#include <string.h>
// Structure student declared
struct student {
char name[20];
int roll_no;
char address[50];
char branch[50];
};
// Driver code
int main()
{
struct student obj;
strcpy(obj.name, "Kamlesh_Joshi");
obj.roll_no = 27;
strcpy(obj.address, "Haldwani");
strcpy(obj.branch, "Computer Science And Engineering");
// Accessing members of student obj
printf("Name: %s\n", obj.name);
printf("Roll_No: %d \n", obj.roll_no);
printf("Address: %s\n", obj.address);
printf("Branch: %s", obj.branch);
return 0;
}
OutputName: Kamlesh_Joshi
Roll_No: 27
Address: Haldwani
Branch: Computer Science And Engineering
For more information, refer to the article – Structure in C
23. What is union?
A union is a user-defined data type that allows users to store multiple types of data in a single unit. However, a union does not occupy the sum of the memory of all members. It holds the memory of the largest member only. Since the union allocates one common space for all the members we can access only a single variable at a time. The union can be useful in many situations where we want to use the same memory for two or more members.
Syntax:
union name_of_union
{
data_type name;
data_type name;
};
For more information, refer to the article – Union in C
24. What is an r-value and value?
An “l-value” refers to an object with an identifiable location in memory (i.e. having an address). An “l-value” will appear either on the right or left side of the assignment operator(=). An “r-value” is a data value stored in memory at a given address. An “r-value” refers to an object without an identifiable location in memory (i.e. without an address). An “r-value” is an expression that cannot be assigned a value, therefore it can only exist on the right side of an assignment operator (=).
Example:
int val = 20;
Here, val is the ‘l-value’, and 20 is the ‘r-value’.
For more information, refer to the article – r-value and l-value in C
25. What is the difference between call by value and call by reference?
Call by value
| Call by Reference
|
---|
Values of the variable are passed while function calls. | The address of a variable(location of variable) is passed while the function call. |
Dummy variables copy the value of each variable in the function call. | Dummy variables copy the address of actual variables. |
Changes made to dummy variables in the called function have no effect on actual variables in the calling function. | We can manipulate the actual variables using addresses. |
A simple technique is used to pass the values of variables. | The address values of variables must be stored in pointer variables. |
For more information, refer to the article – Call by Value and Call by Reference
26. What is the sleep() function?
sleep() function in C allows the users to wait for a current thread for a given amount of time. sleep() function will sleep the present executable for the given amount of time by the thread but other operations of the CPU will function properly. sleep() function returns 0 if the requested time has elapsed.
For more information, refer to the article – sleep() Function in C
27. What are enumerations?
In C, enumerations (or enums) are user-defined data types. Enumerations allow integral constants to be named, which makes a program easier to read and maintain. For example, the days of the week can be defined as an enumeration and can be used anywhere in the program.
enum enumeration_name{constant1, constant2, ... };
C
// An example program to demonstrate working
// of enum in C
#include <stdio.h>
enum week { Mon, Tue, Wed, Thur, Fri, Sat, Sun };
int main()
{
enum week day;
day = Wed;
printf("%d", day);
return 0;
}
In the above example, we declared “day” as the variable, and the value of “Wed” is allocated to day, which is 2. So as a result, 2 is printed.
For more information, refer to the article – Enumeration (or enum) in C
28: What is a volatile keyword?
Volatile keyword is used to prevent the compiler from optimization because their values can’t be changed by code that is outside the scope of current code at any time. The System always reads the current value of a volatile object from the memory location rather than keeping its value in a temporary register at the point it is requested, even if previous instruction is asked for the value from the same object.
29. Write a C program to print the Fibonacci series using recursion and without using recursion.
-768.png)
Fibonacci Numbers
C
// C program to print Fibonacci Series
// with recursion and without recursion
#include <stdio.h>
// Recursive Function to print
// Fibonacci Series
void Fibonacci(int num, int first, int second, int third)
{
if (num > 0) {
third = first + second;
first = second;
second = third;
printf("%d ", third);
// Recursive call for it's
// n-1 value
Fibonacci(num - 1, first, second, third)
}
}
// Driver code
int main()
{
int num;
printf("Please Enter number of Elements: ");
scanf("%d", &num);
printf(
"Fibonacci Series with the help of Recursion:\n");
printf("%d %d ", 0, 1);
// we are passing n-2 because we have
// already printed 2 numbers i.e, 0 and 1
Fibonacci(num - 2, 0, 1, 0);
printf("\nFibonacci Series without Using Recursion:\n");
int first = 0, second = 1, third = 0;
printf("%d %d ", 0, 1);
// Loop will start from 2 because we have
// already printed 0 and 1
for (int i = 2; i < num; i++) {
third = first + second;
printf("%d ", third);
first = second;
second = third;
}
return 0;
}
Output:
Please Enter number of Elements: 5
Fibonacci Series with the help of Recursion:
0 1 1 2 3
Fibonacci Series without Using Recursion:
0 1 1 2 3
For more information, refer to the article – Fibonacci Numbers
30. Write a C program to check whether a number is prime or not.

Number Prime or not
C
// C program to check if a
// number is prime
#include <math.h>
#include <stdio.h>
// Driver code
int main()
{
int num;
int check = 1;
printf("Enter a number: \n");
scanf("%d", &num);
// Iterating from 2 to sqrt(num)
for (int i = 2; i <= sqrt(num); i++) {
// If the given number is divisible by
// any number between 2 and n/2 then
// the given number is not a prime number
if (num % i == 0) {
check = 0;
break;
}
}
if (num <= 1) {
check = 0;
}
if (check == 1) {
printf("%d is a prime number", num);
}
else {
printf("%d is not a prime number", num);
}
return 0;
}
For more information, refer to the article – Prime or Not
31. How is source code different from object code?
Source Code | Object Code |
---|
Source code is generated by the programmer. | object code is generated by a compiler or another translator. |
High-level code which is human-understandable. | Low-level code is not human-understandable. |
Source code can be easily modified and contains less number of statements than object code. | Object code cannot be modified and contains more statements than source code. |
Source code can be changed over time and is not system specific. | Object code can be modified and is system specific. |
Source code is less close to the machine and is input to the compiler or any other translator. | Object code is more close to the machine and is the output of the compiler or any other translator. |
Language translators like compilers, assemblers, and interpreters are used to translate source code to object code. | Object code is machine code so it does not require any translation. |
For more information, refer to the article – Source vs Object Code
32. What is static memory allocation and dynamic memory allocation?
- Static memory allocation: Memory allocation which is done at compile time is known as static memory allocation. Static memory allocation saves running time. It is faster than dynamic memory allocation as memory allocation is done from the stack. This memory allocation method is less efficient as compared to dynamic memory allocation. It is mostly preferred in the array.
- Dynamic memory allocation: Memory allocation done at execution or run time is known as dynamic memory allocation. Dynamic memory allocation is slower than static memory allocation as memory allocation is done from the heap. This memory allocation method is more efficient as compared to static memory allocation. It is mostly preferred in the linked list.
For more information, refer to the article – Static and Dynamic Memory Allocation in C
33. What is pass-by-reference in functions?
Pass by reference allows a function to modify a variable without making a copy of the variable. The Memory location of the passed variable and parameter is the same, so any changes done to the parameter will be reflected by the variables as well.
C
// C program to change a variable
// using pass by reference
#include <stdio.h>
// * used to dereference the variable
void change(int* num)
{
// value of num changed to 30
*num = 30;
}
// Driver code
int main()
{
int num = 20;
printf("Value of num before passing is: %d\n", num);
// Calling change function by passing address
change(&num);
printf("Value of num after changing with the help of "
"function is: %d",
num);
return 0;
}
For more information, refer to the article – Pass By Reference
34. What is a memory leak and how to avoid it?
Whenever a variable is defined some amount of memory is created in the heap. If the programmer forgets to delete the memory. This undeleted memory in the heap is called a memory leak. The Performance of the program is reduced since the amount of available memory was reduced. To avoid memory leaks, memory allocated on the heap should always be cleared when it is no longer needed.
For more information, refer to the article – Memory Leak
35. What are command line arguments?
Arguments that are passed to the main() function of the program in the command-line shell of the operating system are known as command-line arguments.
Syntax:
int main(int argc, char *argv[]){/*code which is to be executed*/}
For more information, refer to the article – Command Line Arguments in C
36. What is an auto keyword?
Every local variable of a function is known as an automatic variable in the C language. Auto is the default storage class for all the variables which are declared inside a function or a block. Auto variables can only be accessed within the block/function they have been declared. We can use them outside their scope with the help of pointers. By default auto keywords consist of a garbage value.
For more information, refer to the article – Storage Classes in C
37. Write a program to print “Hello-World” without using a semicolon.
C
// C program to print hello-world
// without using semicolon
#include <stdio.h>
// Driver code
int main()
{
// This will print the hello-world
// on the screen without giving any error
if (printf(“Hello - World”)) {
}
return 0;
}
For more information, refer to the article – Hello World in C
38. Write a C program to swap two numbers without using a third variable.
-768.png)
Swap Two Number
C
// C program to swap two variables
// without using a third variable
#include <stdio.h>
int main()
{
// Variable declaration
int var1 = 50;
int var2 = 60;
printf(
"Values before swap are var1 = %d and var2 = %d\n",
var1, var2);
// var1 = 110 ( 50 + 60)
var1 = var1 + var2;
// var2 = 50 (110 - 50)
var2 = var1 - var2;
// var1 = 60 (110 - 50)
var1 = var1 - var2;
printf("Values after swap are var1 = %d and var2 = %d",
var1, var2);
return 0;
}
OutputValues before swap are var1 = 50 and var2 = 60
Values after swap are var1 = 60 and var2 = 50
39. Write a program to check whether a string is a palindrome or not.
C
// C program to check whether a
// string is palindrome or not.
#include <stdio.h>
#include <string.h>
// Palindrome function to check
// whether a string is palindrome
// or not
void Palindrome(char s[])
{
// Start will start from 0th index
// and end will start from length-1
int start = 0;
int end = strlen(s) - 1;
// Comparing characters until they
// are same
while (end > start) {
if (s[start++] != s[end--]) {
printf("%s is not a Palindrome \n", s);
return;
}
}
printf("%s is a Palindrome \n", s);
}
// Driver code
int main()
{
Palindrome("abba");
return 0;
}
Outputabba is a Palindrome
40. Explain modifiers.
Modifiers are keywords that are used to change the meaning of basic data types in C language. They specify the amount of memory that is to be allocated to the variable. There are five data type modifiers in the C programming language:
- long
- short
- signed
- unsigned
- long long
C Programming Interview Questions – For Experienced
41. Write a program to print the factorial of a given number with the help of recursion.

Factorial of a Number
C
// C program to find factorial
// of a given number
#include <stdio.h>
// Function to find factorial of
// a given number
unsigned int factorial(unsigned int n)
{
if (n == 0)
return 1;
return n * factorial(n - 1);
}
// Driver code
int main()
{
int num = 5;
printf("Factorial of %d is %d", num, factorial(num));
return 0;
}
OutputFactorial of 5 is 120
42. Write a program to check an Armstrong number.
C
#include <stdio.h>
#include <math.h>
// Function to calculate the number of digits
int countDigits(int n) {
int count = 0;
while (n != 0) {
count++;
n /= 10;
}
return count;
}
int main() {
int n;
printf("Enter Number: \n");
scanf("%d", &n);
int var = n;
int sum = 0;
// Get number of digits
int D = countDigits(n);
// Calculate the sum of digits raised
// to the power D
while (n > 0) {
int rem = n % 10;
sum += pow(rem, D);
n = n / 10;
}
// If the sum equals the original number,
// it's an Armstrong number
if (var == sum) {
printf("%d is an Armstrong number \n", var);
} else {
printf("%d is not an Armstrong number \n", var);
}
return 0;
}
Output
Enter number: 8208
8208 is an Armstrong number
43. Write a program to reverse a given number.
C
// C program to reverse digits
// of a number
#include <stdio.h>
// Driver code
int main()
{
int n, rev = 0;
printf("Enter Number to be reversed : ");
scanf("%d", &n);
// r will store the remainder while we
// reverse the digit and store it in rev
int r = 0;
while (n != 0)
{
r = n % 10;
rev = rev * 10 + r;
n /= 10;
}
printf("Number After reversing digits is: %d", rev);
return 0;
}
Output:
Enter Number to be reversed :
Number After reversing digits is: 321
44. What is the use of an extern storage specifier?
The extern keyword in C extends the visibility of variables and functions across multiple files. It’s particularly useful when a variable defined in one file needs to be accessed from another file. By using extern, a variable or function can be declared in one file and defined in another. This allows multiple files to share the same variable or function. By default, functions are visible throughout the program, so there is no need to declare or define extern functions unless they are being used across different files.
printf() function is used to print the value which is passed as the parameter to it on the console screen.
Syntax:
print(“%X”,variable_of_X_type);
scanf() method, reads the values from the console as per the data type specified.
Syntax:
scanf(“%X”,&variable_of_X_type);
In C format specifiers are used to tell the compiler what type of data will be present in the variable during input using scanf() or output using print().
- %c: Character format specifier used to display and scan character.
- %d, %i: Signed Integer format specifier used to print or scan an integer value.
- %f, %e, or %E: Floating-point format specifiers are used for printing or scanning float values.
- %s: This format specifier is used for String printing.
- %p: This format specifier is used for Address Printing.
For more information, refer to the article – Format Specifier in C
46. What is near, far, and huge pointers in C?
- Near Pointers: Near pointers are used to store 16-bit addresses only. Using the near pointer, we can not store the address with a size greater than 16 bits.
- Far Pointers: A far pointer is a pointer of 32 bits size. However, information outside the computer’s memory from the current segment can also be accessed.
- Huge Pointers: Huge pointer is typically considered a pointer of 32 bits size. But bits located outside or stored outside the segments can also be accessed.
47. Mention file operations in C.
In C programming Basic File Handling Techniques provide the basic functionalities that programmers can perform against the system.

File Operations in C
48. Write a Program to check whether a linked list is circular or not.
C
// C program to check if the linked list is circular
#include <stdio.h>
#include <stdlib.h>
struct Node {
int data;
struct Node* next;
};
int isCircular(struct Node* head)
{
// If given linked list is null then it is circular
if (head == NULL) {
return 1;
}
struct Node* ptr;
ptr = head->next;
// Traversing linked list till last node
while (ptr != NULL && ptr != head) {
ptr = ptr->next;
}
// will return 1 if Linked list is circular else 0
return (ptr == head);
}
struct Node* newnode(int data)
{
struct Node* first;
first = (struct Node*)malloc(sizeof(struct Node));
first->data = data;
first->next = NULL;
return first;
}
int main()
{
struct Node* head = newnode(10);
head->next = newnode(12);
head->next->next = newnode(14);
head->next->next->next = newnode(16);
head->next->next->next->next = head;
// if it will be 1 then it means linked list is
// circular
if (isCircular(head)) {
printf("Linked List is Circular\n");
}
else {
printf("Linked List is Not Circular\n");
}
return 0;
}
For more information, refer to the article – Circular Linked List
49. Write a program to Merge two sorted linked lists.

Merge two sorted linked lists
C
// C program to merge two sorted
// linked lists
#include <assert.h>
#include <stdio.h>
#include <stdlib.h>
// Linked List Node
struct Node {
int data;
struct Node* next;
};
/* Pull off the front node of the
source and put it in dest
*/
void MoveNode(struct Node** destRef,
struct Node** sourceRef);
/* Takes two lists sorted in increasing order,
and splices their nodes together to make
one big sorted list which is returned. */
struct Node* SortedMerge(struct Node* a, struct Node* b)
{
/* A dummy first node to hang the
result on */
struct Node dummy;
/* tail points to the last result node */
struct Node* tail = &dummy;
/* so tail->next is the place to add new
nodes to the result. */
dummy.next = NULL;
while (1) {
if (a == NULL) {
/* if either list runs out, use the
other list */
tail->next = b;
break;
}
else if (b == NULL) {
tail->next = a;
break;
}
if (a->data <= b->data)
MoveNode(&(tail->next), &a);
else
MoveNode(&(tail->next), &b);
tail = tail->next;
}
return (dummy.next);
}
/* UTILITY FUNCTIONS */
/* MoveNode() function takes the node
from the front of the source, and
move it to the front of the dest.
It is an error to call this with the
source list empty.
Before calling MoveNode():
source == {1, 2, 3}
dest == {1, 2, 3}
After calling MoveNode():
source == {2, 3}
dest == {1, 1, 2, 3} */
void MoveNode(struct Node** destRef,
struct Node** sourceRef)
{
/* The front source node */
struct Node* newNode = *sourceRef;
assert(newNode != NULL);
/* Advance the source pointer */
*sourceRef = newNode->next;
/* Link the old dest off the new node */
newNode->next = *destRef;
/* Move dest to point to the new node */
*destRef = newNode;
}
/* Function to insert a node at the beginning of the
linked list */
void push(struct Node** head_ref, int new_data)
{
/* allocate node */
struct Node* new_node
= (struct Node*)malloc(sizeof(struct Node));
/* put in the data */
new_node->data = new_data;
/* link the old list off the new node */
new_node->next = (*head_ref);
/* move the head to point to the new node */
(*head_ref) = new_node;
}
/* Function to print nodes in a given linked list */
void printList(struct Node* node)
{
while (node != NULL) {
printf("%d ", node->data);
node = node->next;
}
}
/* Driver program to test above functions*/
int main()
{
/* Start with the empty list */
struct Node* res = NULL;
struct Node* a = NULL;
struct Node* b = NULL;
/* Let us create two sorted linked lists to test
the functions
Created lists, a: 5->10->15, b: 2->3->20 */
push(&a, 15);
push(&a, 10);
push(&a, 5);
push(&b, 20);
push(&b, 3);
push(&b, 2);
/* Remove duplicates from linked list */
res = SortedMerge(a, b);
printf("Merged Linked List is: \n");
printList(res);
return 0;
}
OutputMerged Linked List is:
2 3 5 10 15 20
For more information, refer to the article – Merge Two Sorted Linked List
50. What is the difference between getc(), getchar(), getch() and getche().
- getc(): The function reads a single character from an input stream and returns an integer value (typically the ASCII value of the character) if it succeeds. On failure, it returns the EOF.
- getchar(): Unlike getc(), gechar() can read from standard input; it is equivalent to getc(stdin).
- getch(): It is a nonstandard function and is present in ‘conio.h’ header file which is mostly used by MS-DOS compilers like Turbo C.
- getche(): It reads a single character from the keyboard and displays it immediately on the output screen without waiting for enter key.
For more information, refer to the article – Difference between getc(), getchar(), getch(), getche()
Conclusion
C programming is an important language for both beginners and experienced developers because of its flexibility and usefulness. Whether you’re working on system programming or building applications, knowing the basics and advanced topics of C is crucial. This article has shared key interview questions, covering everything from simple syntax to more advanced topics like memory management and recursion. Reviewing these questions will help you feel more confident and prepared for your C programming interviews.
Similar Reads
C Programming Language Tutorial
C is a general-purpose programming language referred as the "mother of all programming languages" because it influenced many modern programming languages like C++, Java, Python and Go. C is an excellent choice for beginners as it provides a strong foundation in programming concepts. In this C tutori
5 min read
C Basics
C Language Introduction
C is a procedural programming language initially developed by Dennis Ritchie in the year 1972 at Bell Laboratories of AT&T Labs. It was mainly developed as a system programming language to write the UNIX operating system. The main features of the C language include: General Purpose and PortableP
6 min read
Features of C Programming Language
C is a procedural programming language. It was initially developed by Dennis Ritchie in the year 1972. It was mainly developed as a system programming language to write an operating system. The main features of C language include low-level access to memory, a simple set of keywords, and a clean styl
3 min read
C Programming Language Standard
Introduction:The C programming language has several standard versions, with the most commonly used ones being C89/C90, C99, C11, and C18. C89/C90 (ANSI C or ISO C) was the first standardized version of the language, released in 1989 and 1990, respectively. This standard introduced many of the featur
6 min read
C Hello World Program
The âHello Worldâ program is the first step towards learning any programming language. It is also one of the simplest programs that is used to introduce aspiring programmers to the programming language. It typically outputs the text "Hello, World!" to the console screen. C Program to Print "Hello Wo
1 min read
Compiling a C Program: Behind the Scenes
The compilation is the process of converting the source code of the C language into machine code. As C is a mid-level language, it needs a compiler to convert it into an executable code so that the program can be run on our machine. The C program goes through the following phases during compilation:
4 min read
C Comments
The comments in C are human-readable explanations or notes in the source code of a C program. A comment makes the program easier to read and understand. These are the statements that are not executed by the compiler or an interpreter. Example: [GFGTABS] C #include <stdio.h> int main() { // Thi
3 min read
Tokens in C
In C programming, tokens are the smallest units in a program that have meaningful representations. Tokens are the building blocks of a C program, and they are recognized by the C compiler to form valid expressions and statements. Tokens can be classified into various categories, each with specific r
4 min read
Keywords in C
In C Programming language, there are many rules so to avoid different types of errors. One of such rule is not able to declare variable names with auto, long, etc. This is all because these are keywords. Let us check all keywords in C language. What are Keywords?Keywords are predefined or reserved w
11 min read
C Variables and Constants
C Variables
In C, variable is a name given to the memory location that helps us to store some form of data and retrieves it when required. It allows us to refer to memory location without having to memorize the memory address. A variable name can be used in expressions as a substitute in place of the value it s
3 min read
Constants in C
In C programming, constants are read-only values that cannot be modified during the execution of a program. These constants can be of various types, such as integer, floating-point, string, or character constants. They are initialized with the declaration and remain same till the end of the program.
3 min read
Const Qualifier in C
The qualifier const can be applied to the declaration of any variable to specify that its value will not be changed (which depends upon where const variables are stored, we may change the value of the const variable by using a pointer). The result is implementation-defined if an attempt is made to c
6 min read
Different ways to declare variable as constant in C
There are many different ways to make the variable as constant in C. Some of the popular ones are: Using const KeywordUsing MacrosUsing enum Keyword1. Using const KeywordThe const keyword specifies that a variable or object value is constant and can't be modified at the compilation time. Syntaxconst
2 min read
Scope rules in C
The scope of a variable in C is the block or the region in the program where a variable is declared, defined, and used. Outside this region, we cannot access the variable, and it is treated as an undeclared identifier. The scope is the area under which a variable is visible.The scope of an identifie
6 min read
Internal Linkage and External Linkage in C
In C, linkage is a concept that describes how names/identifiers can or cannot refer to the same entity throughout the whole program or a single translation unit. The above sounds similar to scope, but it is not so. To understand what the above means, let us dig deeper into the compilation process. B
5 min read
Global Variables in C
Prerequisite: Variables in C In a programming language, each variable has a particular scope attached to them. The scope is either local or global. This article will go through global variables, their advantages, and their properties. The Declaration of a global variable is very similar to that of a
3 min read
C Data Types
Data Types in C
Each variable in C has an associated data type. It specifies the type of data that the variable can store like integer, character, floating, double, etc. Example: [GFGTABS] C++ int number; [/GFGTABS]The above statement declares a variable with name number that can store integer values. C is a static
6 min read
Literals in C
In C, Literals are the constant values that are assigned to the variables. Literals represent fixed values that cannot be modified. Literals contain memory but they do not have references as variables. Generally, both terms, constants, and literals are used interchangeably. For example, âconst int =
4 min read
Escape Sequence in C
The escape sequence in C is the characters or the sequence of characters that can be used inside the string literal. The purpose of the escape sequence is to represent the characters that cannot be used normally using the keyboard. Some escape sequence characters are the part of ASCII charset but so
5 min read
bool in C
The bool in C is a fundamental data type in most that can hold one of two values: true or false. It is used to represent logical values and is commonly used in programming to control the flow of execution in decision-making statements such as if-else statements, while loops, and for loops. In this a
6 min read
Integer Promotions in C
Some data types like char , short int take less number of bytes than int, these data types are automatically promoted to int or unsigned int when an operation is performed on them. This is called integer promotion. For example no arithmetic calculation happens on smaller types like char, short and e
2 min read
Character Arithmetic in C
As already known character range is between -128 to 127 or 0 to 255. This point has to be kept in mind while doing character arithmetic. What is Character Arithmetic?Character arithmetic is used to implement arithmetic operations like addition, subtraction, multiplication, and division on characters
2 min read
Type Conversion in C
In C, type conversion refers to the process of converting one data type to another. It can be done automatically by the compiler or manually by the programmer. The type conversion is only performed to those data types where conversion is possible. Let's take a look at an example: [GFGTABS] C #includ
4 min read
C Input/Output
Basic Input and Output in C
In C programming, input and output operations refer to reading data from external sources and writing data to external destinations outside the program. C provides a standard set of functions to handle input from the user and output to the screen or to files. These functions are part of the standard
2 min read
Format Specifiers in C
The format specifier in C is used to tell the compiler about the type of data to be printed or scanned in input and output operations. They always start with a % symbol and are used in the formatted string in functions like printf(), scanf, sprintf(), etc. The C language provides a number of format
6 min read
printf in C
In C language, printf() function is used to print formatted output to the standard output stdout (which is generally the console screen). The printf function is the most used output function in C and it allows formatting the output in many ways. Example: [GFGTABS] C #include <stdio.h> int main
6 min read
scanf in C
In C, scanf is a function that stands for Scan Formatted String. It is the most used function to read data from stdin (standard input stream i.e. usually keyboard) and stores the result into the given arguments. It can accept character, string, and numeric data from the user using standard input. It
4 min read
Scansets in C
scanf family functions support scanset specifiers which are represented by %[]. Inside scanset, we can specify single character or range of characters. While processing scanset, scanf will process only those characters which are part of scanset. We can define scanset by putting characters inside squ
2 min read
Formatted and Unformatted Input/Output functions in C with Examples
This article focuses on discussing the following topics in detail- Formatted I/O Functions.Unformatted I/O Functions.Formatted I/O Functions vs Unformatted I/O Functions.Formatted I/O Functions Formatted I/O functions are used to take various inputs from the user and display multiple outputs to the
9 min read
C Operators
Operators in C
In C language, operators are symbols that represent operations to be performed on one or more operands. They are the basic components of the C programming. In this article, we will learn about all the built-in operators in C with examples. What is a C Operator?An operator in C can be defined as the
14 min read
Arithmetic Operators in C
Arithmetic operators are the type of operators used to perform basic math operations like addition, subtraction, and multiplication. Let's take a look at an example: [GFGTABS] C #include <stdio.h> int main() { // Calculate the area of the triangle int sum = 10 + 20; printf("%d", sum)
5 min read
Unary Operators in C
In C programming, unary operators are operators that operate on a single operand. These operators are used to perform operations such as negation, incrementing or decrementing a variable, or checking the size of a variable. They provide a way to modify or manipulate the value of a single variable in
6 min read
Relational Operators in C
In C, relational operators are the symbols that are used for comparison between two values to understand the type of relationship a pair of numbers shares. The result that we get after the relational operation is a boolean value, that tells whether the comparison is true or false. Relational operato
4 min read
Bitwise Operators in C
In C, the following 6 operators are bitwise operators (also known as bit operators as they work at the bit-level). They are used to perform bitwise operations in C. The & (bitwise AND) in C takes two numbers as operands and does AND on every bit of two numbers. The result of AND is 1 only if bot
7 min read
C Logical Operators
Logical operators in C are used to combine multiple conditions/constraints. Logical Operators returns either 0 or 1, it depends on whether the expression result is true or false. In C programming for decision-making, we use logical operators. We have 3 logical operators in the C language: Logical AN
5 min read
Assignment Operators in C
In C, assignment operators are used to assign values to variables. The left operand is the variable and the right operand is the value being assigned. The value on the right must match the data type of the variable otherwise, the compiler will raise an error. Let's take a look at an example: [GFGTAB
5 min read
Increment and Decrement Operators in C
The increment ( ++ ) and decrement ( -- ) operators in C are unary operators for incrementing and decrementing the numeric values by 1 respectively. The incrementation and decrementation are one of the most frequently used operations in programming for looping, array traversal, pointer arithmetic, a
4 min read
Conditional or Ternary Operator (?:) in C
The conditional operator in C is kind of similar to the if-else statement as it follows the same algorithm as of if-else statement but the conditional operator takes less space and helps to write the if-else statements in the shortest way possible. It is also known as the ternary operator in C as it
3 min read
sizeof operator in C
Sizeof is a much-used operator in the C. It is a compile-time unary operator which can be used to compute the size of its operand. The result of sizeof is of the unsigned integral type which is usually denoted by size_t. sizeof can be applied to any data type, including primitive types such as integ
3 min read
Operator Precedence and Associativity in C
Operator precedence and associativity are rules that decide the order in which parts of an expression are calculated. Precedence tells us which operators should be evaluated first, while associativity determines the direction (left to right or right to left) in which operators with the same preceden
8 min read
C Control Statements Decision-Making
Decision Making in C (if , if..else, Nested if, if-else-if )
In C, programs can choose which part of the code to execute based on some condition. This ability is called decision making and the statements used for it are called conditional statements. These statements evaluate one or more conditions and make the decision whether to execute a block of code or n
8 min read
C - if Statement
The if in C is the simplest decision-making statement. It consists of the test condition and a block of code that is executed if and only if the given condition is true. Otherwise, it is skipped from execution. Let's take a look at an example: [GFGTABS] C #include <stdio.h> int main() { int n
4 min read
C if else Statement
The if else in C is an extension of the if statement which not only allows the program to execute one block of code if a condition is true, but also a different block if the condition is false. This enables making decisions with two possible outcomes. Let's take a look at an example: [GFGTABS] C #in
3 min read
C if else if ladder
In C, if else if ladder is an extension of if else statement used to test a series of conditions sequentially, executing the code for the first true condition. A condition is checked only if all previous ones are false. Once a condition is true, its code block executes, and the ladder ends. Example:
3 min read
Switch Statement in C
In C, switch statement is a control flow structure that allows you to execute one of many code blocks based on the value of an expression. It is often used in place of if-else ladder when there are multiple conditional codes. Example: [GFGTABS] C #include <stdio.h> int main() { // Switch varia
6 min read
Using Range in switch Case in C
You all are familiar with switch case in C, but did you know you can use a range of numbers instead of a single number or character in the case statement? Range in switch case can be useful when we want to run the same set of statements for a range of numbers so that we do not have to write cases se
2 min read
C - Loops
In C programming, there is often a need for repeating the same part of the code multiple times. For example, to print a text three times, we have to use printf() three times as shown in the code: [GFGTABS] C #include <stdio.h> int main() { printf( "Hello GfG\n"); printf( "Hello
7 min read
C for Loop
In C programming, the for loop is used to repeatedly execute a block of code as many times as instructed. It uses a variable (loop variable) whose value is used to decide the number of repetitions. It is generally used when we know how many times we want to repeat the code. Let's take a look at an e
4 min read
while Loop in C
The while loop in C allows a block of code to be executed repeatedly as long as a given condition remains true. It is often used when we want to repeat a block of code till some condition is satisfied. Let's take a look at an example: [GFGTABS] C #include <stdio.h> int main() { int i = 1; // C
5 min read
do...while Loop in C
The do...while loop is a type of loop in C that executes a block of code until the given condition is satisfied. The feature of do while loops is that unlike the while loop, which checks the condition before executing the loop, the do...while loop ensures that the code inside the loop is executed at
4 min read
For vs. While
In C, loops are the fundamental part of language that are used to repeat a block of code multiple times. The two most commonly used loops are the for loop and the while loop. Although they achieve the same result, their structure, use cases, and flexibility differ. The below table highlights some pr
4 min read
Continue Statement in C
The continue statement in C is a jump statement used to skip the current iteration of a loop and continue with the next iteration. It is used inside loops (for, while, or do-while) along with the conditional statements to bypass the remaining statements in the current iteration and move on to next i
4 min read
Break Statement in C
The break in C is a loop control statement that breaks out of the loop when encountered. It can be used inside loops or switch statements to bring the control out of the block. The break statement can only break out of a single loop at a time. Let's take a look at an example: [GFGTABS] C #include
5 min read
goto Statement in C
The goto statement in C allows the program to jump to some part of the code, giving you more control over its execution. While it can be useful in certain situations, like error handling or exiting complex loops, it's generally not recommended because it can make the code harder to read and maintain
4 min read
C Functions
C Functions
A function in C is a set of statements that when called perform some specific tasks. It is the basic building block of a C program that provides modularity and code reusability. The programming statements of a function are enclosed within { } braces, having certain meanings and performing certain op
10 min read
User-Defined Function in C
A user-defined function is a type of function in C language that is defined by the user himself to perform some specific task. It provides code reusability and modularity to our program. User-defined functions are different from built-in functions as their working is specified by the user and no hea
6 min read
Parameter Passing Techniques in C
In C, passing values to a function means providing data to the function when it is called so that the function can use or manipulate that data. Here: Formal Parameters: Variables used in parameter list in a function declaration/definition as placeholders. Also called only parameters.Actual Parameter
4 min read
Function Prototype in C
In C, a function prototype is a statement that tells the compiler about the functionâs name, its return type, numbers, and data types of its parameters. Using this information, the compiler cross-checks function parameters and their data type with function definition and function call. For example,
6 min read
How can I return multiple values from a function?
In C programming, a function can return only one value directly. However, C also provides several indirect methods in to return multiple values from a function. In this article, we will learn the different ways to return multiple values from a function in C. The most straightforward method to return
3 min read
main Function in C
The main function is the entry point of a C program. It is a user-defined function where the execution of a program starts. Every C program must contain, and its return value typically indicates the success or failure of the program. In this article, we will learn more about the main function in C.
5 min read
Implicit Return Type int in C
In C, every function has a return type that indicates the type of value it will return, and it is defined at the time of function declaration or definition. But in C language, it is possible to define functions without mentioning the return type and by default, int is implicitly assumed that the ret
2 min read
Callbacks in C
A callback is any executable code that is passed as an argument to another code, which is expected to call back (execute) the argument at a given time. In simple terms, a callback is the process of passing a function (executable code) to anther function as argument and then it is called by the passe
4 min read
Nested Functions in C
Nesting of functions refers to placing the definition of the function inside another functions. In C programming, nested functions are not allowed. We can only define a function globally. Example: [GFGTABS] C #include <stdio.h> int main() { void fun(){ printf("GeeksForGeeks"); } fun(
4 min read
Variadic Functions in C
In C, variadic functions are functions that can take a variable number of arguments. This feature is useful when the number of arguments for a function is unknown. It takes one fixed argument and then any number of arguments can be passed. Let's take a look at an example: [GFGTABS] C #include <st
5 min read
_Noreturn function specifier in C
In C, the _Noreturn specifier is used to indicate that a function does not return a value. It tells the compiler that the function will either exit the program or enter an infinite loop, so it will never return control to the calling function. This helps the compiler to optimize code and issue warni
2 min read
Predefined Identifier __func__ in C
Before we start discussing __func__, let us write some code snippets and anticipate the output: C/C++ Code // C program to demonstrate working of a // Predefined Identifier __func__ #include <stdio.h> int main() { // %s indicates that the program will read strings printf("%s", __func
2 min read
C Library math.h Functions
The math.h header defines various C mathematical functions and one macro. All the functions available in this library take double as an argument and return double as the result. Let us discuss some important C math functions one by one. C Math Functions1. double ceil (double x) The C library functio
6 min read
C Arrays & Strings
C Arrays
Array in C is one of the most used data structures in C programming. It is a simple and fast way of storing multiple values under a single name. In this article, we will study the different aspects of array in C language such as array declaration, definition, initialization, types of arrays, array s
15+ min read
Properties of Array in C
An array in C is a fixed-size homogeneous collection of elements stored at a contiguous memory location. It is a derived data type in C that can store elements of different data types such as int, char, struct, etc. It is one of the most popular data types widely used by programmers to solve differe
8 min read
Multidimensional Arrays in C - 2D and 3D Arrays
Prerequisite: Arrays in C A multi-dimensional array can be defined as an array that has more than one dimension. Having more than one dimension means that it can grow in multiple directions. Some popular multidimensional arrays are 2D arrays and 3D arrays. In this article, we will learn about multid
10 min read
Initialization of Multidimensional Array in C
In C, multidimensional arrays are the arrays that contain more than one dimensions. These arrays are useful when we need to store data in a table or matrix-like structure. In this article, we will learn the different methods to initialize a multidimensional array in C. The easiest method for initial
4 min read
Pass Array to Functions in C
Passing an array to a function allows the function to directly access and modify the original array. In this article, we will learn how to pass arrays to functions in C. In C, arrays are always passed to function as pointers. They cannot be passed by value because of the array decay due to which, wh
3 min read
How to pass a 2D array as a parameter in C?
A 2D array is essentially an array of arrays, where each element of the main array holds another array. In this article, we will see how to pass a 2D array to a function. The simplest and most common method to pass 2D array to a function is by specifying the parameter as 2D array with row size and c
3 min read
What are the data types for which it is not possible to create an array?
In C, an array is a collection of variables of the same data type, stored in contiguous memory locations. Arrays can store data of primitive types like integers, characters, and floats, as well as user-defined types like structures. However, there are certain data types for which arrays cannot be di
2 min read
How to pass an array by value in C ?
In C programming, arrays are always passed as pointers to the function. There are no direct ways to pass the array by value. However, there is trick that allows you to simulate the passing of array by value by enclosing it inside a structure and then passing that structure by value. This will also p
2 min read
Strings in C
A String in C programming is a sequence of characters terminated with a null character '\0'. The C String is stored as an array of characters. The difference between a character array and a C string is that the string in C is terminated with a unique character '\0'. C String Declaration SyntaxDeclar
8 min read
Array of Strings in C
In C, an array of strings is a 2D array where each row contains a sequence of characters terminated by a '\0' NULL character (strings). It is used to store multiple strings in a single array. Let's take a look at an example: [GFGTABS] C #include <stdio.h> int main() { // Creating array of stri
3 min read
What is the difference between single quoted and double quoted declaration of char array?
In C programming, the way we declare and initialize a char array can differ based on whether we want to use a sequence of characters and strings. They are basically same with difference only of a '\0' NULL character. Double quotes automatically include the null terminator, making the array a string
2 min read
C String Functions
The C string functions are built-in functions that can be used for various operations and manipulations on strings. These string functions make it easier to perform tasks such as string copy, concatenation, comparison, length, etc. The <string.h> header file contains these string functions. Th
6 min read
C Pointers
C Pointers
A pointer is a variable that stores the memory address of another variable. Instead of holding a direct value, it holds the address where the value is stored in memory. There are 2 important operators that we will use in pointers concepts i.e. Dereferencing operator(*) used to declare pointer variab
10 min read
Pointer Arithmetics in C with Examples
Pointer Arithmetic is the set of valid arithmetic operations that can be performed on pointers. The pointer variables store the memory address of another variable. It doesn't store any value. Hence, there are only a few operations that are allowed to perform on Pointers in C language. The C pointer
10 min read
C - Pointer to Pointer (Double Pointer)
In C, double pointers are those pointers which stores the address of another pointer. The first pointer is used to store the address of the variable, and the second pointer is used to store the address of the first pointer. That is why they are also known as a pointer to pointer. Let's take a look a
5 min read
Function Pointer in C
In C, a function pointer is a type of pointer that stores the address of a function, allowing functions to be passed as arguments and invoked dynamically. It is useful in techniques such as callback functions, event-driven programs, and polymorphism (a concept where a function or operator behaves di
6 min read
How to Declare a Pointer to a Function?
A pointer to a function is similar to a pointer to a variable. However, instead of pointing to a variable, it points to the address of a function. This allows the function to be called indirectly, which is useful in situations like callback functions or event-driven programming. In this article, we
2 min read
Pointer to an Array | Array Pointer
A pointer to an array is a pointer that points to the whole array instead of the first element of the array. It considers the whole array as a single unit instead of it being a collection of given elements. Consider the following example: [GFGTABS] C #include<stdio.h> int main() { int arr[5] =
5 min read
Difference between constant pointer, pointers to constant, and constant pointers to constants
In this article, we will discuss the differences between constant pointer, pointers to constant & constant pointers to constants. Pointers are the variables that hold the address of some other variables, constants, or functions. There are several ways to qualify pointers using const. Pointers to
3 min read
Pointer vs Array in C
Most of the time, pointer and array accesses can be treated as acting the same, the major exceptions being: 1. the sizeof operator sizeof(array) returns the amount of memory used by all elements in the array sizeof(pointer) only returns the amount of memory used by the pointer variable itself 2. the
1 min read
Dangling, Void , Null and Wild Pointers in C
In C programming pointers are used to manipulate memory addresses, to store the address of some variable or memory location. But certain situations and characteristics related to pointers become challenging in terms of memory safety and program behavior these include Dangling (when pointing to deall
6 min read
Near, Far and Huge Pointers in C
In older times, the intel processors had 16-bit registers, but the address bus was 20-bits wide. Due to this, CPU registers were not able to hold the entire address at once. As a solution, the memory was divided into segments of 64 kB size, and the near pointers, far pointers, and huge pointers were
4 min read
restrict Keyword in C
The restrict keyword is a type qualifier that was introduced in the C99 standard. It is used to tell the compiler that a pointer is the only reference or access point to the memory it points to, allowing the compiler to make optimizations based on that information. Let's take a look at an example: [
3 min read