博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
Plus One leetcode java
阅读量:6278 次
发布时间:2019-06-22

本文共 1292 字,大约阅读时间需要 4 分钟。

题目

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.

 

题解

这道题就是实现题。

先对原数组进行处理。从数组最后一位开始往前检查,如果当前数字是<9的,说明你加1无需进位,从循环跳出即可,如果当前数字等于9,说明加1涉及进位,且加1后当前数字应记为0,继续循环处理。

当对原数组处理完后,还需要判断当前第0位是不是已经变为0了,如果已经变为0了说明是类似99+1这种,需要进位。其他则不需要。

一般对数字进行操作的题都要考虑边界,尤其是溢出问题。

 

代码如下:

 1 
public 
int[] plusOne(
int[] digits) {
 2             
int length;
 3             length = digits.length;
 4             
for(
int i = length-1; i>=0; i--){
 5                 
if(digits[i]<9){
 6                     digits[i]++;
 7                     
break;
 8                 }
else{
 9                     digits[i]=0;
10                 }
11             }
12             
13             
int[] newdigits;
14             
if(digits[0]==0){
15                 newdigits = 
new 
int[digits.length+1];
16                 newdigits[0]=1;
17                 
for(
int i=1;i<newdigits.length;i++){
18                     newdigits[i]=digits[i-1];
19                 }
20             }
else{
21                 newdigits = 
new 
int[digits.length];
22                 
for(
int i=0;i<digits.length;i++){
23                     newdigits[i]=digits[i];
24                 }
25             }
26              
return newdigits;
27         }

 另外一种考虑溢出的解法如下:

 

 1       
public 
int[] plusOne(
int[] digits) {
 2             
for(
int i=digits.length-1;i>=0;i--){
 3                 digits[i] =1+digits[i];
 4                 
 5                 
if(digits[i]==10)
 6                     digits[i]=0;
 7                 
else
 8                     
return digits;
 9             }
10 
11             
//
don't forget over flow case
12 
            
int[] newdigit = 
new 
int[digits.length+1];
13             newdigit[0]=1;
14             
for(
int i=1;i<newdigit.length;i++){
15                 newdigit[i] = digits[i-1];
16             }
17             
return newdigit;
18         }

转载地址:http://fnyva.baihongyu.com/

你可能感兴趣的文章
windows 如何查看端口占用情况?
查看>>
SSIS如何引用外部DLL
查看>>
IOS开发基础知识--碎片1
查看>>
递归函数的深入理解,很多人的理解误区
查看>>
android Eclipse执行项目提示错误: unable to execute dex: GC orerhead limit exceeded
查看>>
“WPF老矣,尚能饭否”—且说说WPF今生未来(上):担心
查看>>
Tomcat 集群
查看>>
opencv4-highgui之视频的输入和输出以及滚动条
查看>>
使用一个HttpModule拦截Http请求,来检测页面刷新(F5或正常的请求)
查看>>
HttpContext.Current.Cache使用文件依赖问题
查看>>
Sql Server之旅——第五站 确实不得不说的DBCC命令(文后附年会福利)
查看>>
dataguard dubugs
查看>>
利用httpclient和多线程刷訪问量代码
查看>>
白话经典算法系列之中的一个 冒泡排序的三种实现
查看>>
控制台程序添加滚轮滑动支持
查看>>
POJ----(3974 )Palindrome [最长回文串]
查看>>
gridlaylout 简单布局
查看>>
WPF RadioButton 转换
查看>>
为什么使用 Bootstrap?
查看>>
在什么情况下使用struct,struct与class的区别
查看>>