KEMBAR78
Array | PDF | Array Data Structure | Array Data Type
0% found this document useful (0 votes)
36 views30 pages

Array

The document provides an overview of array data structures, including their definition, usage, and syntax in programming. It covers one-dimensional and two-dimensional arrays, their initialization, and examples of how to manipulate and access array elements. Additionally, it discusses the concept of arrays as objects and includes practical examples for creating and using arrays in Java.

Uploaded by

ummi
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PPTX, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
36 views30 pages

Array

The document provides an overview of array data structures, including their definition, usage, and syntax in programming. It covers one-dimensional and two-dimensional arrays, their initialization, and examples of how to manipulate and access array elements. Additionally, it discusses the concept of arrays as objects and includes practical examples for creating and using arrays in Java.

Uploaded by

ummi
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PPTX, PDF, TXT or read online on Scribd
You are on page 1/ 30

ARRAY

Objectives

• Know how to use array data structures.


• Be able to solve problems that require
collections of data.
Introduction
 An array is a named collection of contiguous storage
locations holding data of the same type.
 Arrays elements: referenced by position within a structure
rather than by name.
 Example: 26 buttons ‘A’ to ‘Z’.

Without Arrays With Arrays


JButton button1 = new JButton(“A”); JButton letter[] = new JButton[26];
JButton button2 = new JButton(“B”); for (int k = 0; k < 26; k++)
JButton button3 = new JButton(“C”); letter[k] = new JButton(“A” + k);
JButton button4 = new JButton(“D”);
JButton button5 = new JButton(“E”); The kth JButton
JButton button6 = new JButton(“F”); in an array.

JButton button26 = new JButton(“Z”);
Reference by name
One-Dimensional Arrays
An array element is referred to its position within the
array.
For an n-element array named arr, the elements are
named arr[0], arr[1], arr[2], ...,arr[n-1].
The following array contains 15 int elements.
Arrays are zero
indexed.

• Array syntax : arrayname [ subscript ]


where arrayname is the array name and subscript
is an integer giving the element’s relative position.
Referring to Array Elements

 Valid References: Suppose j is 5 and k is 7.


arr[4] // Refers to 16
arr[j] // Is arr[5] which refers to 20
arr[j + k] // Is arr[5+7] which is arr[12] which refers to 45
arr[k % j] // Is arr[7%5] which is arr[2] which refers to -1

• Invalid References:
arr[5.0] // 5.0 is a float and can't be an array subscript
arr['5'] // '5' is a character not an integer
arr["5"] // "5" is a string not an integer
arr[-1] // Arrays cannot have negative subscripts
arr[15] // The last element of arr has subscript 14
arr[j*k] // Since j*k equals 35
Are Arrays Objects?
 Arrays are (mostly) treated as objects:
 Instantiated with the new operator.
 Have instance variables (e.g., length).
 Array variables are reference variables.
 As a parameter, a reference to the array is passed
rather than copies of the array’s elements.
 But…
 Arrays don’t fit into the Object hierarchy.
 Arrays don’t inherit properties from Object.
Some Array Terminology
 An empty array is contains zero variables.
 The variables are called components.
 The length of the array is the number of
components it has.
 Each component of an array has the same
component type.
 A one-dimensional array has components that are
called the array’s elements. Their type is the
array’s element type.
 An array’s elements may be of any type, including
primitive and reference types.
Declaring and Creating an Array

 Creating a one-dimensional array: Indicate both the


array’s element type and its length.
 Declare the array’s name and create the array itself.

int arr[]; // Declare a name for the array


arr = new int[15]; // Create the array itself

• Combine two steps into one:


int arr[] = new int[15];

The array’s The array contains 15


name is arr. int variables.

• 15 variables: arr[0], arr[1], .., arr[14] (zero indexed)


Creating an Array of Strings

Declare array variable.

Instantiate the array.

Store 5 Strings in it.


Creating an Array of Students

Student school[] = new Student[3]; // Create an array of 3 Students


school[0] = new Student("Socrates"); // Create the first Student
school[1] = new Student("Plato"); // Create the second Student
school[2] = new Student("Aristotle"); // Create the third Student

• Debugging Tip: Creating a


new array does not also
create the objects that are
stored in the array. They
must be instantiated
separately.
There are four objects
here. One array and 3
Students.
Creating an Array of Students

Student student1 = new Student (“Socrates”);


Student student2 = new Student (“Plato”);
Student student3 = new Student (“Aristotle”);
Student school[] = new Student [3];
school[0] = student1;
school[1] = student2;
school[2] = student3;

The array stores


references to objects,
not the objects
themselves.
Initializing Arrays
 Array elements are initialized to default values:
 Integer and real types are initialized to 0.
 Reference types (objects) are initialized to null.
 Arrays can be assigned initial values when they
are created:
int arr[] = { -2,8,-1,-3,16,20,25,16,16,8,18,19,45,21,-2 } ;

String strings[] = { "hello", "world", "goodbye", "love" } ;

• Java Language Rule: When an array initialization


expression is used, DON’T use the keyword new to
create the array.
Assigning and Using Array Values
• Subscripted array variables are used like other
variables: arr[0] = 5;
arr[5] = 10;
arr[2] = 3;
strings[0] = "who";
strings[1] = "what";
strings[2] = strings[3] = "where";

• A loop to assign the first 15 squares, 1, 4, 9 …, to


the array arr: for (int k = 0; k < arr.length; k++)
arr[k] = (k+1) * (k+1);

• A loop to print the values of Note: length is


an instance
arr: for (int k = 0; k < arr.length; k++)
variable, not a
System.out.println(arr[k]);
method.
Example: Print an Array
• Print an array of int and an array of double:
public class PrintArrays {
static final int ARRSIZE = 10; // The array's size

static int intArr[] = new int[ARRSIZE]; // Create the int array


static double realArr[] = { 1.1, 2.2, 3.3, 4.4,
5.5, 6.6, 7.7, 8.8, 9.9, 10.10 }; // And a double array

public static void main(String args[]) { Program Output


System.out.println("Ints \t Reals"); Ints Reals
for (int k = 0; k < intArr.length; k++) 0 1.1
System.out.println( intArr[k] + " \t " + realArr[k]); 0 2.2
} // main() 0 3.3
} // PrintArrays 0 4.4
0 5.5
0 6.6
… in order to refer Uninitialized int 0 7.7
to them in static array has default 0 8.8
main() values of 0.
0 9.9
0 10.1
Example: Store the First 100 Squares
public class Squares {
static final int ARRSIZE = 100; // The array's size
static int intArr[] = new int[ARRSIZE]; // Create an int array

public static void main(String args[]) {


for (int k = 0; k < intArr.length; k++) // Initialize the array
intArr[k] = (k+1) * (k+1);

System.out.print("The first 100 squares are"); // Print a heading


for (int k = 0; k < intArr.length; k++)
{ // Print the array
if (k % 10 == 0)
System.out.println(" "); // 10 elements per row
System.out.print( intArr[k] + " ");
} // for
} // main() Program Output
} // Squares The first 100 squares are
1 4 9 16 25 36 49 64 81 100
121 144 169 196 225 256 289 324 361 400
441 484 529 576 625 676 729 784 841 900
961 1024 1089 1156 1225 1296 1369 1444 1521 1600
1681 1764 1849 1936 2025 2116 2209 2304 2401 2500
2601 2704 2809 2916 3025 3136 3249 3364 3481 3600
3721 3844 3969 4096 4225 4356 4489 4624 4761 4900
5041 5184 5329 5476 5625 5776 5929 6084 6241 6400
6561 6724 6889 7056 7225 7396 7569 7744 7921 8100
8281 8464 8649 8836 9025 9216 9409 9604 9801 10000
Generating Random Numbers
• A random number generator generates numbers
that can be used to simulate a coin toss or die roll.
• The numbers generated are pseudorandom.
• Math.random() generates a double value in the
range [0.0, 1.0) -- that is, 0.0 to 0.999999999.
• Using Math.random() to simulate a coin flip:
int coinFlip = (int)(Math.random() * 2); // Heads or tails

• (Math.random() * 2) gives some value in the range


0.0 to 1.999999. When this value is converted to
an int by (int), it gives either 0 or 1, corresponding
to heads or tails.
Example: Counting Letter Frequencies
 Design a class that can be used to store the
frequencies of letters of the alphabet.
public class LetterFreq {
private char letter; //A character being counted
private int freq; //The frequency of letter

public LetterFreq(char ch, int fre) {


letter = ch;
freq = fre;
}
public char getLetter() {
return letter;
}
public int getFreq() {
return freq;
}
public void incrFreq() {
freq++;
}
} //LetterFreq
A Class to Count Frequencies
 A class that counts letters in a document.
public class AnalyzeFreq {
private LetterFreq[] freqArr; // An array of frequencies

public AnalyzeFreq() {
freqArr = new LetterFreq[26];
for (int k = 0; k < 26; k++) {
freqArr[k] = new LetterFreq((char)('A' + k), 0);
} //for
}
public void countLetters(String str) { Note how it uses an
char let; //For use in the loop.
str = str.toUpperCase(); array of LetterFreq
for (int k = 0; k < str.length(); k++) {
let = str.charAt(k);
objects to store letters
if ((let >= 'A') && (let <= 'Z')) { and their frequencies.
freqArr[let - 'A'].incrFreq();
} // if
} // for
} // countLetters()

public void printArray() {


for (int k = 0; k < 26; k++) {
System.out.print("letter: " + freqArr[k].getLetter());
System.out.println(" freq: " + freqArr[k].getFreq());
} //for
} // printArray()
} //AnalyzeFreq
Two-Dimensional Arrays
• Two-dimensional array: an array whose
components are themselves arrays.
• Example: Compiling daily rainfall data. A one-
dimensional array makes it hard to calculate
average monthly rainfall:
double rainfall[] = new double[365];

• A two-dimensional array is an array of arrays. The


first is the 12 months, indexed from 0 to 11. Each
month array is an array of 31 days, indexed from 0
to 30.
double rainfall[][] = new double[12][31];

Month index Day index


A More Appropriate 2-D
Representation
• What is rainfall[0][4] ? Avoid zero indexing by
creating an extra row and column and ignoring the
0 indexes. double rainfall[][] = new double[13][32];

Don’t use the 0


indexes.

January 5 is
now at
rainfall[1][5]

rainfall[1][5] = 1.15; // Rainfall for January 5


System.out.println(rainfall[4][1]); // April 1st
rainfall[13][32] = 0.15 ; // No such element
rainfall[11][32] = 1.3; // No such column
rainfall[13][30] = 0.74; // No such row
Initializing a Two-Dimensional Array
• We can use unit indexed loops to initialize the two-
dimensional rainfall array:
/**
* Initializes a 2-D array
* @param rain is a 2D-array of rainfalls A 2-D array
* Pre: rain is non null
* Post: rain[x][y] == 0 for all x,y in the array parameter
* Note that the loops use unit indexing.
*/
public void initRain(double rain[][]) {
for (int month = 1; month < rain.length; month++)
for (int day = 1; day < rain[month].length; day++)
rain[month][day] = 0.0;
} // initRain() Nested for loops
iterate 12 x 31 times
• Method call: pass the name of the 2-D array to the
method:
initRain(rainfall); // Sample method call
Example: Rainfall Data
Calculate Average Daily Rainfall
/**
* Computes average daily rainfall
* @param rain is a 2D-array of rainfalls
A 2-D array
* @return The sum of rain[x][y] / 356 parameter
* Pre: rain is non null
* Post: The sum of rain / 365 is calculated
* Note that the loops are unit indexed
*/ Nested for loops
public double avgDailyRain(double rain[][]) { iterate 12 x 31 times
double total = 0;
for (int month = 1; month < rain.length; month++)
for (int day = 1; day < rain[month].length; day++)
total += rain[month][day];
return total/365;
} // avgDailyRain() Method call uses the
array’s name.
System.out.println("Daily Avg: " + avgRainForMonth(rainfall));
Calculate Average Rain for a Month
/**
* Computes average rainfall for a month
* @param rain is a 2D-array of rainfalls
* @param month is the month of the year, 1 ... 12
Just iterate
* @param nDays is the number of days in month, 1 ... 31 over the
* @return The sum of rain[month] / nDays month array.
* Pre: 1 <= month <= 12 and 1 <= nDays <= 31
* Post: The sum of rain[month] / nDays is calculated
*/
public double avgRainForMonth(double rain[][], int month, int nDays) {
double total = 0;
for (int day = 1; day < rain[month].length; day++)
total = total + rain[month][day];
return total/nDays;
} // avgRainForMonth() We have to tell it how
many days in the month.

System.out.println("March Avg: " + avgRainForMonth(rainfall, 3, 31));


Calculate Average Rain for a Month
(cont)
• Pass just part of a 2-D array -- e.g., a month.
/**
* Computes average rainfall for a given month Pass the array for
* @param monthRain is a 1D-array of rainfalls the given month.
* @param nDays is the number of days in monthRain
* @return The sum of monthRain / nDays
* Pre: 1 <= nDays <= 31
* Post: The sum of monthRain / nDays is calculated
*/
public double avgRainForMonth(double monthRain[], int nDays) {
double total = 0;
for (int day = 1; day < monthRain.length; day++)
total = total + monthRain[day]; We’re passing
return total/nDays; a reference to
} // avgRainForMonth()
a 1-D array.

System.out.println("March Avg: " + avgRainForMonth(rainfall[3], 31));


Array Arguments and Parameters
• The argument
in a method call
must match the
data type in the
method
definition. This
applies to all
parameters,
including array
parameters.
Multidimensional Arrays
• A 3-dimensional array can be used to record
rainfall over a ten year period.
A 3-D Rainfall Array
Declaring a 3-D Array:

final int NYEARS = 10;


final int NMONTHS = 13;
final int NDAYS = 32;
double rainfail[][][] = new double[NYEARS][NMONTHS][NDAYS];

• Initializing a 3-D Array:


for (int year = 0; year < rainfall.length; year++)
for (int month = 0; month < rainfall[year].length; month++)
for (int day = 0; day < rainfall[year][month].length; day++)
rainfall[year][month][day] = 0.0;
Array Initializers
 For small arrays, an initializer expression
can be used to assign initial values:
A 2 x 3 array of int.

int a[][] = { {1, 2, 3}, {4, 5, 6} } ; A 2 x 2 array of char.


char c[][] = { {'a', 'b'}, {'c', 'd'} } ;
double d[][] = { {1.0, 2.0, 3.0}, {4.0, 5.0}, {6.0, 7.0, 8.0, 9.0} } ;

A 3-row array of doubles


where each row has a
different length.

• Each dimension of a multidimensional array


can have a different length.
THE END

You might also like