Added book examples

This commit is contained in:
Louise Brown
2022-04-08 16:12:38 +01:00
parent 5b205092a7
commit 1c0a9e7b6a
59 changed files with 1381 additions and 0 deletions

24
C9/do_while_loop.c Normal file
View File

@@ -0,0 +1,24 @@
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
int age; // Declare variable, no need to initialise this time
// as we read into it before it is tested against
// The loop is always entered as the test is at the end
do
{
// Code must be executed at least once
printf ("\nPlease enter your age");
scanf("%d", &age);
printf ("You are %d years old\n", age);
// Test is now made and the code
// repeats if the test equates as non-zerp
// (i.e. is age is not zero)
}
while ( age != 0);
return 0;
}

31
C9/for_loop_examples.c Normal file
View File

@@ -0,0 +1,31 @@
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
// Ddeclare variable and initialise to 1
int i;
// Count up from 1 to 100 in steps of 1
// Note the test could also be: i <= 100
for ( i = 0 ; i < 101 ; i++ )
{
printf ("The value of i is %d\n",i);
}
// Count down form 10 to zero
// Note: we could also use the test: i != 0
for ( i = 10 ; i >= 0 ; i-- )
{
printf ("The value of i is %d\n",i);
}
// Count up from 1 to 100 in steps of 3
// Note the test could also be: i <= 100
// Increement could also be written as i+=3
for ( i = 0 ; i < 101 ; i=i+1 )
{
printf ("The value of i is %d\n",i);
}
return 0;
}

23
C9/infinite_while_loop.c Normal file
View File

@@ -0,0 +1,23 @@
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
int age ; // Declare variable, no need to initialise this time
// as the test condition is not based on its value
// This is always non-zero, the loop will never break
while ( 1 )
{
// Code in {} executed if condition is true (non-zero)
printf ("\nPlease enter your age");
scanf("%d", &age);
printf ("You are %d years old\n", age);
// Code now goes back and repeats
// as the conditions is always non-zero (true)
}
return 0; // Exit code
}

19
C9/while_loop.c Normal file
View File

@@ -0,0 +1,19 @@
#include <stdio.h>
#include <stdlib.h>
int main(void)
{
int age = 1; // Declare variable and initialise to 1
while ( age != 0) // Loop as long as age is not zero
{
// Code in {} executed if condition is true (non-zero)
printf ("\nPlease enter your age");
scanf("%d", &age);
printf ("You are %d years old\n", age);
// Code now goes back and repeats the test with the value of age just entered
}
return 0; // Exit code
}