Respuesta :
Using the knowldge in computional language in Java it is possible to write a code that create an application that allows a user to enter values for an array of seven Salesperson objects.
Writing the code in Java
import java.util.*;
public class Salesperson
{
private int ID;
private double annualSales;
public Salesperson(int ID, double annualSales)
{
this.ID = ID;
this.annualSales = annualSales;
}
public int getID()
{
return ID;
}
public void setID(int ID)
{
this.ID = ID;
}
public double getAnnualSales()
{
return annualSales;
}
public void setAnnualSales(double annualSales)
{
this.annualSales = annualSales;
}
public String toString()
{
return "Salesperson ID: " + ID + ", annual sales: " + annualSales;
}
}
// you created a Salesperson class with fields for an ID number and sales values. Now,
// create an application that allows a user to enter values for an array of seven Salesperson objects.
// Offer the user the choice of displaying the objects in order by either ID number or sales value.
// Save the application as SalespersonSort.java
public class SalespersonSort
{
public static void main(String[] args)
{
Salesperson[] array = new Salesperson[7];
Scanner in = new Scanner(System.in);
for(int i=0; i<array.length; i++){
System.out.print("\nEnter ID number of Sales Person "+ (i+1) + " :");
int ID = in.nextInt();
System.out.print("\nEnter Annual Sales of Sales Person "+ (i+1) + " :");
double sales = in.nextDouble();
array[i] = new Salesperson(ID,sales);
}
System.out.println("Do you want to sort by ID or sales? (Enter ID or sales):");
String choice = in.next();
if(choice.equalsIgnoreCase("ID")){
for(int i=0; i<array.length; i++){
int min = i;
for(int j=i; j<array.length; j++){
if(array[j].getID() < array[min].getID())
min = j;
}
Salesperson temp = array[i];
array[i] = array[min];
array[min] = temp;
}
System.out.println("Sales sorted by ID are ");
for(int i=0; i<array.length; i++)
System.out.println(array[i]);
}
else{
for(int i=0; i<array.length; i++){
int min = i;
for(int j=i; j<array.length; j++){
if(array[j].getAnnualSales() < array[min].getAnnualSales())
min = j;
}
Salesperson temp = array[i];
array[i] = array[min];
array[min] = temp;
}
System.out.println("Sales sorted by Annual Sales are ");
for(int i=0; i<array.length; i++)
System.out.println(array[i]);
}
See more about Java at: brainly.com/question/12978370
#SPJ1

