4

我正在执行一项任务,我必须:

  1. 使用以下属性/变量创建一个 Employee 类:名称年龄部门

  2. 创建一个名为 Department 的类,该类将包含员工列表。

    一个。Department 类将有一个方法,该方法将返回按年龄排序的员工。

    湾。部门的值只能是以下之一:

    • “会计”
    • “营销”
    • “人力资源”
    • “信息系统”

我很难弄清楚如何完成 2b。这是我到目前为止所拥有的:

import java.util.*;

public class Employee {
String name; 
int age;
String department;

Employee (String name, int age, String department) {
    this.name = name;
    this.age = age;
    this.department = department;

}
int getAge() {
    return age;
}
}

class Department {
public static void main(String[] args) {
    List<Employee>empList = new ArrayList<Employee>();

    Collections.sort (empList, new Comparator<Employee>() {
        public int compare (Employee e1, Employee e2) {
            return new Integer (e1.getAge()).compareTo(e2.getAge());
        }
    });
    }
}   
4

1 回答 1

15

您可以将枚举用于相同的目的,这将限制您仅使用指定的值。Department如下声明您的枚举

public enum Department {

    Accounting, Marketting, Human_Resources, Information_Systems

}

Employee的课现在可以

public class Employee {
    String name;
    int age;
    Department department;

    Employee(String name, int age, Department department) {
        this.name = name;
        this.age = age;
        this.department = department;

    }

    int getAge() {
        return age;
    }
}

在创建员工时,您可以使用

Employee employee = new Employee("Prasad", 47, Department.Information_Systems);

按照Adrian Shum的建议进行编辑,当然因为这是一个很好的建议。

  • 枚举是常量,这就是为什么根据 java 约定用大写字母声明它的好处。
  • 但是我们不希望看到枚举的大写表示,因此我们可以创建枚举构造函数并将可读信息传递给它。
  • 我们将修改 enum 以包含toString()方法,constructor并采用字符串参数。

     public enum Department {
    
       ACCOUNTING("Accounting"), MARKETTING("Marketting"), HUMAN_RESOURCES(
            "Human Resources"), INFORMATION_SYSTEMS("Information Systems");
    
       private String deptName;
    
        Department(String deptName) {
           this.deptName = deptName;
        }
    
       @Override
       public String toString() {
        return this.deptName;
       }
    
    }
    

所以当我们Employee如下创建一个对象并使用它时,

Employee employee = new Employee("Prasad Kharkar", 47, Department.INFORMATION_SYSTEMS);
System.out.println(employee.getDepartment()); 

我们将得到一个可读的字符串表示,因为它是由语句隐式调用的方法Information Systems返回的。阅读关于枚举的好教程toString()System.out.println()

于 2013-07-12T03:23:14.077 回答