Two commonly used functions for I/O (Input/Output) are
- printf()
- scanf()
The scanf() function reads formatted input from standard input (keyboard) whereas the printf() function sends formatted output to the standard output (screen).
🌲C output (="hello world")
data:image/s3,"s3://crabby-images/b3039/b30399e66fe3b83b133c9070291c0fc59cfcb059" alt=""
🍀#include <stdio.h>
🍀int main()
🍀{
🍀 printf("C Programming");
🍀 return 0;
🍀}
-
All valid C program must contain the main() function. The code execution begins from the start of main() function.
-
The printf() is a library function to send formatted output to the screen. The printf() function is declared in "stdio.h" header file.
-
Here, stdio.h is a header file (standard input output header file) and #include is a preprocessor directive to paste the code from the header file when necessary. When the compiler encounters printf() function and doesn't find stdio.h header file, compiler shows error.
-
The return 0; statement is the "Exit status" of the program.
🌲integer output
data:image/s3,"s3://crabby-images/557d3/557d3e92c89e5578b07ba4357aad8bba8fff6cff" alt=""
🍀#include <stdio.h>
🍀int main()
🍀{
🍀 int testInteger = 5;
🍀 printf("Number = %d", testInteger);
🍀 return 0;
🍀}
- Inside the quotation of printf() function, there is a format string "%d" (for integer). If the format string matches the argument (testInteger in this case), it is displayed on the screen.
🌲integer input/output
data:image/s3,"s3://crabby-images/0425b/0425b407cd582c0dd3af45746061a19fee7aa032" alt=""
🍀#include <stdio.h>
🍀int main()
🍀{
🍀 int testInteger;
🍀 printf("Enter an integer: ");
🍀 scanf("%d",&testInteger);
🍀 printf("Number = %d",testInteger);
🍀 return 0;
🍀}
🌲floats input/output
data:image/s3,"s3://crabby-images/3821a/3821a81254e1b6c1d8e767150c01c8d514cf1a1f" alt=""
🍀#include <stdio.h>
🍀int main()
🍀{
🍀 float f;
🍀 printf("Enter a number: ");
🍀 scanf("%f",&f);
🍀 printf("Value = %f", f);
🍀 return 0;
🍀}
- The format string "%f" is used to read and display formatted in case of floats.
🌲character input/output
data:image/s3,"s3://crabby-images/e587d/e587d0fc47adb60f2c3ded29af73659f026b318b" alt=""
🍀#include <stdio.h>
🍀int main()
🍀{
🍀 char chr;
🍀 printf("Enter a character: ");
🍀 scanf("%c",&chr);
🍀 printf("You entered %c.",chr);
🍀 return 0;
🍀}
- Format string %c is used in case of character types.
🌲ASCII Code
-
When a character is entered in the above program, the character itself is not stored. Instead, a numeric value(ASCII value) is stored.
-
And when we displayed that value using "%c" text format, the entered character is displayed.
data:image/s3,"s3://crabby-images/416e7/416e747ff7c87b081643768d645757e72ad1e287" alt=""
🍀#include <stdio.h>
🍀int main()
🍀{
🍀 char chr;
🍀 printf("Enter a character: ");
🍀 scanf("%c",&chr);
🍀 printf("You entered %c.\n",chr);
🍀 printf("ASCII value of %c is %d.", chr, chr);
🍀 return 0;
🍀}
🌲character input/output
reference: programiz
网友评论