Skip to main content

Featured

C Pattern Programs: Square Number and Alphabet Patterns Explained

πŸ”· Square Star Pattern πŸ“‹ Copy Code #include <stdio.h> int main() { int num; printf("Enter the number:\n"); scanf("%d", &num); for(int i = 1; i <= num; i++) { for(int j = 1; j <= num; j++) { printf("* ");//keep"* " } printf("\n"); } return 0; } πŸ”· Reverse Square Alphabet Pattern (Column-wise) πŸ“‹ Copy Code #include <stdio.h> int main() { int num; printf("Enter the number:\n"); scanf("%d", &num); for(int i = num; i >= 1; i--) { for(int j = num; j >= 1; j--) { printf("%c ", j + 64);//%c for Character and 64 will be ASIIC VALUE } printf("\n"); } return 0; } πŸ”· Reverse Square Alphabet Pattern (Row-wise) πŸ“‹ Copy Code #include <stdio.h> int main() { int num; ...

Typedef in C - Real World Examples

Typedef in C - Real World Examples

✅ Typedef in C - Real World Examples

πŸ”Ή Typedef with Pointers

#include <stdio.h>

typedef int* IntPtr;

int main() {
    int a = 100;
    IntPtr p = &a;
    printf("Value at pointer: %d\n", *p);
    return 0;
}
  

πŸ”Ή Typedef with Function Pointer

#include <stdio.h>

typedef void (*FuncPtr)(int);

void greet(int x) {
    printf("Hello %d times!\n", x);
}

int main() {
    FuncPtr fp = greet;
    fp(3);
    return 0;
}
  

πŸ”Ή Typedef with Enum

#include <stdio.h>

typedef enum {
    RED, GREEN, BLUE
} Color;

int main() {
    Color c = GREEN;
    printf("Color value: %d\n", c);
    return 0;
}
  

πŸ”Ή Typedef with Struct

#include <stdio.h>

typedef struct {
    int x, y;
} Point;

int main() {
    Point p1 = {10, 20};
    printf("x = %d, y = %d\n", p1.x, p1.y);
    return 0;
}
  

πŸ”Ή Typedef with Unsigned Int

#include <stdio.h>

typedef unsigned int unit;

int main() {
    unit a = 0;
    printf("The value of a is: %u", a);
}
  

🧠 Explanation:

  • typedef allows creating aliases for existing data types.
  • Improves readability especially for complex declarations like function pointers or structs.
  • Helpful in embedded systems, large codebases, and API headers.

πŸ–₯️ Sample Output:

Value at pointer: 100
Hello 3 times!
Color value: 1
x = 10, y = 20
The value of a is: 0
  

πŸ”‘ Keywords:

typedef in C, typedef with pointers, typedef with struct, typedef with enum, function pointer typedef, C programming tutorials, embedded C typedef

Comments

Popular Posts

πŸŒ™