题目地址:
https://www.acwing.com/problem/content/description/80/
求1+2+…+n,要求不能使用乘除法、for、while、if、else、switch、case等关键字及条件判断语句(A?B:C)。
class Solution { public: int getSum(int n) { int sum = n; (n > 0) && (sum += getSum(n-1)); return sum; } };
递归,sum(n) = n+sum(n-1),但是要注意终止条件,由于求的是1+2+…+n的和,所以需要在n=0的时候跳出递归,但是题目要求不能使用if,while等分支判断,可以考虑利用&&短路运算来终止判断。
时间复杂度为 O(n)。