#include <stdio.h>
int main()
{
int j;
int i;
int *p; // declare pointer
i = 7;
p = &i; // The pointer now holds the address of i
j = *p;
printf("i = %d
", i); // value of i
printf("j = %d
", j); // value of j
printf("*p = %d
", p); // the address held by the pointer
*p = 32; // asigns value to i via the pointer
printf("i = %d
", i); // value of i
printf("j = %d
", j); // value of j
printf("*p = %d
", p); // the address held by the pointer
printf("&i = %d
", &i); // address of i
return 0;
}
#include <stdio.h>
#include <stdlib.h>
struct person {
int age;
float weight;
char name[30];
};
int main()
{
struct person *ptr;
int i, n;
printf("Enter the number of persons: ");
scanf("%d", &n);
// allocating memory for n numbers of struct person
ptr = (struct person*) malloc(n * sizeof(struct person));
for(i = 0; i < n; ++i)
{
printf("Enter first name and age respectively: ");
// To access members of 1st struct person,
// ptr->name and ptr->age is used
// To access members of 2nd struct person,
// (ptr+1)->name and (ptr+1)->age is used
scanf("%s %d", (ptr+i)->name, &(ptr+i)->age);
}
printf("Displaying Information:
");
for(i = 0; i < n; ++i)
printf("Name: %s Age: %d
", (ptr+i)->name, (ptr+i)->age);
return 0;
}
#include<stdio.h>
struct Point
{
int x, y;
};
int main()
{
struct Point p1 = {1, 2};
// p2 is a pointer to structure p1
struct Point *p2 = &p1;
// Accessing structure members using structure pointer
printf("%d %d", p2->x, p2->y);
return 0;
}
#include <stdio.h>
int main()
{
int *p;
int var = 10;
p= &var;
printf("Value of variable var is: %d", var);
printf("
Value of variable var is: %d", *p);
printf("
Address of variable var is: %p", &var);
printf("
Address of variable var is: %p", p);
printf("
Address of pointer p is: %p", &p);
return 0;
}
#output
#Value of variable var is: 10
#Value of variable var is: 10
#Address of variable var is: 0x7fff5ed98c4c
#Address of variable var is: 0x7fff5ed98c4c
#Address of pointer p is: 0x7fff5ed98c50
#include<stdio.h>
#include<stdlib.h>
main()
{
int *p;
p=(int*)calloc(3*sizeof(int));
printf("Enter first number
");
scanf("%d",p);
printf("Enter second number
");
scanf("%d",p+2);
printf("%d%d",*p,*(p+2));
free(p);
}