/* Using functions with structures */
#include <stdio.h>
#include <string.h>
//the planet type
typedef struct planet
{
char name [10];
double diameter;
int moons;
double orbit, rotation;
} planet;
// structure sent to function
void
print_planet (planet p)
{
printf ("------------------------------------------------------\n");
printf ("%s\n", p.name);
printf ("Diameter: %.1f km\n", p.diameter);
printf ("Number of moons: %d\n", p.moons);
printf ("Time to complete one orbit around the sun: %.1f years\n", p.orbit);
printf ("Time to complete one rotation on the axis: %.1f hours\n", p.rotation);
printf ("------------------------------------------------------\n\n");
}
// structure returned by value
planet
get_planet (void)
{
planet pl;
printf ("Enter the planet's name: ");
scanf ("%s", pl.name);
printf ("Enter the planet's diameter in km: ");
scanf ("%lf", &pl.diameter);
printf ("How many moons orbit this planet? ");
scanf ("%d", &pl.moons);
printf ("How many years does it take for this planet to orbit the sun? ");
scanf ("%lf", &pl.orbit);
printf ("How many hours for one rotation around the axis? ");
scanf ("%lf", &pl.rotation);
return (pl);
}
int
main (void)
{
planet planet1, planets[9];
/* filling planet1 variable */
planet1 = get_planet ();
/* filling cell #2 of planets array */
planets[2] = get_planet ();
/* displaying record of cell #2 of planets array */
print_planet (planets[2]);
/* displaying record of planet1 variable */
print_planet (planet1);
/* copying planet1 variable into cell #0 of planets array */
planets[0] = planet1;
/* displaying record of cell #0 of planets array */
print_planet (planets[0]);
return(0);
}
Enter the planet's name: Earth
Enter the planet's diameter in km: 12000
How many moons orbit this planet? 1
How many years does it take for this planet to orbit the sun? 1
How many hours for one rotation around the axis? 24
Enter the planet's name: Saturn
Enter the planet's diameter in km: 120000
How many moons orbit this planet? 23
How many years does it take for this planet to orbit the sun? 29.7
How many hours for one rotation around the axis? 10.5
------------------------------------------------------
Saturn
Diameter: 120000.0 km
Number of moons: 23
Time to complete one orbit around the sun: 29.7 years
Time to complete one rotation on the axis: 10.5 hours
------------------------------------------------------
------------------------------------------------------
Earth
Diameter: 12000.0 km
Number of moons: 1
Time to complete one orbit around the sun: 1.0 years
Time to complete one rotation on the axis: 24.0 hours
------------------------------------------------------
------------------------------------------------------
Earth
Diameter: 12000.0 km
Number of moons: 1
Time to complete one orbit around the sun: 1.0 years
Time to complete one rotation on the axis: 24.0 hours
------------------------------------------------------