Day2编程思想

1.下面两个函数的返回值是一样的吗?为什么?
function foo1() {
return {
bar: “hello”
};
}

function foo2() {
return
{
bar: “hello”
};
}
在编程语言中,基本都是使用分号(;)将语句分隔开,这可以增加代码的可读性和整洁性。而在 JS 中,如若语句各占独立一行,通常可以省略语句间的分号(;),JS 解析器会根据能否正常编译来决定是否自动填充分号:
var test = 1 + 2;
console.log(test); //3
在上述情况中,为了正确解析代码,就不会自动填充分号了,但是对于 return 、break、continue 等语句,如果后面紧跟换行,解析器一定会自动在后面填充分号(;),所以上面的第二个函数就变成了这样:
function foo2() {
return;
{
bar: “hello”
};
}
所以第二个函数是返回 undefined。

2.MySQL 编程题
用一条 SQL 语句,查询出每门课都大于 80 分的学生姓名。
表名 student_score
Day2编程思想

SELECT name FROM student_score GROUP BY name HAVING MIN(score)>80;

3.Java 编程题
一球从 100 米高度*落下,每次落地后反跳回原高度的一半;再落下,求它在第 10 次落地时,共经过多少米?第 10 次反弹多高?

public class Day2 {
	public static void main(String[] args) {
		distance(100, 10);
	}

	private static void distance(double h, int n) {
		double length = 0;
		double length1 = 0;
		for (int i = 1; i <= n; i++) {
			length1 += h;
			h = h / 2;
			
		}
		length = length1+100;
		
		System.out.println("经过第" + n + "次反弹后,小球共经过" + length + "米," + "第" + n + "次反弹高度为" + h + "米");
	}

}