file.go 9.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342
  1. package burndown
  2. import (
  3. "fmt"
  4. "gopkg.in/src-d/go-git.v4/plumbing"
  5. "gopkg.in/src-d/hercules.v4/internal"
  6. "gopkg.in/src-d/hercules.v4/internal/rbtree"
  7. )
  8. // Updater is the function which is called back on File.Update().
  9. type Updater = func(currentTime, previousTime, delta int)
  10. // File encapsulates a balanced binary tree to store line intervals and
  11. // a cumulative mapping of values to the corresponding length counters. Users
  12. // are not supposed to create File-s directly; instead, they should call NewFile().
  13. // NewFileFromTree() is the special constructor which is useful in the tests.
  14. //
  15. // Len() returns the number of lines in File.
  16. //
  17. // Update() mutates File by introducing tree structural changes and updating the
  18. // length mapping.
  19. //
  20. // Dump() writes the tree to a string and Validate() checks the tree integrity.
  21. type File struct {
  22. // Git hash of the contents.
  23. Hash plumbing.Hash
  24. tree *rbtree.RBTree
  25. updaters []Updater
  26. }
  27. // TreeEnd denotes the value of the last leaf in the tree.
  28. const TreeEnd = -1
  29. // TreeMaxBinPower is the binary power value which corresponds to the maximum day which
  30. // can be stored in the tree.
  31. const TreeMaxBinPower = 14
  32. // TreeMergeMark is the special day which disables the status updates and is used in File.Merge().
  33. const TreeMergeMark = (1 << TreeMaxBinPower) - 1
  34. func (file *File) updateTime(currentTime, previousTime, delta int) {
  35. if currentTime & TreeMergeMark == TreeMergeMark {
  36. // merge mode
  37. return
  38. }
  39. for _, update := range file.updaters {
  40. update(currentTime, previousTime, delta)
  41. }
  42. }
  43. // NewFile initializes a new instance of File struct.
  44. //
  45. // time is the starting value of the first node;
  46. //
  47. // length is the starting length of the tree (the key of the second and the
  48. // last node);
  49. //
  50. // updaters are the attached interval length mappings.
  51. func NewFile(hash plumbing.Hash, time int, length int, updaters ...Updater) *File {
  52. file := &File{Hash: hash, tree: new(rbtree.RBTree), updaters: updaters}
  53. if length > 0 {
  54. file.updateTime(time, time, length)
  55. file.tree.Insert(rbtree.Item{Key: 0, Value: time})
  56. }
  57. file.tree.Insert(rbtree.Item{Key: length, Value: TreeEnd})
  58. return file
  59. }
  60. // NewFileFromTree is an alternative constructor for File which is used in tests.
  61. // The resulting tree is validated with Validate() to ensure the initial integrity.
  62. //
  63. // keys is a slice with the starting tree keys.
  64. //
  65. // vals is a slice with the starting tree values. Must match the size of keys.
  66. //
  67. // updaters are the attached interval length mappings.
  68. func NewFileFromTree(hash plumbing.Hash, keys []int, vals []int, updaters ...Updater) *File {
  69. file := &File{Hash: hash, tree: new(rbtree.RBTree), updaters: updaters}
  70. if len(keys) != len(vals) {
  71. panic("keys and vals must be of equal length")
  72. }
  73. for i := 0; i < len(keys); i++ {
  74. file.tree.Insert(rbtree.Item{Key: keys[i], Value: vals[i]})
  75. }
  76. file.Validate()
  77. return file
  78. }
  79. // Clone copies the file. It performs a deep copy of the tree;
  80. // depending on `clearStatuses` the original updaters are removed or not.
  81. // Any new `updaters` are appended.
  82. func (file *File) Clone(clearStatuses bool, updaters ...Updater) *File {
  83. clone := &File{Hash: file.Hash, tree: file.tree.Clone(), updaters: file.updaters}
  84. if clearStatuses {
  85. clone.updaters = []Updater{}
  86. }
  87. for _, updater := range updaters {
  88. clone.updaters = append(clone.updaters, updater)
  89. }
  90. return clone
  91. }
  92. // Len returns the File's size - that is, the maximum key in the tree of line
  93. // intervals.
  94. func (file *File) Len() int {
  95. return file.tree.Max().Item().Key
  96. }
  97. // Update modifies the underlying tree to adapt to the specified line changes.
  98. //
  99. // time is the time when the requested changes are made. Sets the values of the
  100. // inserted nodes.
  101. //
  102. // pos is the index of the line at which the changes are introduced.
  103. //
  104. // ins_length is the number of inserted lines after pos.
  105. //
  106. // del_length is the number of removed lines after pos. Deletions come before
  107. // the insertions.
  108. //
  109. // The code inside this function is probably the most important one throughout
  110. // the project. It is extensively covered with tests. If you find a bug, please
  111. // add the corresponding case in file_test.go.
  112. func (file *File) Update(time int, pos int, insLength int, delLength int) {
  113. if time < 0 {
  114. panic("time may not be negative")
  115. }
  116. if pos < 0 {
  117. panic("attempt to insert/delete at a negative position")
  118. }
  119. if insLength < 0 || delLength < 0 {
  120. panic("insLength and delLength must be non-negative")
  121. }
  122. if insLength|delLength == 0 {
  123. return
  124. }
  125. tree := file.tree
  126. if tree.Len() < 2 && tree.Min().Item().Key != 0 {
  127. panic("invalid tree state")
  128. }
  129. if pos > tree.Max().Item().Key {
  130. panic(fmt.Sprintf("attempt to insert after the end of the file: %d < %d",
  131. tree.Max().Item().Key, pos))
  132. }
  133. iter := tree.FindLE(pos)
  134. origin := *iter.Item()
  135. file.updateTime(time, time, insLength)
  136. if delLength == 0 {
  137. // simple case with insertions only
  138. if origin.Key < pos || (origin.Value == time && pos == 0) {
  139. iter = iter.Next()
  140. }
  141. for ; !iter.Limit(); iter = iter.Next() {
  142. iter.Item().Key += insLength
  143. }
  144. if origin.Value != time {
  145. tree.Insert(rbtree.Item{Key: pos, Value: time})
  146. if origin.Key < pos {
  147. tree.Insert(rbtree.Item{Key: pos + insLength, Value: origin.Value})
  148. }
  149. }
  150. return
  151. }
  152. // delete nodes
  153. for true {
  154. node := iter.Item()
  155. nextIter := iter.Next()
  156. if nextIter.Limit() {
  157. if pos+delLength > node.Key {
  158. panic("attempt to delete after the end of the file")
  159. }
  160. break
  161. }
  162. delta := internal.Min(nextIter.Item().Key, pos+delLength) - internal.Max(node.Key, pos)
  163. if delta <= 0 {
  164. break
  165. }
  166. file.updateTime(time, node.Value, -delta)
  167. if node.Key >= pos {
  168. origin = *node
  169. tree.DeleteWithIterator(iter)
  170. }
  171. iter = nextIter
  172. }
  173. // prepare for the keys update
  174. var previous *rbtree.Item
  175. if insLength > 0 && (origin.Value != time || origin.Key == pos) {
  176. // insert our new interval
  177. if iter.Item().Value == time {
  178. prev := iter.Prev()
  179. if prev.Item().Value != time {
  180. iter.Item().Key = pos
  181. } else {
  182. tree.DeleteWithIterator(iter)
  183. iter = prev
  184. }
  185. origin.Value = time // cancels the insertion after applying the delta
  186. } else {
  187. _, iter = tree.Insert(rbtree.Item{Key: pos, Value: time})
  188. }
  189. } else {
  190. // rollback 1 position back, see "for true" deletion cycle ^
  191. iter = iter.Prev()
  192. previous = iter.Item()
  193. }
  194. // update the keys of all subsequent nodes
  195. delta := insLength - delLength
  196. if delta != 0 {
  197. for iter = iter.Next(); !iter.Limit(); iter = iter.Next() {
  198. // we do not need to re-balance the tree
  199. iter.Item().Key += delta
  200. }
  201. // have to adjust origin in case insLength == 0
  202. if origin.Key > pos {
  203. origin.Key += delta
  204. }
  205. }
  206. if insLength > 0 {
  207. if origin.Value != time {
  208. tree.Insert(rbtree.Item{Key: pos + insLength, Value: origin.Value})
  209. } else if pos == 0 {
  210. // recover the beginning
  211. tree.Insert(rbtree.Item{Key: pos, Value: time})
  212. }
  213. } else if (pos > origin.Key && previous.Value != origin.Value) || pos == origin.Key || pos == 0 {
  214. // continue the original interval
  215. tree.Insert(rbtree.Item{Key: pos, Value: origin.Value})
  216. }
  217. }
  218. // Merge combines several prepared File-s together. Returns the value
  219. // indicating whether at least one File required merging.
  220. func (file *File) Merge(day int, others... *File) bool {
  221. dirty := false
  222. for _, other := range others {
  223. if file.Hash != other.Hash {
  224. dirty = true
  225. break
  226. }
  227. }
  228. if !dirty {
  229. return false
  230. }
  231. myself := file.flatten()
  232. for _, other := range others {
  233. lines := other.flatten()
  234. if len(myself) != len(lines) {
  235. panic("file corruption, lines number mismatch during merge")
  236. }
  237. for i, l := range myself {
  238. ol := lines[i]
  239. if ol & TreeMergeMark == TreeMergeMark {
  240. continue
  241. }
  242. if l & TreeMergeMark == TreeMergeMark {
  243. myself[i] = ol
  244. } else if l != ol {
  245. // the same line introduced in different branches
  246. // consider the oldest version as the ground truth
  247. if l > ol {
  248. myself[i] = ol
  249. // subtract from the newer day l
  250. file.updateTime(ol, l, -1)
  251. } else {
  252. // subtract from the newer day ol
  253. file.updateTime(l, ol, -1)
  254. }
  255. }
  256. }
  257. }
  258. for i, l := range myself {
  259. if l & TreeMergeMark == TreeMergeMark {
  260. myself[i] = day
  261. file.updateTime(day, day, 1)
  262. }
  263. }
  264. // now we need to reconstruct the tree from the discrete values
  265. tree := &rbtree.RBTree{}
  266. for i, v := range myself {
  267. if i == 0 || v != myself[i - 1] {
  268. tree.Insert(rbtree.Item{Key: i, Value: v})
  269. }
  270. }
  271. tree.Insert(rbtree.Item{Key: len(myself), Value: TreeEnd})
  272. file.tree = tree
  273. return true
  274. }
  275. // Dump formats the underlying line interval tree into a string.
  276. // Useful for error messages, panic()-s and debugging.
  277. func (file *File) Dump() string {
  278. buffer := ""
  279. for iter := file.tree.Min(); !iter.Limit(); iter = iter.Next() {
  280. node := iter.Item()
  281. buffer += fmt.Sprintf("%d %d\n", node.Key, node.Value)
  282. }
  283. return buffer
  284. }
  285. // Validate checks the underlying line interval tree integrity.
  286. // The checks are as follows:
  287. //
  288. // 1. The minimum key must be 0 because the first line index is always 0.
  289. //
  290. // 2. The last node must carry TreeEnd value. This is the maintained invariant
  291. // which marks the ending of the last line interval.
  292. //
  293. // 3. Node keys must monotonically increase and never duplicate.
  294. func (file *File) Validate() {
  295. if file.tree.Min().Item().Key != 0 {
  296. panic("the tree must start with key 0")
  297. }
  298. if file.tree.Max().Item().Value != TreeEnd {
  299. panic(fmt.Sprintf("the last value in the tree must be %d", TreeEnd))
  300. }
  301. prevKey := -1
  302. for iter := file.tree.Min(); !iter.Limit(); iter = iter.Next() {
  303. node := iter.Item()
  304. if node.Key == prevKey {
  305. panic(fmt.Sprintf("duplicate tree key: %d", node.Key))
  306. }
  307. prevKey = node.Key
  308. }
  309. }
  310. // flatten represents the file as a slice of lines, each line's value being the corresponding day.
  311. func (file *File) flatten() []int {
  312. lines := make([]int, 0, file.Len())
  313. val := -1
  314. for iter := file.tree.Min(); !iter.Limit(); iter = iter.Next() {
  315. for i := len(lines); i < iter.Item().Key; i++ {
  316. lines = append(lines, val)
  317. }
  318. val = iter.Item().Value
  319. }
  320. return lines
  321. }