/pkg/units/size.go

https://github.com/dotcloud/docker · Go · 94 lines · 70 code · 16 blank · 8 comment · 38 complexity · 88ca566093e29c08a01ca36f1c983083 MD5 · raw file

  1. package units
  2. import (
  3. "fmt"
  4. "regexp"
  5. "strconv"
  6. "strings"
  7. )
  8. // HumanSize returns a human-readable approximation of a size
  9. // using SI standard (eg. "44kB", "17MB")
  10. func HumanSize(size int64) string {
  11. i := 0
  12. var sizef float64
  13. sizef = float64(size)
  14. units := []string{"B", "kB", "MB", "GB", "TB", "PB", "EB", "ZB", "YB"}
  15. for sizef >= 1000.0 {
  16. sizef = sizef / 1000.0
  17. i++
  18. }
  19. return fmt.Sprintf("%.4g %s", sizef, units[i])
  20. }
  21. // FromHumanSize returns an integer from a human-readable specification of a size
  22. // using SI standard (eg. "44kB", "17MB")
  23. func FromHumanSize(size string) (int64, error) {
  24. re, error := regexp.Compile("^(\\d+)([kKmMgGtTpP])?[bB]?$")
  25. if error != nil {
  26. return -1, fmt.Errorf("%s does not specify not a size", size)
  27. }
  28. matches := re.FindStringSubmatch(size)
  29. if len(matches) != 3 {
  30. return -1, fmt.Errorf("Invalid size: '%s'", size)
  31. }
  32. theSize, error := strconv.ParseInt(matches[1], 10, 0)
  33. if error != nil {
  34. return -1, error
  35. }
  36. unit := strings.ToLower(matches[2])
  37. if unit == "k" {
  38. theSize *= 1000
  39. } else if unit == "m" {
  40. theSize *= 1000 * 1000
  41. } else if unit == "g" {
  42. theSize *= 1000 * 1000 * 1000
  43. } else if unit == "t" {
  44. theSize *= 1000 * 1000 * 1000 * 1000
  45. } else if unit == "p" {
  46. theSize *= 1000 * 1000 * 1000 * 1000 * 1000
  47. }
  48. return theSize, nil
  49. }
  50. // Parses a human-readable string representing an amount of RAM
  51. // in bytes, kibibytes, mebibytes, gibibytes, or tebibytes and
  52. // returns the number of bytes, or -1 if the string is unparseable.
  53. // Units are case-insensitive, and the 'b' suffix is optional.
  54. func RAMInBytes(size string) (bytes int64, err error) {
  55. re, error := regexp.Compile("^(\\d+)([kKmMgGtT])?[bB]?$")
  56. if error != nil {
  57. return -1, error
  58. }
  59. matches := re.FindStringSubmatch(size)
  60. if len(matches) != 3 {
  61. return -1, fmt.Errorf("Invalid size: '%s'", size)
  62. }
  63. memLimit, error := strconv.ParseInt(matches[1], 10, 0)
  64. if error != nil {
  65. return -1, error
  66. }
  67. unit := strings.ToLower(matches[2])
  68. if unit == "k" {
  69. memLimit *= 1024
  70. } else if unit == "m" {
  71. memLimit *= 1024 * 1024
  72. } else if unit == "g" {
  73. memLimit *= 1024 * 1024 * 1024
  74. } else if unit == "t" {
  75. memLimit *= 1024 * 1024 * 1024 * 1024
  76. }
  77. return memLimit, nil
  78. }