求1+2+3+...+n
2018-09-29 本文已影响30人
科研的心
题目描述
求1+2+3+...+n,要求不能使用乘除法、for、while、if、else、switch、case等关键字及条件判断语句(A?B:C)。
示例
输入
5
输出
15
思路
这一题根据要求不能使用乘除法、for、while、if、else、switch、case等关键字及条件判断语句(A?B:C)。所以我们为了在递归中做到及时跳出,我们使用了&&的短路原则,即当&&的前半部分发生错误时,后半部分的判断条件不会被调用,即打破递归(当n == 0时,&&条件判断为false)。
代码
#include "iostream"
#include "string"
#include "vector"
using namespace std;
int Sum_Solution(int n) {
int ans = n;
n && (ans += Sum_Solution(n-1));
return ans;
}