इस लेख में, हम समझेंगे कि किसी सरणी सूची से पहले और अंतिम तत्व कैसे प्राप्त करें। एक सूची एक आदेशित संग्रह है जो हमें तत्वों को क्रमिक रूप से संग्रहीत और एक्सेस करने की अनुमति देता है। इसमें तत्वों को सम्मिलित करने, अद्यतन करने, हटाने और खोजने के लिए अनुक्रमणिका-आधारित विधियाँ शामिल हैं। इसमें डुप्लिकेट तत्व भी हो सकते हैं।
नीचे उसी का एक प्रदर्शन है -
मान लें कि हमारा इनपुट है -
Input list: [40, 60, 150, 300]
वांछित आउटपुट होगा -
The first element is : 40 The last element is : 300
एल्गोरिदम
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
उदाहरण 1
यहां, हम 'मेन' फंक्शन के तहत सभी ऑपरेशंस को एक साथ बांधते हैं।
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); } }
आउटपुट
The list is defined as: [40, 60, 150, 300] The first element is : 40 The last element is : 300
उदाहरण 2
यहां, हम ऑब्जेक्ट ओरिएंटेड प्रोग्रामिंग को प्रदर्शित करने वाले कार्यों में संचालन को समाहित करते हैं।
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); } }
आउटपुट
The list is defined as: [40, 60, 150, 300] The first element is : 40 The last element is : 300