Given a non-negative number represented as an array of digits, plus one to the number.
The digits are stored such that the most significant digit is at the head of the list.
题目的意思是从vector中读出的数字加1再保存到vector中
如1->2->3->4 返回 1->2->3->5
开始我想通过long long int 来保存vector中的值,但得到了错误的结果
最后还是通过vector中元素进行+1运算,然后判断有无进位,有进位则向上一位继续运算直至第0位
无进位则直接输出
class Solution {
public:
vector<int> plusOne(vector<int> &digits) {
int one=1;
for(int i=digits.size()-1;i>=0;i--)
{
int temp=digits[i]+one;
if(temp<10)
{
digits[i]=temp;
return digits;
}
else if(i==0)
{
digits[i]=0;
digits.insert(digits.begin(),1);
}
else
digits[i]=0;
}
return digits;
}
};