Computer >> Máy Tính >  >> Lập trình >> lập trình C

Viết chương trình C minh họa các ví dụ về con trỏ

Con trỏ là một biến lưu trữ địa chỉ của một biến khác.

Tính năng của con trỏ

  • Con trỏ tiết kiệm dung lượng bộ nhớ.

  • Thời gian thực thi của con trỏ nhanh hơn do truy cập trực tiếp vào vị trí bộ nhớ.

  • Với sự trợ giúp của con trỏ, bộ nhớ được truy cập hiệu quả, tức là bộ nhớ được cấp phát và phân bổ động.

  • Con trỏ được sử dụng với cấu trúc dữ liệu.

Khai báo một con trỏ

int *p;

Có nghĩa là ‘p’ là một biến con trỏ chứa địa chỉ của một biến số nguyên khác.

Khởi tạo con trỏ

Toán tử địa chỉ (&) được sử dụng để khởi tạo một biến con trỏ.

Ví dụ,

int qty = 175;
int *p;
p= &qty;

Viết chương trình C minh họa các ví dụ về con trỏ

Truy cập một biến thông qua con trỏ của nó

Để truy cập giá trị của biến, toán tử hướng dẫn (*) được sử dụng.

Chương trình

#include<stdio.h>
void main(){
   //Declaring variables and pointer//
   int a=2;
   int *p;
   //Declaring relation between variable and pointer//
   p=&a;
   //Printing required example statements//
   printf("Size of the integer is %d\n",sizeof (int));//4//
   printf("Address of %d is %d\n",a,p);//Address value//
   printf("Value of %d is %d\n",a,*p);//2//
   printf("Value of next address location of %d is %d\n",a,*(p+1));//Garbage value from (p+1) address//
   printf("Address of next address location of %d is %d\n",a,(p+1));//Address value +4//
   //Typecasting the pointer//
   //Initializing and declaring character data type//
   //a=2 = 00000000 00000000 00000000 00000010//
   char *p0;
   p0=(char*)p;
   //Printing required statements//
   printf("Size of the character is %d\n",sizeof(char));//1//
   printf("Address of %d is %d\n",a,p0);//Address Value(p)//
   printf("Value of %d is %d\n",a,*p0);//First byte of value a - 2//
   printf("Value of next address location of %d is %d\n",a,*(p0+1));//Second byte of value a - 0//
   printf("Address of next address location of %d is %d\n",a,(p0+1));//Address value(p)+1//
}

Đầu ra

Size of the integer is 4
Address of 2 is 6422028
Value of 2 is 2
Value of next address location of 2 is 10818512
Address of next address location of 2 is 6422032
Size of the character is 1
Address of 2 is 6422028
Value of 2 is 2
Value of next address location of 2 is 0
Address of next address location of 2 is 6422029