get.go 8.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330
  1. // Copyright 2017 The Prometheus Authors
  2. // Licensed under the Apache License, Version 2.0 (the "License");
  3. // you may not use this file except in compliance with the License.
  4. // You may obtain a copy of the License at
  5. //
  6. // http://www.apache.org/licenses/LICENSE-2.0
  7. //
  8. // Unless required by applicable law or agreed to in writing, software
  9. // distributed under the License is distributed on an "AS IS" BASIS,
  10. // WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  11. // See the License for the specific language governing permissions and
  12. // limitations under the License.
  13. package bcache
  14. import (
  15. "bufio"
  16. "fmt"
  17. "io/ioutil"
  18. "os"
  19. "path"
  20. "path/filepath"
  21. "strconv"
  22. "strings"
  23. )
  24. // ParsePseudoFloat parses the peculiar format produced by bcache's bch_hprint.
  25. func parsePseudoFloat(str string) (float64, error) {
  26. ss := strings.Split(str, ".")
  27. intPart, err := strconv.ParseFloat(ss[0], 64)
  28. if err != nil {
  29. return 0, err
  30. }
  31. if len(ss) == 1 {
  32. // Pure integers are fine.
  33. return intPart, nil
  34. }
  35. fracPart, err := strconv.ParseFloat(ss[1], 64)
  36. if err != nil {
  37. return 0, err
  38. }
  39. // fracPart is a number between 0 and 1023 divided by 100; it is off
  40. // by a small amount. Unexpected bumps in time lines may occur because
  41. // for bch_hprint .1 != .10 and .10 > .9 (at least up to Linux
  42. // v4.12-rc3).
  43. // Restore the proper order:
  44. fracPart = fracPart / 10.24
  45. return intPart + fracPart, nil
  46. }
  47. // Dehumanize converts a human-readable byte slice into a uint64.
  48. func dehumanize(hbytes []byte) (uint64, error) {
  49. ll := len(hbytes)
  50. if ll == 0 {
  51. return 0, fmt.Errorf("zero-length reply")
  52. }
  53. lastByte := hbytes[ll-1]
  54. mul := float64(1)
  55. var (
  56. mant float64
  57. err error
  58. )
  59. // If lastByte is beyond the range of ASCII digits, it must be a
  60. // multiplier.
  61. if lastByte > 57 {
  62. // Remove multiplier from slice.
  63. hbytes = hbytes[:len(hbytes)-1]
  64. const (
  65. _ = 1 << (10 * iota)
  66. KiB
  67. MiB
  68. GiB
  69. TiB
  70. PiB
  71. EiB
  72. ZiB
  73. YiB
  74. )
  75. multipliers := map[rune]float64{
  76. // Source for conversion rules:
  77. // linux-kernel/drivers/md/bcache/util.c:bch_hprint()
  78. 'k': KiB,
  79. 'M': MiB,
  80. 'G': GiB,
  81. 'T': TiB,
  82. 'P': PiB,
  83. 'E': EiB,
  84. 'Z': ZiB,
  85. 'Y': YiB,
  86. }
  87. mul = float64(multipliers[rune(lastByte)])
  88. mant, err = parsePseudoFloat(string(hbytes))
  89. if err != nil {
  90. return 0, err
  91. }
  92. } else {
  93. // Not humanized by bch_hprint
  94. mant, err = strconv.ParseFloat(string(hbytes), 64)
  95. if err != nil {
  96. return 0, err
  97. }
  98. }
  99. res := uint64(mant * mul)
  100. return res, nil
  101. }
  102. type parser struct {
  103. uuidPath string
  104. subDir string
  105. currentDir string
  106. err error
  107. }
  108. func (p *parser) setSubDir(pathElements ...string) {
  109. p.subDir = path.Join(pathElements...)
  110. p.currentDir = path.Join(p.uuidPath, p.subDir)
  111. }
  112. func (p *parser) readValue(fileName string) uint64 {
  113. if p.err != nil {
  114. return 0
  115. }
  116. path := path.Join(p.currentDir, fileName)
  117. byt, err := ioutil.ReadFile(path)
  118. if err != nil {
  119. p.err = fmt.Errorf("failed to read: %s", path)
  120. return 0
  121. }
  122. // Remove trailing newline.
  123. byt = byt[:len(byt)-1]
  124. res, err := dehumanize(byt)
  125. p.err = err
  126. return res
  127. }
  128. // ParsePriorityStats parses lines from the priority_stats file.
  129. func parsePriorityStats(line string, ps *PriorityStats) error {
  130. var (
  131. value uint64
  132. err error
  133. )
  134. switch {
  135. case strings.HasPrefix(line, "Unused:"):
  136. fields := strings.Fields(line)
  137. rawValue := fields[len(fields)-1]
  138. valueStr := strings.TrimSuffix(rawValue, "%")
  139. value, err = strconv.ParseUint(valueStr, 10, 64)
  140. if err != nil {
  141. return err
  142. }
  143. ps.UnusedPercent = value
  144. case strings.HasPrefix(line, "Metadata:"):
  145. fields := strings.Fields(line)
  146. rawValue := fields[len(fields)-1]
  147. valueStr := strings.TrimSuffix(rawValue, "%")
  148. value, err = strconv.ParseUint(valueStr, 10, 64)
  149. if err != nil {
  150. return err
  151. }
  152. ps.MetadataPercent = value
  153. }
  154. return nil
  155. }
  156. func (p *parser) getPriorityStats() PriorityStats {
  157. var res PriorityStats
  158. if p.err != nil {
  159. return res
  160. }
  161. path := path.Join(p.currentDir, "priority_stats")
  162. file, err := os.Open(path)
  163. if err != nil {
  164. p.err = fmt.Errorf("failed to read: %s", path)
  165. return res
  166. }
  167. defer file.Close()
  168. scanner := bufio.NewScanner(file)
  169. for scanner.Scan() {
  170. err = parsePriorityStats(scanner.Text(), &res)
  171. if err != nil {
  172. p.err = fmt.Errorf("failed to parse: %s (%s)", path, err)
  173. return res
  174. }
  175. }
  176. if err := scanner.Err(); err != nil {
  177. p.err = fmt.Errorf("failed to parse: %s (%s)", path, err)
  178. return res
  179. }
  180. return res
  181. }
  182. // GetStats collects from sysfs files data tied to one bcache ID.
  183. func GetStats(uuidPath string) (*Stats, error) {
  184. var bs Stats
  185. par := parser{uuidPath: uuidPath}
  186. // bcache stats
  187. // dir <uuidPath>
  188. par.setSubDir("")
  189. bs.Bcache.AverageKeySize = par.readValue("average_key_size")
  190. bs.Bcache.BtreeCacheSize = par.readValue("btree_cache_size")
  191. bs.Bcache.CacheAvailablePercent = par.readValue("cache_available_percent")
  192. bs.Bcache.Congested = par.readValue("congested")
  193. bs.Bcache.RootUsagePercent = par.readValue("root_usage_percent")
  194. bs.Bcache.TreeDepth = par.readValue("tree_depth")
  195. // bcache stats (internal)
  196. // dir <uuidPath>/internal
  197. par.setSubDir("internal")
  198. bs.Bcache.Internal.ActiveJournalEntries = par.readValue("active_journal_entries")
  199. bs.Bcache.Internal.BtreeNodes = par.readValue("btree_nodes")
  200. bs.Bcache.Internal.BtreeReadAverageDurationNanoSeconds = par.readValue("btree_read_average_duration_us")
  201. bs.Bcache.Internal.CacheReadRaces = par.readValue("cache_read_races")
  202. // bcache stats (period)
  203. // dir <uuidPath>/stats_five_minute
  204. par.setSubDir("stats_five_minute")
  205. bs.Bcache.FiveMin.Bypassed = par.readValue("bypassed")
  206. bs.Bcache.FiveMin.CacheHits = par.readValue("cache_hits")
  207. bs.Bcache.FiveMin.Bypassed = par.readValue("bypassed")
  208. bs.Bcache.FiveMin.CacheBypassHits = par.readValue("cache_bypass_hits")
  209. bs.Bcache.FiveMin.CacheBypassMisses = par.readValue("cache_bypass_misses")
  210. bs.Bcache.FiveMin.CacheHits = par.readValue("cache_hits")
  211. bs.Bcache.FiveMin.CacheMissCollisions = par.readValue("cache_miss_collisions")
  212. bs.Bcache.FiveMin.CacheMisses = par.readValue("cache_misses")
  213. bs.Bcache.FiveMin.CacheReadaheads = par.readValue("cache_readaheads")
  214. // dir <uuidPath>/stats_total
  215. par.setSubDir("stats_total")
  216. bs.Bcache.Total.Bypassed = par.readValue("bypassed")
  217. bs.Bcache.Total.CacheHits = par.readValue("cache_hits")
  218. bs.Bcache.Total.Bypassed = par.readValue("bypassed")
  219. bs.Bcache.Total.CacheBypassHits = par.readValue("cache_bypass_hits")
  220. bs.Bcache.Total.CacheBypassMisses = par.readValue("cache_bypass_misses")
  221. bs.Bcache.Total.CacheHits = par.readValue("cache_hits")
  222. bs.Bcache.Total.CacheMissCollisions = par.readValue("cache_miss_collisions")
  223. bs.Bcache.Total.CacheMisses = par.readValue("cache_misses")
  224. bs.Bcache.Total.CacheReadaheads = par.readValue("cache_readaheads")
  225. if par.err != nil {
  226. return nil, par.err
  227. }
  228. // bdev stats
  229. reg := path.Join(uuidPath, "bdev[0-9]*")
  230. bdevDirs, err := filepath.Glob(reg)
  231. if err != nil {
  232. return nil, err
  233. }
  234. bs.Bdevs = make([]BdevStats, len(bdevDirs))
  235. for ii, bdevDir := range bdevDirs {
  236. var bds = &bs.Bdevs[ii]
  237. bds.Name = filepath.Base(bdevDir)
  238. par.setSubDir(bds.Name)
  239. bds.DirtyData = par.readValue("dirty_data")
  240. // dir <uuidPath>/<bds.Name>/stats_five_minute
  241. par.setSubDir(bds.Name, "stats_five_minute")
  242. bds.FiveMin.Bypassed = par.readValue("bypassed")
  243. bds.FiveMin.CacheBypassHits = par.readValue("cache_bypass_hits")
  244. bds.FiveMin.CacheBypassMisses = par.readValue("cache_bypass_misses")
  245. bds.FiveMin.CacheHits = par.readValue("cache_hits")
  246. bds.FiveMin.CacheMissCollisions = par.readValue("cache_miss_collisions")
  247. bds.FiveMin.CacheMisses = par.readValue("cache_misses")
  248. bds.FiveMin.CacheReadaheads = par.readValue("cache_readaheads")
  249. // dir <uuidPath>/<bds.Name>/stats_total
  250. par.setSubDir("stats_total")
  251. bds.Total.Bypassed = par.readValue("bypassed")
  252. bds.Total.CacheBypassHits = par.readValue("cache_bypass_hits")
  253. bds.Total.CacheBypassMisses = par.readValue("cache_bypass_misses")
  254. bds.Total.CacheHits = par.readValue("cache_hits")
  255. bds.Total.CacheMissCollisions = par.readValue("cache_miss_collisions")
  256. bds.Total.CacheMisses = par.readValue("cache_misses")
  257. bds.Total.CacheReadaheads = par.readValue("cache_readaheads")
  258. }
  259. if par.err != nil {
  260. return nil, par.err
  261. }
  262. // cache stats
  263. reg = path.Join(uuidPath, "cache[0-9]*")
  264. cacheDirs, err := filepath.Glob(reg)
  265. if err != nil {
  266. return nil, err
  267. }
  268. bs.Caches = make([]CacheStats, len(cacheDirs))
  269. for ii, cacheDir := range cacheDirs {
  270. var cs = &bs.Caches[ii]
  271. cs.Name = filepath.Base(cacheDir)
  272. // dir is <uuidPath>/<cs.Name>
  273. par.setSubDir(cs.Name)
  274. cs.IOErrors = par.readValue("io_errors")
  275. cs.MetadataWritten = par.readValue("metadata_written")
  276. cs.Written = par.readValue("written")
  277. ps := par.getPriorityStats()
  278. cs.Priority = ps
  279. }
  280. if par.err != nil {
  281. return nil, par.err
  282. }
  283. return &bs, nil
  284. }