题目要求不能使用乘除法、for、while、if、else、switch、case等关键字及条件判断语句(A?B:C)。
算法思想:
- if(A && B) // 若 A 为 false ,则 B 的判断不会执行(即短路),直接判定 A && B 为 false;
- if(A || B) // 若 A 为 true ,则 B 的判断不会执行(即短路),直接判定 A || B 为 true;
本题中,n > 1 && sumNums(n - 1) // 当 n = 1 时 n > 1 不成立 ,此时 “短路” ,终止后续递归。
代码:
class Solution {
public int sumNums(int n) {
boolean x = n>1 && (n+=sumNums(n-1))>0;
return n;
}
}
代码:
写一个函数计算树的高度。首先判断该二叉树的左右子树高度是否满足要求,然后判断左右子树是否为二叉平衡树。
class Solution {
public boolean isBalanced(TreeNode root) {
if(root == null) return true;
if(Math.abs(height(root.left)-height(root.right)) <= 1)
return isBalanced(root.left) && isBalanced(root.right);
return false;
}
int height(TreeNode root){
if(root == null) return 0;
return Math.max(height(root.left),height(root.right))+1;
}
}
法二:
1.若节点左右子树高度差满足平衡二叉树定义,返回节点深度,否则返回-1。
class Solution {
public boolean isBalanced(TreeNode root) {
return recur(root) != -1;
}
int recur(TreeNode root){
if(root == null)
return 0;
int left = recur(root.left);
if(left == -1) return -1;
int right = recur(root.right);
if(right == -1) return -1;
return Math.abs(left-right) < 2 ? Math.max(left,right)+1 : -1;
}
}
代码:
算法思想见注释。
class Solution {
public boolean isMatch(String s, String p) {
int m = s.length()+1, n = p.length()+1;
boolean[][] dp = new boolean[m][n];
dp[0][0] = true;
for(int j=2; j<n; j+=2){
dp[0][j] = dp[0][j-2] && p.charAt(j-1)=='*';
}
for(int i = 1; i < m; ++i){
for(int j = 1; j < n; ++j){
if(p.charAt(j-1) == '*'){
dp[i][j] = dp[i][j-2] || dp[i-1][j]&&s.charAt(i-1)==p.charAt(j-2)
|| dp[i-1][j]&&p.charAt(j-2)=='.';
}
else{
dp[i][j] = s.charAt(i-1)==p.charAt(j-1)&&dp[i-1][j-1] || p.charAt(j-1)=='.'&&dp[i-1][j-1];
}
}
}
return dp[m-1][n-1];
}
}
|