Unit 6 Arrays: Structure
Unit 6 Arrays: Structure
6.0 INTRODUCTION
C language provides four basic data types - int, char, float and double. We have learnt
about them in Unit 3. These basic data types are very useful; but they can handle only
a limited amount of data. As programs become larger and more complicated, it
becomes increasingly difficult to manage the data. Variable names typically become
longer to ensure their uniqueness. And, the number of variable names makes it
difficult for the programmer to concentrate on the more important task of correct
coding. Arrays provide a mechanism for declaring and accessing several data items
with only one identifier, thereby simplifying the task of data management.
Many programs require the processing of multiple, related data items that have
common characteristics like list of numbers, marks in a course, or enrolment numbers.
This could be done by creating several individual variables. But this is a hard and
tedious process. For example, suppose you want to read in five numbers and print
them out in reverse order. You could do it the hard way as:
main()
{
int al,a2,a3,a4,a5;
scanf(“%d %d %d %d %d”,&a1,&a2,&a3,&a4,&a5);
printf(“%d %d %d %d %d”',a5,a4,a3,a2,a1);
}
Does it look good if the problem is to read in 100 or more related data items and print
them in reverse order? Of course, the solution is the use of the regular variable names
a1, a2 and so on. But to remember each and every variable and perform the operations
on the variables is not only tedious a job and disadvantageous too. One common
organizing technique is to use arrays in such situations. An array is a collection of
similar kind of data elements stored in adjacent memory locations and are referred to
by a single array-name. In the case of C, you have to declare and define array before
it can be used. Declaration and definition tell the compiler the name of the array, the
type of each element, and the size or number of elements.To explain it, let us consider
to store marks of five students. They can be stored using five variables as follows:
int ar1, ar2, ar3, ar4, ar5;
26
Now, if we want to do the same thing for 100 students in a class then one will find it Arrays
difficult to handle 100 variables. This can be obtained by using an array. An array
declaration uses its size in [ ] brackets. For above example, we can define an array as:
int ar [100];
where ar is defined as an array of size 100 to store marks of integer data-type. Each
element of this collection is called an array-element and an integer value called the
subscript is used to denote individual elements of the array. An ar array is the
collection of 200 consecutive memory locations referred as below:
In the above figure, as each integer value occupies 2 bytes, 200 bytes were allocated
in the memory.
This unit explains the use of arrays, types of arrays, declaration and initialization with
the help of examples.
6.1 OBJECTIVES
After going through this unit you will be able to:
• Array is a data structure storing a group of elements, all of which are of the same
data type.
• All the elements of an array share the same name, and they are distinguished
from one another with the help of an index.
• Random access to every element using a numeric index (subscript).
• A simple data structure, used for decades, which is extremely useful.
• Abstract Data type (ADT) list is frequently associated with the array data
structure.
The declaration of an array is just like any variable declaration with additional size
part, indicating the number of elements of the array. Like other variables, arrays must
be declared at the beginning of a function.
The declaration specifies the base type of the array, its name, and its size or
dimension. In the following section we will see how an array is declared:
27
Control Statements,
Arrays and
Functions
6.2.1 Syntax of Array Declaration
Syntax of array declaration is as follows:
• The amount of storage for a declared array has to be specified at compile time
before execution. This means that an array has a fixed size.
• The data type of an array applies uniformly to all the elements; for this reason, an
array is called a homogeneous data structure.
The following example shows how to declare and read values in an array to store
marks of the students of a class.
Example 6.1
Write a program to declare and read values in an array and display them.
main ( )
{
int i = 0; /* Loop variable */
int stud_marks[SIZE]; /* array declaration */
OUTPUT:
Arrays can be initialized at the time of declaration. The initial values must appear in
the order in which they will be assigned to the individual array elements, enclosed
within the braces and separated by commas. In the following section, we see how this
can be done.
val 1 is the value for the first array element, val 2 is the value for the second element,
and val n is the value for the n array element. Note that when you are initializing the
values at the time of declaration, then there is no need to specify the size. Let us see
some of the examples given below:
float temperature[10] ={ 31.2, 22.3, 41.4, 33.2, 23.3, 32.3, 41.1, 10.8, 11.3, 42.3};
29
Control Statements, 6.3.2 Character Array Initialisation
Arrays and
Functions
The array of characters is implemented as strings in C. Strings are handled differently
as far as initialization is concerned. A special character called null character ‘ \0 ’,
implicitly suffixes every string. When the external or static string character array is
assigned a string constant, the size specification is usually omitted and is
automatically assigned; it will include the ‘\0’character, added at end. For example,
consider the following two assignment statements:
char thing [ 3 ] = “TIN”;
char thing [ ] = “TIN”;
In the above two statements the assignments are done differently. The first statement
is not a string but simply an array storing three characters ‘T’, ‘I’ and ‘N’ and is same
as writing:
char thing [ 3 ] = {‘T’, ‘I’, ‘N’};
whereas, the second one is a four character string TIN\0. The change in the first
assignment, as given below, can make it a string.
6.4 SUBSCRIPT
To refer to the individual element in an array, a subscript is used. Refer to the
statement we used in the Example 6.1,
Here both arrays are of size 5. This is because the country is a char array and
initialized by a string constant “India” and every string constant is terminated by a
null character ‘\0’. And stud is an integer array. country array occupies 5 bytes of
memory space whereas stud occupies size of 10 bytes of memory space. The
following table: 6.1 shows how individual array elements of country and stud arrays
can be referred:
Example 6.2
Write a program to illustrate how the marks of 10 students are read in an array and
then used to find the maximum marks obtained by a student in the class.
main ( )
{
int i = 0;
int max = 0;
int stud_marks[SIZE]; /* array declaration */
/* find maximum */
for (i=0;i<SIZE;i ++)
{
if (stud_marks[i]>max)
max = stud_marks[ i ];
}
31
Control Statements,
Arrays and
Functions
printf(“\n\nThe maximum of the marks obtained among all the 10 students is: %d
”,max);
}
OUTPUT
The maximum of the marks obtained among all the 10 students is: 49
Let us now see in the following example how the marks in two subjects, stored in two
different arrays, can be added to give another array and display the average marks in
the below example.
Example 6.3:
Write a program to display the average marks of each student, given the marks in 2
subjects for 3 students.
for(i=0;i<SIZE;i++)
{
total_marks[i]=stud_marks1[i]+ stud_marks2[i];
avg[i]=total_marks[i]/2;
printf(“Student no.=%d, Average= %f\n”,i+1, avg[i]);
}
}
OUTPUT
Let us now write another program to search an element using the linear search.
Example 6.4
Write a program to search an element in a given list of elements using Linear Search.
/* Linear Search.*/
# include<stdio.h>
# define SIZE 05
main()
{
int i = 0;
int j;
int num_list[SIZE]; /* array declaration */
OUTPUT
Example 6.5
Write a program to sort a list of elements using the selection sort method
#include <stdio.h>
#define SIZE 5
main()
{
int j,min_pos,tmp;
int i; /* Loop variable */
int a[SIZE]; /* array declaration */
for(i=0;i<SIZE;i++)
{
printf(“Element no.=%d”,i+1);
printf(“Value of the element: “);
scanf(“%d”,&a[i]);
}
for (i=0;i<SIZE;i++)
{
min_pos = i;
for (j=i+1;j<SIZE;j++)
if (a[j] < a[min_pos])
min_pos = j;
tmp = a[i];
a[i] = a[min_pos];
a[min_pos] = tmp;
}
34
/* print the result */ Arrays
OUTPUT
In principle, there is no limit to the number of subscripts (or dimensions) an array can
have. Arrays with more than one dimension are called multi- dimensional arrays.
While humans cannot easily visualize objects with more than three dimensions,
representing multi-dimensional arrays presents no problem to computers. In practice,
however, the amount of memory in a computer tends to place limits on the size of an
array . A simple four-dimensional array of double-precision numbers, merely twenty
elements wide in each dimension, takes up 20^4 * 8, or 1,280,000 bytes of memory -
about a megabyte.
For exmaple, you have ten rows and ten columns, for a total of 100 elements. It’s
really no big deal. The first number in brackets is the number of rows, the second
number in brackets is the number of columns. So, the upper left corner of any grid 35
Control Statements, would be element [0][0]. The element to its right would be [0][1], and so on. Here is a
Arrays and
Functions
little illustration to help.
Three-dimensional arrays (and higher) are stored in the same way as the two-
dimensional ones. They are kept in computer memory as a linear sequence of
variables, and the last index is always the one that varies fastest (then the next-to-last,
and so on).
In the above example, variable_type is the name of some type of variable, such as int.
Also, size1 and size2 are the sizes of the array’s first and second dimensions,
respectively. Here is an example of defining an 8-by-8 array of integers, similar to a
chessboard. Remember, because C arrays are zero-based, the indices on each side of
the chessboard array run 0 through 7, rather than 1 through 8. The effect is the same: a
two-dimensional array of 64 elements.
To pinpoint an element in this grid, simply supply the indices in both dimensions.
The neutral order in which the initial values are assigned can be altered by including
the groups in { } inside main enclosing brackets, like the following initialization as
above:
int table [ 2 ] [ 3 ] = { {1,2,3},
{4,5,6} };
36
The value within innermost braces will be assigned to those array elements whose last Arrays
subscript changes most rapidly. If there are few remaining values in the row, they will
be assigned zeros. The number of values cannot exceed the defined row size.
It assigns values as
table [0][0] = 1;
table [0][1] = 2;
table [0][2] = 3;
table [1][0] = 4;
table [1][1] = 0;
table [1][2] = 0
Remember that, C language performs no error checking on array bounds. If you define
an array with 50 elements and you attempt to access element 50 (the 51st element), or
any out of bounds index, the compiler issues no warnings. It is the programmer’s task
to check that all attempts to access or write to arrays are done only at valid array
indexes. Writing or reading past the end of arrays is a common programming bug and
is hard to isolate.
6.7 SUMMARY
Like other languages, C uses arrays as a way of describing a collection of variables
with identical properties. The group has a single name for all its members, with the
individual member being selected by an index. We have learnt in this unit, the basic
purpose of using an array in the program, declaration of array and assigning values to
the arrays. All elements of the arrays are stored in the consecutive memory locations.
Without exception, all arrays in C are indexed from 0 up to one less than the bound
given in the declaration. This is very puzzling for a beginner. Watch out for it in the
examples provided in this unit. One important point about array declarations is that
they don't permit the use of varying subscripts. The numbers given must be constant
expressions which can be evaluated at compile time, not run time. As with other
variables, global and static array elements are initialized to 0 by default, and automatic
array elements are filled with garbage values. In C, an array of type char is used to
represent a character string, the end of which is marked by a byte set to 0 (also known
as a NULL character).
Whenever the arrays are passed to function their starting address is used to access rest
of the elements. This is called – Call by reference. Whatever changes are made to the
37
Control Statements, elements of an array in the function, they are also made available in the calling part.
Arrays and
Functions
The formal argument contains no size specification except for the rightmost
dimension. Arrays and pointers are closely linked in C. Multi-dimensional arrays are
simply arrays of arrays. To use arrays effectively it is a good idea to know how to use
pointers with them. More about the pointers can be learnt from Unit -10 (Block -3).
2.
a) 6
b) 5
c) 5
3. This mistake doesn’t produce a compiler error. If you don’t initialize an array,
there can be any value in the array elements. You might get unpredictable
results. You should always initialize the variables and the arrays so that you
know their content.
4. Each element of an array must be initialized. The safest way for a beginner is to
initialize an array, either with a declaration, as shown in this chapter, or with a
for statement. There are other ways to initialize an array, but they are beyond
the scope of this Unit.
5. Use a for loop to total the contents of an integer array which has five elements.
Store the result in an integer called total.
2. It is possible to pass the whole array to a function. In this case, only the address
of the array will be passed. When this happens, the function can change the
value of the elements in the array.
1. float balances[3][5];
39