CM24 最近公共祖先
链接:最近公共祖先
题目:
将一棵无穷大满二叉树的结点按根结点一层一层地从左往右编号,根结点编号为1。现给定a,b为两个结点。设计一个算法,返回a、b最近的公共祖先的编号。注意其祖先也可能是结点本身。
题目解析:
代码实现:
java
package Day11;
public class Day11_1 {
public int getLCA(int a, int b) {
// write code here
while (a != b) {
if (a > b) {
a /= 2;
}else {
b /= 2;
}
}
return a;
}
}
HJ86 求最大连续bit数
链接:求最大连续bit数
题目:
求一个int类型数字对应的二进制数字中1的最大连续数,例如3的二进制为00000011,最大连续2个1
题目解析:
代码实现:
java
package Day11;
import java.util.Scanner;
public class Day11_2 {
public static void main(String[] args) {
Scanner sc = new Scanner(System.in);
while (sc.hasNext()) {
int n = sc.nextInt();
int count = 0;
int nowCount = 0;
while (n != 0) {
if ((n & 1) == 1) {
nowCount++;
count = Math.max(count, nowCount);
} else {
nowCount = 0;
}
n >>= 1;
}
System.out.println(count);
}
}
}