【剑指Offer】求1+2+3+...+n

题目链接:https://www.nowcoder.com/practice/6aa9e04fc3794f68acf8778237ba065b?tpId=13&tqId=11186&tPage=1&rp=1&ru=/ta/coding-interviews&qru=/ta/coding-interviews/question-ranking

题目描述

求1+2+3+…+n,要求不能使用乘除法、for、while、if、else、switch、case等关键字及条件判断语句(A?B:C)。

解决方法

class Solution {
public:
    int Sum_Solution(int n) {
        //1.利用逻辑与的短路特性实现递归终止
        //2.当n==0时,(n>0) && (ans=n+Sum_Solution(n-1))只执行前面的判断,为false,然后直接返回0;
        //3.当n>0时,执行ans=n+Sum_Solution(n-1),实现递归计算Sum_Solution(n)
        int ans=0;
        (n>0) && (ans=n+Sum_Solution(n-1));
        return ans;
    }
};

你可能感兴趣的:(剑指Offer)