题目
定义类Student,包含三个属性:学号number(int),年级state(int),成绩score(int)。
创建20个学生对象,学号为1到20,年级和成绩都由随机数确定。
问题一:打印出3年级(state值为3)的学生信息。
问题二:使用冒泡排序按学生成绩排序,并遍历所有学生信息
提示:1) 生成随机数:Math.random(),返回值类型double; 2) 四舍五入取整:Math.round(double d),返回值类型long。
代码
public class Student {
public static void main(String[] args) {
//用数组来存储这20个学生能的信息
Studentt [] arry = new Studentt[20];
for(int i = 0;i < arry.length;i++){
/*
* 给数组中的元素初始化成类的对象 ,arr是一个数组,arr[i]是他的数组元素,
而数组元素的类型我在上面定义数组时已经定义了,所以arr[i]他是一个变量 ,
而arr[i]类型是已经被定义的类的类型,所以下面可以看为创建了一个对象
将一个对象赋值给变量。
*/
arry[i] = new Studentt();
//调用类
arry[i].number = i + 1;
arry[i].state = (int)(Math.random() * (7 - 1 + 1) + 1);
arry[i].score = (int)(Math.random() * ( 100 + 1));
}
//遍历一下数组看一下
for(int i = 0;i < arry.length;i++){
System.out.println(arry[i].number + "\t" + arry[i].score + "\t" + arry[i].state);
}
System.out.println("@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@");
//问题一 打印出3年级(state值为3)的学生信息。
for(int i = 0;i < arry.length;i++){
if(arry[i].state == 3){
arry[i].put();
}
}
//问题二:冒泡排序所有学生的成绩,并输出
for(int i = 0;i < arry.length - 1;i++ ){
for(int j = 0;j < arry.length - i - 1;j++){
if(arry[j].score > arry[j + 1].score){
Studentt temp = arry[j + 1];
arry[j + 1] = arry[j];
arry[j] = temp;
}
}
}
//遍历输出
System.out.println("@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@");
for(int i = 0;i < arry.length;i++){
arry[i].put();
}
}
}
// 思路先定义一个类
class Studentt {
int number;
int state;
int score;
//创建一个方法用于输出信息
public void put(){
System.out.println("学号" + number + "分数" + score + "年级" + state);
}
}
注意定义的类也可以去定义数组,而且此时数组中的元素是已被定义的变量
网友评论