一、题目

实现一个函数stringToInt,实现把字符串转换成整数这个功能,不能使用atoi或者其他类似的库函数。

二、解题代码

这看起来是很简单的题目,实现基本功能 ,大部分人都能用10行之内的代码解决。可是,当我们要把很多特殊情况即测试用例都考虑进去,却不是件容易的事。解决数值转换问题本身并不难,但我希望在写转换数值的代码之前,应聘者至少能把空指针,空字符串”“,正负号,溢出等方方面面的测试用例都考虑到,并且在写代码的时候对这些特殊的输入都定义好合理的输出。当然,这些输出并不一定要和atoi完全保持一致,但必须要有显式的说明,和面试官沟通好。

这个应聘者最大的问题就是还没有养成在写代码之前考虑所有可能的测试用例的习惯,逻辑不够严谨,因此一开始的代码只处理了最基本的数值转换。后来我每次提醒他一处特殊的测试用例之后,他改一处代码。尽管他已经做了两次修改,但仍然有不少很明显的漏洞,特殊输入空字符串”“,边界条件比如最大的正整数与最小的负整数等。由于这道题思路本身不难,因此我希望他把问题考虑得极可能周到,代码尽量写完整。

三、解题思路

  1. public class Test {
  2. /**
  3. * 题目:实现一个函数stringToInt,实现把字符串转换成整数这个功能,
  4. * 不能使用atoi或者其他类似的库函数。
  5. *
  6. * @param num
  7. * @return
  8. */
  9. public static int stringToInt(String num) {
  10. if (num == null || num.length() < 1) {
  11. throw new NumberFormatException(num);
  12. }
  13. char first = num.charAt(0);
  14. if (first == '-') {
  15. return parseString(num, 1, false);
  16. } else if (first == '+') {
  17. return parseString(num, 1, true);
  18. } else if (first <= '9' && first >= '0') {
  19. return parseString(num, 0, true);
  20. } else {
  21. throw new NumberFormatException(num);
  22. }
  23. }
  24. /**
  25. * 判断字符是否是数字
  26. *
  27. * @param c 字符
  28. * @return true是,false否
  29. */
  30. private static boolean isDigit(char c) {
  31. return c >= '0' && c <= '9';
  32. }
  33. /**
  34. * 对字符串进行解析
  35. *
  36. * @param num 数字串
  37. * @param index 开始解析的索引
  38. * @param positive 是正数还是负数
  39. * @return 返回结果
  40. */
  41. private static int parseString(String num, int index, boolean positive) {
  42. if (index >= num.length()) {
  43. throw new NumberFormatException(num);
  44. }
  45. int result;
  46. long tmp = 0;
  47. while (index < num.length() && isDigit(num.charAt(index))) {
  48. tmp = tmp * 10 + num.charAt(index) - '0';
  49. // 保证求的得的值不超出整数的最大绝对值
  50. if (tmp > 0x8000_0000L) {
  51. throw new NumberFormatException(num);
  52. }
  53. index++;
  54. }
  55. if (positive) {
  56. if (tmp >= 0x8000_0000L) {
  57. throw new NumberFormatException(num);
  58. } else {
  59. result = (int) tmp;
  60. }
  61. } else {
  62. if (tmp == 0x8000_0000L) {
  63. result = 0x8000_0000;
  64. } else {
  65. result = (int) -tmp;
  66. }
  67. }
  68. return result;
  69. }
  70. }