Address Operator (& - Ampersand): Returns address of the given variable. Consider the following example, int *ptr, var = 10; ptr = &var; ptr = &var sets the address of the variable var to pointer ptr. & is also called as reference operator. Let us try to understand the purpose of reference operator using the following example program. #include <stdio.h> int main() { int var = 10, *ptr; /* assigning address of variable var to pointer ptr */ ptr = &var; /* printing the address of the variable var */ printf("Address of var is 0x%x\n", &var); /* printing the value of pointer ptr */ printf("Value of ptr is 0x%x\n", ptr); ...
kbhit in c: kbhit function is used to determine if a key has been pressed or not. To use kbhit function in your program you should include the header file "conio.h". If a key has been pressed then it returns a non zero value otherwise returns zero. Declaration : int kbhit(); C programming code for kbhit #include <stdio.h> #include <conio.h> main() { while (!kbhit()) printf("You haven't pressed a key.\n"); return 0; } As long as in the above program user doesn't presses a key kbhit() return zero and (!0) i.e. 1 the condition in while loop is true and "You haven't pressed a key." will be printed again and again. As a key is pressed from the keyboard the condition in while loop become false as now kbhit() will return a non-zero value and ( !(non-zero) = 0), so the control will come out of the while loop.
gotoxy in c: gotoxy function places cursor at a desired location on screen i.e. we can change cursor position using gotoxy function. Declaration : void gotoxy( int x, int y); where (x, y) is the position where we want to place the cursor. C programming code for gotoxy // Works in turbo c compiler only #include <stdio.h> #include <conio.h> main() { int x, y; x = 10; y = 10; gotoxy(x, y); printf("C program to change cursor position."); getch(); return 0; }
Comments
Post a Comment