/tests/_vendor/src/github.com/docker/docker/pkg/units/size.go

https://gitlab.com/seacoastboy/deis · Go · 81 lines · 56 code · 13 blank · 12 comment · 6 complexity · c0b40db9f27676e99ed8a44ac71868a6 MD5 · raw file

  1. package units
  2. import (
  3. "fmt"
  4. "regexp"
  5. "strconv"
  6. "strings"
  7. )
  8. // See: http://en.wikipedia.org/wiki/Binary_prefix
  9. const (
  10. // Decimal
  11. KB = 1000
  12. MB = 1000 * KB
  13. GB = 1000 * MB
  14. TB = 1000 * GB
  15. PB = 1000 * TB
  16. // Binary
  17. KiB = 1024
  18. MiB = 1024 * KiB
  19. GiB = 1024 * MiB
  20. TiB = 1024 * GiB
  21. PiB = 1024 * TiB
  22. )
  23. type unitMap map[string]int64
  24. var (
  25. decimalMap = unitMap{"k": KB, "m": MB, "g": GB, "t": TB, "p": PB}
  26. binaryMap = unitMap{"k": KiB, "m": MiB, "g": GiB, "t": TiB, "p": PiB}
  27. sizeRegex = regexp.MustCompile(`^(\d+)([kKmMgGtTpP])?[bB]?$`)
  28. )
  29. var unitAbbrs = [...]string{"B", "kB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB"}
  30. // HumanSize returns a human-readable approximation of a size
  31. // using SI standard (eg. "44kB", "17MB")
  32. func HumanSize(size int64) string {
  33. i := 0
  34. sizef := float64(size)
  35. for sizef >= 1000.0 {
  36. sizef = sizef / 1000.0
  37. i++
  38. }
  39. return fmt.Sprintf("%.4g %s", sizef, unitAbbrs[i])
  40. }
  41. // FromHumanSize returns an integer from a human-readable specification of a
  42. // size using SI standard (eg. "44kB", "17MB")
  43. func FromHumanSize(size string) (int64, error) {
  44. return parseSize(size, decimalMap)
  45. }
  46. // Parses a human-readable string representing an amount of RAM
  47. // in bytes, kibibytes, mebibytes, gibibytes, or tebibytes and
  48. // returns the number of bytes, or -1 if the string is unparseable.
  49. // Units are case-insensitive, and the 'b' suffix is optional.
  50. func RAMInBytes(size string) (int64, error) {
  51. return parseSize(size, binaryMap)
  52. }
  53. // Parses the human-readable size string into the amount it represents
  54. func parseSize(sizeStr string, uMap unitMap) (int64, error) {
  55. matches := sizeRegex.FindStringSubmatch(sizeStr)
  56. if len(matches) != 3 {
  57. return -1, fmt.Errorf("Invalid size: '%s'", sizeStr)
  58. }
  59. size, err := strconv.ParseInt(matches[1], 10, 0)
  60. if err != nil {
  61. return -1, err
  62. }
  63. unitPrefix := strings.ToLower(matches[2])
  64. if mul, ok := uMap[unitPrefix]; ok {
  65. size *= mul
  66. }
  67. return size, nil
  68. }