< C Programming
Completion status: Almost complete, but you can help make it more thorough.

Objective

  • Learn how to output text to the console.

Lesson

Output is information that the program tells the user. The most basic way to do this is writing text to the console. In the previous lesson, we output text to the console using the following program:

#include <stdio.h>
 
int main(void)
{
     printf("Hello world!\n\n");
     printf("Press any key to continue ...");
     getch();
     return 0;
}

If you compile the above program and run it, you will get this output:

The function getch() is an input function that waits for the user to tap any key on their keyboard and returns a char representing that key. You will learn about input later on in this course.

printf()

The line in the above example code that says printf("Hello world!\n\n"); is the one that outputs the Hello world! text to the console. printf() is reading what is called a string. In this case, the string is "Hello world!\n\n" part, including the double quotes. You can write almost any text you want.

Printing variables

Variables can be printed and formatted using the printf() function. Consider the following piece of code:

#include <stdio.h>

int main(void)
{
     char a = 'A';
     printf("%c\n", a);
     printf("%d\n", a);
     getch();
     return 0;
}

OUTPUT

A
65

First, we define a char called a and assign it the value of the character A. Then we pass to printf() a string with formatting instructions and a variable. We use %c to print the value of a as a char, and %d to print the value of a as an integer.

Escape sequences

\n tells the console to start a new line. \n falls under a category called escape sequences. These are commands denoted by the backslash. If you removed "\n" from the first printf() call in the previous example, the second printf() would not be printing on a new line, and you would see the following:

A65

This is because there is nothing telling the console to put a new line between "A" and "65".

Here is a table of most of the escape sequences.

Escape SequenceDescription
\'Single quote
\"Double quote
\\Backslash
\nnnOctal number (nnn)*
\0Null character (really just the octal number zero)
\aAudible bell
\bBackspace
\fFormfeed
\nNewline
\rCarriage return
\tHorizontal tab
\vVertical tab
\xnnnHexadecimal number (nnn)*

* For both Hexadecimal and Octal number escape sequences, \nnn or \xnnn evaluates to a character with character code nnn. For example, \101 evaluates to the character A, as A has the character code of 101 in octal format.

Examples

Further reading

Assignments

This article is issued from Wikiversity. The text is licensed under Creative Commons - Attribution - Sharealike. Additional terms may apply for the media files.