C-Sharp | Java | Python | Swift | GO | WPF | Ruby | Scala | F# | JavaScript | SQL | PHP | Angular | HTML
Q. Program to print the elements of an array present on even position.ExplanationIn this program, we need to print the element which is present in even position. Even positioned element can be found by traversing the array and incrementing the value of i by 2. In the above array, elements on even position are b and d. Algorithm
SolutionPython#Initialize array arr = [1, 2, 3, 4, 5]; print("Elements of given array present on even position: "); #Loop through the array by incrementing the value of i by 2 #Here, i will start from 1 as first even positioned element is present at position 1. for i in range(1, len(arr), 2): print(arr[i]); Output: Elements of given array present on even position: 2 4 C#include Output: Elements of given array present on even position: 2 4 JAVApublic class EvenPosition { public static void main(String[] args) { //Initialize array int [] arr = new int [] {1, 2, 3, 4, 5}; System.out.println("Elements of given array present on even position: "); //Loop through the array by incrementing value of i by 2 //Here, i will start from 1 as first even positioned element is present at position 1. for (int i = 1; i < arr.length; i = i+2) { System.out.println(arr[i]); } } } Output: Elements of given array present on even position: 2 4 C#using System; public class EvenPosition { public static void Main() { //Initialize array int [] arr = new int [] {1, 2, 3, 4, 5}; Console.WriteLine("Elements of given array present on even position: "); //Loop through the array by incrementing value of i by 2 //Here, i will start from 1 as first even positioned element is present at position 1. for (int i = 1; i < arr.Length; i = i+2) { Console.WriteLine(arr[i]); } } } Output: Elements of given array present on even position: 2 4 PHP<!DOCTYPE html> <html> <body> <?php //Initialize array $arr = array(1, 2, 3, 4, 5); print("Elements of given array present on even position: <br>"); //Loop through the array by incrementing value of i by 2 //Here, i will start from 1 as first even positioned element is present at position 1. for ($i = 1; $i < count($arr); $i = $i+2) { print($arr[$i] . "<br>"); } ?> </body> </html> Output: Elements of given array present on even position: 2 4
Next Topic#
|