Computer >> Máy Tính >  >> Lập trình >> Java

Chương trình Java để lấy các phần tử đầu tiên và cuối cùng từ một danh sách mảng

Trong bài này, chúng ta sẽ hiểu cách lấy phần tử đầu tiên và cuối cùng từ danh sách mảng. Danh sách isan theo thứ tự tập hợp cho phép chúng ta lưu trữ và truy cập các phần tử một cách tuần tự. Nó chứa các phương thức dựa trên chỉ mục để chèn, cập nhật, xóa và tìm kiếm các phần tử. Nó cũng có thể có các phần tử trùng lặp.

Dưới đây là một minh chứng về điều tương tự -

Giả sử đầu vào của chúng tôi là -

Input list: [40, 60, 150, 300]

Đầu ra mong muốn sẽ là -

The first element is : 40
The last element is : 300

Thuật toán

Step 1 - START
Step 2 - Declare ArrayList namely input_list.
Step 3 - Define the values.
Step 4 - Check of the list is not an empty list. Use the .get(0) and .get(list.size - 1) to get the first
and last elements.
Step 5 - Display the result
Step 6 - Stop

Ví dụ 1

Ở đây, chúng tôi liên kết tất cả các hoạt động với nhau trong hàm "main".

import java.util.ArrayList;
public class Demo {
   public static void main(String[] args){
      ArrayList<Integer> input_list = new ArrayList<Integer>(5);
      input_list.add(40);
      input_list.add(60);
      input_list.add(150);
      input_list.add(300);
      System.out.print("The list is defined as: " + input_list);
      int first_element = input_list.get(0);
      int last_element = input_list.get(input_list.size() - 1);
      System.out.println("\nThe first element is : " + first_element);
      System.out.println("The last element is : " + last_element);
   }
}

Đầu ra

The list is defined as: [40, 60, 150, 300]
The first element is : 40
The last element is : 300

Ví dụ 2

Ở đây, chúng tôi đóng gói các hoạt động thành các hàm trưng bày lập trình hướng đối tượng.

import java.util.ArrayList;
public class Demo {
   static void first_last(ArrayList<Integer> input_list){
      int first_element = input_list.get(0);
      int last_element = input_list.get(input_list.size() - 1);
      System.out.println("\nThe first element is : " + first_element);
      System.out.println("The last element is : " + last_element);
   }
   public static void main(String[] args){
      ArrayList<Integer> input_list = new ArrayList<Integer>(5);
      input_list.add(40);
      input_list.add(60);
      input_list.add(150);
      input_list.add(300);
      System.out.print("The list is defined as: " + input_list);
      first_last(input_list);
   }
}

Đầu ra

The list is defined as: [40, 60, 150, 300]
The first element is : 40
The last element is : 300