class Solution {
public:
void inorder(TreeNode* root, int low, int high, int& res){
if(root != nullptr){
inorder(root->left, low, high, res);
if(root->val <= high && root->val >= low){
res += root->val;
}
inorder(root->right, low, high, res);
}
}
int rangeSumBST(TreeNode* root, int low, int high) {
int res=0;
inorder(root, low, high, res);
return res;
}
};
java 语:
class Solution {
int res;
public void inorder(TreeNode root, int low, int high){
if(root != null){
inorder(root.left, low, high);
if(root.val <= high && root.val >= low){
res += root.val;
}
inorder(root.right, low, high);
}
}
public int rangeSumBST(TreeNode root, int low, int high) {
res = 0;
inorder(root, low, high);
return res;
}
}
leetcode问题938。问题是找到bst[低,高]的范围和
我在这两种语言中做的都差不多(我猜,但我对java是新手),但是java代码与cpp相比怎么那么快呢?它与指针和引用或者站点使用的编译器有关吗?
当做
1条答案
按热度按时间x759pob21#
经过一番研究,我发现它与平台本身有关。leetcode:java比c快吗++
根据一条评论“他们从java的基准中删除了编译和其他过程运行时。这意味着对于c/c++解决方案,编译时间是在运行时计算的”
不知道这有多可靠。