/Godeps/_workspace/src/github.com/fsouza/go-dockerclient/vendor/github.com/docker/docker/pkg/units/size.go

https://gitlab.com/munnerz/gitlab-ci-multi-runner · Go · 93 lines · 62 code · 17 blank · 14 comment · 6 complexity · 49629c64613ba66f54604ba085d2473b 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 decimapAbbrs = []string{"B", "kB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB"}
  30. var binaryAbbrs = []string{"B", "KiB", "MiB", "GiB", "TiB", "PiB", "EiB", "ZiB", "YiB"}
  31. // CustomSize returns a human-readable approximation of a size
  32. // using custom format
  33. func CustomSize(format string, size float64, base float64, _map []string) string {
  34. i := 0
  35. for size >= base {
  36. size = size / base
  37. i++
  38. }
  39. return fmt.Sprintf(format, size, _map[i])
  40. }
  41. // HumanSize returns a human-readable approximation of a size
  42. // using SI standard (eg. "44kB", "17MB")
  43. func HumanSize(size float64) string {
  44. return CustomSize("%.4g %s", size, 1000.0, decimapAbbrs)
  45. }
  46. func BytesSize(size float64) string {
  47. return CustomSize("%.4g %s", size, 1024.0, binaryAbbrs)
  48. }
  49. // FromHumanSize returns an integer from a human-readable specification of a
  50. // size using SI standard (eg. "44kB", "17MB")
  51. func FromHumanSize(size string) (int64, error) {
  52. return parseSize(size, decimalMap)
  53. }
  54. // RAMInBytes parses a human-readable string representing an amount of RAM
  55. // in bytes, kibibytes, mebibytes, gibibytes, or tebibytes and
  56. // returns the number of bytes, or -1 if the string is unparseable.
  57. // Units are case-insensitive, and the 'b' suffix is optional.
  58. func RAMInBytes(size string) (int64, error) {
  59. return parseSize(size, binaryMap)
  60. }
  61. // Parses the human-readable size string into the amount it represents
  62. func parseSize(sizeStr string, uMap unitMap) (int64, error) {
  63. matches := sizeRegex.FindStringSubmatch(sizeStr)
  64. if len(matches) != 3 {
  65. return -1, fmt.Errorf("invalid size: '%s'", sizeStr)
  66. }
  67. size, err := strconv.ParseInt(matches[1], 10, 0)
  68. if err != nil {
  69. return -1, err
  70. }
  71. unitPrefix := strings.ToLower(matches[2])
  72. if mul, ok := uMap[unitPrefix]; ok {
  73. size *= mul
  74. }
  75. return size, nil
  76. }