SlideShare una empresa de Scribd logo
1 de 29
Descargar para leer sin conexión
Java Array



             1
Agenda
●   What is an array
●   Declaration of an array
●   Instantiation of an array
●   Accessing array element
●   Array length
●   Multi-dimensional array




                                  2
What is an Array?

                    3
Introduction to Arrays
●   Suppose we have here three variables of type int with
    different identifiers for each variable.
       int number1;
       int number2;
       int number3;

       number1 = 1;
       number2 = 2;
       number3 = 3;

    As you can see, it seems like a tedious task in order to just
    initialize and use the variables especially if they are used for
    the same purpose.


                                                                       4
Introduction to Arrays
●   In Java and other programming languages, there is one
    capability wherein we can use one variable to store a list of
    data and manipulate them more efficiently. This type of
    variable is called an array.

●   An array stores multiple data items of the same data type, in
    a contiguous block of memory, divided into a number of
    slots.




                                                                    5
Declaration of
  an Array
                 6
Declaring Arrays
●   To declare an array, write the data type, followed by a set of
    square brackets[], followed by the identifier name.

●   For example,
         int []ages;
    or
         int ages[];




                                                                     7
Instantiation of
   an Array
                   8
Array Instantiation
●   After declaring, we must create the array and specify its
    length with a constructor statement.

●   Definitions:
     –   Instantiation
           ●   In Java, this means creation

     –   Constructor
           ●   In order to instantiate an object, we need to use a constructor for this. A
               constructor is a method that is called to create a certain object.
           ●   We will cover more about instantiating objects and constructors later.




                                                                                             9
Array Instantiation
●   To instantiate (or create) an array, write the new keyword,
    followed by the square brackets containing the number of
    elements you want the array to have.
●   For example,
       //declaration
        int ages[];

       //instantiate object
       ages = new int[100];

    or, can also be written as,
       //declare and instantiate object
       int ages[] = new int[100];




                                                                  10
Array Instantiation




                      11
Array Instantiation
●   You can also instantiate an array by directly initializing it with
    data.

●   For example,
       int arr[] = {1, 2, 3, 4, 5};

    This statement declares and instantiates an array of integers
    with five elements (initialized to the values 1, 2, 3, 4, and 5).




                                                                         12
Sample Program
1    //creates an array of boolean variables with identifier
2    //results. This array contains 4 elements that are
3    //initialized to values {true, false, true, false}
4
5    boolean results[] = { true, false, true, false };
6
7    //creates an array of 4 double variables initialized
8    //to the values {100, 90, 80, 75};
9
10   double []grades = {100, 90, 80, 75};
11
12   //creates an array of Strings with identifier days and
13   //initialized. This array contains 7 elements
14
15   String days[] = { “Mon”, “Tue”, “Wed”, “Thu”, “Fri”, “Sat”,
     “Sun”};




                                                                   13
Accessing Array
   Element
                  14
Accessing an Array Element
●   To access an array element, or a part of the array, you use
    a number called an index or a subscript.

●   index number or subscript
     –   assigned to each member of the array, to allow the program to
         access an individual member of the array.
     –   begins with zero and progress sequentially by whole numbers to the
         end of the array.
     –   NOTE: Elements inside your array are from 0 to (sizeOfArray-1).




                                                                              15
Accessing an Array Element
●   For example, given the array we declared a while ago, we
    have
       //assigns 10 to the first element in the array
       ages[0] = 10;

       //prints the last element in the array
       System.out.print(ages[99]);




                                                               16
Accessing an Array Element
●   NOTE:
    –   once an array is declared and constructed, the stored value of each
        member of the array will be initialized to zero for number data.
    –   for reference data types such as Strings, they are NOT initialized to
        blanks or an empty string “”. Therefore, you must populate the String
        arrays explicitly.




                                                                                17
Accessing an Array Element
●   The following is a sample code on how to print all the
    elements in the array. This uses a for loop, so our code is
    shorter.
    1   public class ArraySample{
    2      public static void main( String[] args ){
    3         int[] ages = new int[100];
    4         for( int i=0; i<100; i++ ){
    5            System.out.print( ages[i] );
    6         }
    7      }
    8   }




                                                                  18
Coding Guidelines
1. It is usually better to initialize or instantiate the
  array right away after you declare it. For example,
  the declaration,

     int []arr = new int[100];

  is preferred over,

     int []arr;
     arr = new int[100];




                                                           19
Coding Guidelines
2. The elements of an n-element array have indexes
  from 0 to n-1. Note that there is no array element
  arr[n]! This will result in an array-index-out-of-
  bounds exception.

3. Remember: You cannot resize an array.




                                                       20
Array Length

               21
Array Length
●   In order to get the number of elements in an array, you can
    use the length field of an array.

●   The length field of an array returns the size of the array. It
    can be used by writing,
                         arrayName.length




                                                                     22
Array Length
1   public class ArraySample {
2      public static void main( String[] args ){
3         int[] ages = new int[100];
4
5           for( int i=0; i<ages.length; i++ ){
6              System.out.print( ages[i] );
7           }
8       }
9   }




                                                   23
Coding Guidelines
1. When creating for loops to process the elements of an
   array, use the array object's length field in the condition
   statement of the for loop. This will allow the loop to adjust
   automatically for different-sized arrays.


2. Declare the sizes of arrays in a Java program using named
   constants to make them easy to change. For example,

  final int ARRAY_SIZE = 1000; //declare a constant
  . . .
  int[] ages = new int[ARRAY_SIZE];




                                                                   24
Multi-Dimensional
      Array
                    25
Multidimensional Arrays
●   Multidimensional arrays are implemented as arrays of
    arrays.

●   Multidimensional arrays are declared by appending the
    appropriate number of bracket pairs after the array name.




                                                                26
Multidimensional Arrays
●   For example,
    // integer array 512 x 128 elements
    int[][] twoD = new int[512][128];

    // character array 8 x 16 x 24
    char[][][] threeD = new char[8][16][24];

    // String array 4 rows x 2 columns
    String[][] dogs = {{ "terry", "brown" },
                       { "Kristin", "white" },
                       { "toby", "gray"},
                       { "fido", "black"}
                      };




                                                 27
Multidimensional Arrays
●   To access an element in a multidimensional array is just the
    same as accessing the elements in a one dimensional array.

●   For example, to access the first element in the first row of
    the array dogs, we write,

       System.out.print( dogs[0][0] );

    This will print the String "terry" on the screen.




                                                                   28
Summary
●   Arrays
    –   Definition
    –   Declaration
    –   Instantiation and constructors (brief overview – to be discussed
        more later)
    –   Accessing an element
    –   The length field
    –   Multidimensional Arrays




                                                                           29

Más contenido relacionado

La actualidad más candente (20)

Array lecture
Array lectureArray lecture
Array lecture
 
Array
ArrayArray
Array
 
An introduction to scala
An introduction to scalaAn introduction to scala
An introduction to scala
 
Arrays in Java
Arrays in JavaArrays in Java
Arrays in Java
 
Arrays in java
Arrays in javaArrays in java
Arrays in java
 
Java: Introduction to Arrays
Java: Introduction to ArraysJava: Introduction to Arrays
Java: Introduction to Arrays
 
An Introduction to Programming in Java: Arrays
An Introduction to Programming in Java: ArraysAn Introduction to Programming in Java: Arrays
An Introduction to Programming in Java: Arrays
 
Array in Java
Array in JavaArray in Java
Array in Java
 
Arrays basics
Arrays basicsArrays basics
Arrays basics
 
Cso gaddis java_chapter8
Cso gaddis java_chapter8Cso gaddis java_chapter8
Cso gaddis java_chapter8
 
Arrays C#
Arrays C#Arrays C#
Arrays C#
 
Array in C# 3.5
Array in C# 3.5Array in C# 3.5
Array in C# 3.5
 
Arrays in Java
Arrays in JavaArrays in Java
Arrays in Java
 
Arrays in java language
Arrays in java languageArrays in java language
Arrays in java language
 
Array in c++
Array in c++Array in c++
Array in c++
 
Array in c language
Array in c languageArray in c language
Array in c language
 
Java arrays
Java    arraysJava    arrays
Java arrays
 
Array in c#
Array in c#Array in c#
Array in c#
 
Array in c language
Array in c language Array in c language
Array in c language
 
Sql server difference faqs- 9
Sql server difference faqs- 9Sql server difference faqs- 9
Sql server difference faqs- 9
 

Similar a javaarray (20)

Arrays in programming
Arrays in programmingArrays in programming
Arrays in programming
 
Chapter-Five.pptx
Chapter-Five.pptxChapter-Five.pptx
Chapter-Five.pptx
 
2 arrays
2   arrays2   arrays
2 arrays
 
Arrays
ArraysArrays
Arrays
 
Mesics lecture 8 arrays in 'c'
Mesics lecture 8   arrays in 'c'Mesics lecture 8   arrays in 'c'
Mesics lecture 8 arrays in 'c'
 
Java R20 - UNIT-3.docx
Java R20 - UNIT-3.docxJava R20 - UNIT-3.docx
Java R20 - UNIT-3.docx
 
Chap 6 c++
Chap 6 c++Chap 6 c++
Chap 6 c++
 
Generative Coding Lecture notes using coding
Generative Coding Lecture notes using codingGenerative Coding Lecture notes using coding
Generative Coding Lecture notes using coding
 
Array
ArrayArray
Array
 
Arrays
ArraysArrays
Arrays
 
Arrays
ArraysArrays
Arrays
 
Array in C
Array in CArray in C
Array in C
 
arrays in c# including Classes handling arrays
arrays in c#  including Classes handling arraysarrays in c#  including Classes handling arrays
arrays in c# including Classes handling arrays
 
Arrays
ArraysArrays
Arrays
 
Arrays
ArraysArrays
Arrays
 
Programming in c Arrays
Programming in c ArraysProgramming in c Arrays
Programming in c Arrays
 
Chap 6 c++
Chap 6 c++Chap 6 c++
Chap 6 c++
 
L10 array
L10 arrayL10 array
L10 array
 
C++ lecture 04
C++ lecture 04C++ lecture 04
C++ lecture 04
 
Chapter 4 (Part I) - Array and Strings.pdf
Chapter 4 (Part I) - Array and Strings.pdfChapter 4 (Part I) - Array and Strings.pdf
Chapter 4 (Part I) - Array and Strings.pdf
 

Más de Arjun Shanka (20)

Asp.net w3schools
Asp.net w3schoolsAsp.net w3schools
Asp.net w3schools
 
Php tutorial(w3schools)
Php tutorial(w3schools)Php tutorial(w3schools)
Php tutorial(w3schools)
 
Sms several papers
Sms several papersSms several papers
Sms several papers
 
Jun 2012(1)
Jun 2012(1)Jun 2012(1)
Jun 2012(1)
 
System simulation 06_cs82
System simulation 06_cs82System simulation 06_cs82
System simulation 06_cs82
 
javaexceptions
javaexceptionsjavaexceptions
javaexceptions
 
javainheritance
javainheritancejavainheritance
javainheritance
 
javarmi
javarmijavarmi
javarmi
 
java-06inheritance
java-06inheritancejava-06inheritance
java-06inheritance
 
hibernate
hibernatehibernate
hibernate
 
javapackage
javapackagejavapackage
javapackage
 
swingbasics
swingbasicsswingbasics
swingbasics
 
spring-tutorial
spring-tutorialspring-tutorial
spring-tutorial
 
struts
strutsstruts
struts
 
javathreads
javathreadsjavathreads
javathreads
 
javabeans
javabeansjavabeans
javabeans
 
72185-26528-StrutsMVC
72185-26528-StrutsMVC72185-26528-StrutsMVC
72185-26528-StrutsMVC
 
javanetworking
javanetworkingjavanetworking
javanetworking
 
javaiostream
javaiostreamjavaiostream
javaiostream
 
servlets
servletsservlets
servlets
 

Último

Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...
Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...
Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...CzechDreamin
 
Connecting the Dots in Product Design at KAYAK
Connecting the Dots in Product Design at KAYAKConnecting the Dots in Product Design at KAYAK
Connecting the Dots in Product Design at KAYAKUXDXConf
 
FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...
FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...
FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...FIDO Alliance
 
Intro in Product Management - Коротко про професію продакт менеджера
Intro in Product Management - Коротко про професію продакт менеджераIntro in Product Management - Коротко про професію продакт менеджера
Intro in Product Management - Коротко про професію продакт менеджераMark Opanasiuk
 
AI revolution and Salesforce, Jiří Karpíšek
AI revolution and Salesforce, Jiří KarpíšekAI revolution and Salesforce, Jiří Karpíšek
AI revolution and Salesforce, Jiří KarpíšekCzechDreamin
 
Speed Wins: From Kafka to APIs in Minutes
Speed Wins: From Kafka to APIs in MinutesSpeed Wins: From Kafka to APIs in Minutes
Speed Wins: From Kafka to APIs in Minutesconfluent
 
The UX of Automation by AJ King, Senior UX Researcher, Ocado
The UX of Automation by AJ King, Senior UX Researcher, OcadoThe UX of Automation by AJ King, Senior UX Researcher, Ocado
The UX of Automation by AJ King, Senior UX Researcher, OcadoUXDXConf
 
PLAI - Acceleration Program for Generative A.I. Startups
PLAI - Acceleration Program for Generative A.I. StartupsPLAI - Acceleration Program for Generative A.I. Startups
PLAI - Acceleration Program for Generative A.I. StartupsStefano
 
How we scaled to 80K users by doing nothing!.pdf
How we scaled to 80K users by doing nothing!.pdfHow we scaled to 80K users by doing nothing!.pdf
How we scaled to 80K users by doing nothing!.pdfSrushith Repakula
 
Where to Learn More About FDO _ Richard at FIDO Alliance.pdf
Where to Learn More About FDO _ Richard at FIDO Alliance.pdfWhere to Learn More About FDO _ Richard at FIDO Alliance.pdf
Where to Learn More About FDO _ Richard at FIDO Alliance.pdfFIDO Alliance
 
IESVE for Early Stage Design and Planning
IESVE for Early Stage Design and PlanningIESVE for Early Stage Design and Planning
IESVE for Early Stage Design and PlanningIES VE
 
Free and Effective: Making Flows Publicly Accessible, Yumi Ibrahimzade
Free and Effective: Making Flows Publicly Accessible, Yumi IbrahimzadeFree and Effective: Making Flows Publicly Accessible, Yumi Ibrahimzade
Free and Effective: Making Flows Publicly Accessible, Yumi IbrahimzadeCzechDreamin
 
Strategic AI Integration in Engineering Teams
Strategic AI Integration in Engineering TeamsStrategic AI Integration in Engineering Teams
Strategic AI Integration in Engineering TeamsUXDXConf
 
Extensible Python: Robustness through Addition - PyCon 2024
Extensible Python: Robustness through Addition - PyCon 2024Extensible Python: Robustness through Addition - PyCon 2024
Extensible Python: Robustness through Addition - PyCon 2024Patrick Viafore
 
Designing for Hardware Accessibility at Comcast
Designing for Hardware Accessibility at ComcastDesigning for Hardware Accessibility at Comcast
Designing for Hardware Accessibility at ComcastUXDXConf
 
Introduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdf
Introduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdfIntroduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdf
Introduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdfFIDO Alliance
 
The Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdf
The Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdfThe Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdf
The Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdfFIDO Alliance
 
AI presentation and introduction - Retrieval Augmented Generation RAG 101
AI presentation and introduction - Retrieval Augmented Generation RAG 101AI presentation and introduction - Retrieval Augmented Generation RAG 101
AI presentation and introduction - Retrieval Augmented Generation RAG 101vincent683379
 
What's New in Teams Calling, Meetings and Devices April 2024
What's New in Teams Calling, Meetings and Devices April 2024What's New in Teams Calling, Meetings and Devices April 2024
What's New in Teams Calling, Meetings and Devices April 2024Stephanie Beckett
 
Linux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdf
Linux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdfLinux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdf
Linux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdfFIDO Alliance
 

Último (20)

Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...
Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...
Behind the Scenes From the Manager's Chair: Decoding the Secrets of Successfu...
 
Connecting the Dots in Product Design at KAYAK
Connecting the Dots in Product Design at KAYAKConnecting the Dots in Product Design at KAYAK
Connecting the Dots in Product Design at KAYAK
 
FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...
FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...
FDO for Camera, Sensor and Networking Device – Commercial Solutions from VinC...
 
Intro in Product Management - Коротко про професію продакт менеджера
Intro in Product Management - Коротко про професію продакт менеджераIntro in Product Management - Коротко про професію продакт менеджера
Intro in Product Management - Коротко про професію продакт менеджера
 
AI revolution and Salesforce, Jiří Karpíšek
AI revolution and Salesforce, Jiří KarpíšekAI revolution and Salesforce, Jiří Karpíšek
AI revolution and Salesforce, Jiří Karpíšek
 
Speed Wins: From Kafka to APIs in Minutes
Speed Wins: From Kafka to APIs in MinutesSpeed Wins: From Kafka to APIs in Minutes
Speed Wins: From Kafka to APIs in Minutes
 
The UX of Automation by AJ King, Senior UX Researcher, Ocado
The UX of Automation by AJ King, Senior UX Researcher, OcadoThe UX of Automation by AJ King, Senior UX Researcher, Ocado
The UX of Automation by AJ King, Senior UX Researcher, Ocado
 
PLAI - Acceleration Program for Generative A.I. Startups
PLAI - Acceleration Program for Generative A.I. StartupsPLAI - Acceleration Program for Generative A.I. Startups
PLAI - Acceleration Program for Generative A.I. Startups
 
How we scaled to 80K users by doing nothing!.pdf
How we scaled to 80K users by doing nothing!.pdfHow we scaled to 80K users by doing nothing!.pdf
How we scaled to 80K users by doing nothing!.pdf
 
Where to Learn More About FDO _ Richard at FIDO Alliance.pdf
Where to Learn More About FDO _ Richard at FIDO Alliance.pdfWhere to Learn More About FDO _ Richard at FIDO Alliance.pdf
Where to Learn More About FDO _ Richard at FIDO Alliance.pdf
 
IESVE for Early Stage Design and Planning
IESVE for Early Stage Design and PlanningIESVE for Early Stage Design and Planning
IESVE for Early Stage Design and Planning
 
Free and Effective: Making Flows Publicly Accessible, Yumi Ibrahimzade
Free and Effective: Making Flows Publicly Accessible, Yumi IbrahimzadeFree and Effective: Making Flows Publicly Accessible, Yumi Ibrahimzade
Free and Effective: Making Flows Publicly Accessible, Yumi Ibrahimzade
 
Strategic AI Integration in Engineering Teams
Strategic AI Integration in Engineering TeamsStrategic AI Integration in Engineering Teams
Strategic AI Integration in Engineering Teams
 
Extensible Python: Robustness through Addition - PyCon 2024
Extensible Python: Robustness through Addition - PyCon 2024Extensible Python: Robustness through Addition - PyCon 2024
Extensible Python: Robustness through Addition - PyCon 2024
 
Designing for Hardware Accessibility at Comcast
Designing for Hardware Accessibility at ComcastDesigning for Hardware Accessibility at Comcast
Designing for Hardware Accessibility at Comcast
 
Introduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdf
Introduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdfIntroduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdf
Introduction to FDO and How It works Applications _ Richard at FIDO Alliance.pdf
 
The Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdf
The Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdfThe Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdf
The Value of Certifying Products for FDO _ Paul at FIDO Alliance.pdf
 
AI presentation and introduction - Retrieval Augmented Generation RAG 101
AI presentation and introduction - Retrieval Augmented Generation RAG 101AI presentation and introduction - Retrieval Augmented Generation RAG 101
AI presentation and introduction - Retrieval Augmented Generation RAG 101
 
What's New in Teams Calling, Meetings and Devices April 2024
What's New in Teams Calling, Meetings and Devices April 2024What's New in Teams Calling, Meetings and Devices April 2024
What's New in Teams Calling, Meetings and Devices April 2024
 
Linux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdf
Linux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdfLinux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdf
Linux Foundation Edge _ Overview of FDO Software Components _ Randy at Intel.pdf
 

javaarray

  • 2. Agenda ● What is an array ● Declaration of an array ● Instantiation of an array ● Accessing array element ● Array length ● Multi-dimensional array 2
  • 3. What is an Array? 3
  • 4. Introduction to Arrays ● Suppose we have here three variables of type int with different identifiers for each variable. int number1; int number2; int number3; number1 = 1; number2 = 2; number3 = 3; As you can see, it seems like a tedious task in order to just initialize and use the variables especially if they are used for the same purpose. 4
  • 5. Introduction to Arrays ● In Java and other programming languages, there is one capability wherein we can use one variable to store a list of data and manipulate them more efficiently. This type of variable is called an array. ● An array stores multiple data items of the same data type, in a contiguous block of memory, divided into a number of slots. 5
  • 6. Declaration of an Array 6
  • 7. Declaring Arrays ● To declare an array, write the data type, followed by a set of square brackets[], followed by the identifier name. ● For example, int []ages; or int ages[]; 7
  • 8. Instantiation of an Array 8
  • 9. Array Instantiation ● After declaring, we must create the array and specify its length with a constructor statement. ● Definitions: – Instantiation ● In Java, this means creation – Constructor ● In order to instantiate an object, we need to use a constructor for this. A constructor is a method that is called to create a certain object. ● We will cover more about instantiating objects and constructors later. 9
  • 10. Array Instantiation ● To instantiate (or create) an array, write the new keyword, followed by the square brackets containing the number of elements you want the array to have. ● For example, //declaration int ages[]; //instantiate object ages = new int[100]; or, can also be written as, //declare and instantiate object int ages[] = new int[100]; 10
  • 12. Array Instantiation ● You can also instantiate an array by directly initializing it with data. ● For example, int arr[] = {1, 2, 3, 4, 5}; This statement declares and instantiates an array of integers with five elements (initialized to the values 1, 2, 3, 4, and 5). 12
  • 13. Sample Program 1 //creates an array of boolean variables with identifier 2 //results. This array contains 4 elements that are 3 //initialized to values {true, false, true, false} 4 5 boolean results[] = { true, false, true, false }; 6 7 //creates an array of 4 double variables initialized 8 //to the values {100, 90, 80, 75}; 9 10 double []grades = {100, 90, 80, 75}; 11 12 //creates an array of Strings with identifier days and 13 //initialized. This array contains 7 elements 14 15 String days[] = { “Mon”, “Tue”, “Wed”, “Thu”, “Fri”, “Sat”, “Sun”}; 13
  • 14. Accessing Array Element 14
  • 15. Accessing an Array Element ● To access an array element, or a part of the array, you use a number called an index or a subscript. ● index number or subscript – assigned to each member of the array, to allow the program to access an individual member of the array. – begins with zero and progress sequentially by whole numbers to the end of the array. – NOTE: Elements inside your array are from 0 to (sizeOfArray-1). 15
  • 16. Accessing an Array Element ● For example, given the array we declared a while ago, we have //assigns 10 to the first element in the array ages[0] = 10; //prints the last element in the array System.out.print(ages[99]); 16
  • 17. Accessing an Array Element ● NOTE: – once an array is declared and constructed, the stored value of each member of the array will be initialized to zero for number data. – for reference data types such as Strings, they are NOT initialized to blanks or an empty string “”. Therefore, you must populate the String arrays explicitly. 17
  • 18. Accessing an Array Element ● The following is a sample code on how to print all the elements in the array. This uses a for loop, so our code is shorter. 1 public class ArraySample{ 2 public static void main( String[] args ){ 3 int[] ages = new int[100]; 4 for( int i=0; i<100; i++ ){ 5 System.out.print( ages[i] ); 6 } 7 } 8 } 18
  • 19. Coding Guidelines 1. It is usually better to initialize or instantiate the array right away after you declare it. For example, the declaration, int []arr = new int[100]; is preferred over, int []arr; arr = new int[100]; 19
  • 20. Coding Guidelines 2. The elements of an n-element array have indexes from 0 to n-1. Note that there is no array element arr[n]! This will result in an array-index-out-of- bounds exception. 3. Remember: You cannot resize an array. 20
  • 22. Array Length ● In order to get the number of elements in an array, you can use the length field of an array. ● The length field of an array returns the size of the array. It can be used by writing, arrayName.length 22
  • 23. Array Length 1 public class ArraySample { 2 public static void main( String[] args ){ 3 int[] ages = new int[100]; 4 5 for( int i=0; i<ages.length; i++ ){ 6 System.out.print( ages[i] ); 7 } 8 } 9 } 23
  • 24. Coding Guidelines 1. When creating for loops to process the elements of an array, use the array object's length field in the condition statement of the for loop. This will allow the loop to adjust automatically for different-sized arrays. 2. Declare the sizes of arrays in a Java program using named constants to make them easy to change. For example, final int ARRAY_SIZE = 1000; //declare a constant . . . int[] ages = new int[ARRAY_SIZE]; 24
  • 25. Multi-Dimensional Array 25
  • 26. Multidimensional Arrays ● Multidimensional arrays are implemented as arrays of arrays. ● Multidimensional arrays are declared by appending the appropriate number of bracket pairs after the array name. 26
  • 27. Multidimensional Arrays ● For example, // integer array 512 x 128 elements int[][] twoD = new int[512][128]; // character array 8 x 16 x 24 char[][][] threeD = new char[8][16][24]; // String array 4 rows x 2 columns String[][] dogs = {{ "terry", "brown" }, { "Kristin", "white" }, { "toby", "gray"}, { "fido", "black"} }; 27
  • 28. Multidimensional Arrays ● To access an element in a multidimensional array is just the same as accessing the elements in a one dimensional array. ● For example, to access the first element in the first row of the array dogs, we write, System.out.print( dogs[0][0] ); This will print the String "terry" on the screen. 28
  • 29. Summary ● Arrays – Definition – Declaration – Instantiation and constructors (brief overview – to be discussed more later) – Accessing an element – The length field – Multidimensional Arrays 29