1 package day1_2; 2 3 /** 4 * 定義類Student,包含三個屬性,學號number(int),年級state(int),分數score(int) 5 * 建立20個學生對象,學號爲1-20號,年級[1,6]和分數[0,100]隨機數肯定 6 * 問題一:打印出3年級學生的信息 7 * 問題二:將學生的成績按照冒泡排序,並打印學生信息 8 */ 9 10 public class ObjectExer2 { 11 public static void main(String[] args) { 12 //聲明一個Student類型數組 13 Student1[] stus = new Student1[20]; 14 for (int i = 0; i < stus.length; i++) { 15 //每一個數組元素引用一個學生對象 16 stus[i] = new Student1(); 17 //給每一個學生對象屬性賦值 18 //學號[1,20] 19 stus[i].number = i+1; 20 //年級[1,6] 21 //Math.random() 返回值double類型 [0,1) 22 //使用公式 (int)(Math.random()*(max-min+1)+min) 23 stus[i].state = (int)(Math.random()*(6-1+1)+1); 24 //成績[0,100] 25 //Math.random() 返回值double類型 [0,1) 26 //方式一 27 stus[i].score = (int)(Math.random()*(100-0+1)); 28 //方式二 29 //Math.round(double n) 返回值long類型 對n進行四捨五入 30 //stus[i].score = (int)Math.round(Math.random()*100); 31 } 32 33 //static的main方法內調用非static方法,須要建立對象才能夠調用 34 ObjectExer2 exer2 = new ObjectExer2(); 35 //查看最初學生信息 36 exer2.print(stus); 37 System.out.println("***打印出3年級學生的信息***"); 38 //打印出3年級學生的信息 39 exer2.findByState(stus,3); 40 System.out.println("***將學生的成績按照冒泡排序,並打印學生信息***"); 41 //將學生的成績按照冒泡排序,並打印學生信息 42 exer2.sort(stus); 43 exer2.print(stus); 44 } 45 46 //遍歷學生信息 47 public void print(Student1[] stus){ 48 for (int i = 0; i < stus.length; i++) { 49 System.out.println(stus[i].info()); 50 } 51 } 52 53 //打印指定年級的學生信息 54 public void findByState(Student1[] stus, int state) { 55 for (int i = 0; i < stus.length; i++) { 56 if(stus[i].state == state){ 57 System.out.println(stus[i].info()); 58 } 59 } 60 } 61 62 //將學生的成績按照冒泡排序 63 public void sort(Student1[] stus) { 64 for (int i = 0; i < stus.length - 1; i++) { 65 for (int j = 0; j < stus.length-i-1; j++) { 66 if (stus[j].score > stus[j+1].score) { 67 //注意:是交換學生的位置,而不是交換學生的成績 68 Student1 tmp = stus[j]; 69 stus[j] = stus[j + 1]; 70 stus[j+1] = tmp; 71 } 72 } 73 } 74 } 75 76 77 } 78 79 class Student1{ 80 int number;//學號 81 int state;//年級 82 int score;//成績 83 84 //顯示學生信息 85 public String info() { 86 return "學號:" + number + ",班級:"+ state + ",分數:" + score; 87 } 88 }