把字符串转换为整数

题目:

将一个字符串转换成一个整数,要求不能使用字符串转换整数的库函数。 数值为0或者字符串不是一个合法的数值则返回0

思路:若为负数,则输出负数,字符0对应48,9对应57,不在范围内则返回0,并打印错误信息

 

public class StrToInt {
	public static void main(String[] args) {
		String s = "15998";
		int a = StrToInt(s);
		System.out.println(a);
	}
	
	public static int StrToInt(String s) {
		if(s=="" || s==null) {
			System.out.println("wrong input");
			return 0;
		}
		
		int len = s.length()-1;
		int re = 0;
		int base = 1;
		
		for(int i=len;i>=0;i--) {
			if(i==0 && s.charAt(i)=='-') {
				re = -1 * re;
			}else if(s.charAt(i)>='0' && s.charAt(i)<='9'){
				re = re + base * (s.charAt(i)-'0');
				base = base*10;
			}else {
				System.out.println("wrong input");
				return 0;
			}
		}
		return re;
	}
}

 

你可能感兴趣的:(剑指offer第二版)