strtonum.c 1.8 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273
  1. /* $OpenBSD: strtonum.c,v 1.6 2004/08/03 19:38:01 millert Exp $ */
  2. /*
  3. * Copyright (c) 2004 Ted Unangst and Todd Miller
  4. * All rights reserved.
  5. *
  6. * Permission to use, copy, modify, and distribute this software for any
  7. * purpose with or without fee is hereby granted, provided that the above
  8. * copyright notice and this permission notice appear in all copies.
  9. *
  10. * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
  11. * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
  12. * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
  13. * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
  14. * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
  15. * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
  16. * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
  17. */
  18. /* OPENBSD ORIGINAL: lib/libc/stdlib/strtonum.c */
  19. #include "includes.h"
  20. #ifndef HAVE_STRTONUM
  21. #include <stdlib.h>
  22. #include <limits.h>
  23. #include <errno.h>
  24. #define INVALID 1
  25. #define TOOSMALL 2
  26. #define TOOLARGE 3
  27. long long
  28. strtonum(const char *numstr, long long minval, long long maxval,
  29. const char **errstrp)
  30. {
  31. long long ll = 0;
  32. char *ep;
  33. int error = 0;
  34. struct errval {
  35. const char *errstr;
  36. int err;
  37. } ev[4] = {
  38. { NULL, 0 },
  39. { "invalid", EINVAL },
  40. { "too small", ERANGE },
  41. { "too large", ERANGE },
  42. };
  43. ev[0].err = errno;
  44. errno = 0;
  45. if (minval > maxval)
  46. error = INVALID;
  47. else {
  48. ll = strtoll(numstr, &ep, 10);
  49. if (numstr == ep || *ep != '\0')
  50. error = INVALID;
  51. else if ((ll == LLONG_MIN && errno == ERANGE) || ll < minval)
  52. error = TOOSMALL;
  53. else if ((ll == LLONG_MAX && errno == ERANGE) || ll > maxval)
  54. error = TOOLARGE;
  55. }
  56. if (errstrp != NULL)
  57. *errstrp = ev[error].errstr;
  58. errno = ev[error].err;
  59. if (error)
  60. ll = 0;
  61. return (ll);
  62. }
  63. #endif /* HAVE_STRTONUM */