92.6k views
4 votes
Write a program that reads in 15 numbers in sorted order from the user (i.e. the user enters them in order) and stores them in a 1D array of size 15. Next, prompt the user for a number to search for in the array (i.e. the "target"). Then, print the array. Next, search the array using a linear search – printing out each of

User Kenmore
by
8.1k points

1 Answer

6 votes

Corrected Question

Write a program that reads in 15 numbers in sorted order from the user (i.e. the user enters them in order) and stores them in a 1D array of size 15. Next, prompt the user for a number to search for in the array (i.e. the "target"). Then, print the array. Next, search the array using a linear search – find the target element and printing out the target and its index as well as the entire array

Answer:

The solution is given in the explanation section

See detailed explanation of each step given as comments

Step-by-step explanation:

import java.util.*;

class Main {

public static void main(String[] args) {

//Create the array of 15 elements

int [] array = new int [15];

//Create an object of the scanner class to receive user input

Scanner in = new Scanner(System.in);

//Prompt user to enter the values in sorted order

//Using a for loop

for (int i =0; i<array.length; i++){

System.out.println("Enter the next element: In SORTED order please!");

array[i] = in.nextInt();

}

System.out.println("All Fifteen element have been entered");

// Ask the user for an element to be searched for

//A target element

System.out.println("Which element do you want to search for in the array");

//Create the target element

int target = in.nextInt();

//Use a for loop to sequentially check each element in the array

for(int i = 0; i<array.length; i++){

if(array[i]==target){

System.out.println(target+" is found at index "+i +" of the array");

}

}

// Printout the entire array

System.out.println(Arrays.toString(array));

}

}

User Adam Eliezerov
by
8.5k points