bolt/node.go

564 lines
15 KiB
Go
Raw Normal View History

2014-01-31 18:18:51 +00:00
package bolt
import (
"bytes"
"sort"
"unsafe"
)
// node represents an in-memory, deserialized page.
type node struct {
bucket *Bucket
isLeaf bool
unbalanced bool
key []byte
pgid pgid
parent *node
2014-05-02 19:59:23 +00:00
children []*node
inodes inodes
2014-01-31 18:18:51 +00:00
}
2014-05-02 19:59:23 +00:00
// root returns the top-level node this node is attached to.
func (n *node) root() *node {
if n.parent == nil {
return n
}
return n.parent.root()
}
2014-02-08 05:55:25 +00:00
// minKeys returns the minimum number of inodes this node should have.
func (n *node) minKeys() int {
if n.isLeaf {
return 1
}
return 2
}
2014-01-31 18:18:51 +00:00
// size returns the size of the node after serialization.
func (n *node) size() int {
2014-02-12 21:57:27 +00:00
var elementSize = n.pageElementSize()
2014-01-31 18:18:51 +00:00
2014-02-12 21:57:27 +00:00
var size = pageHeaderSize
2014-01-31 18:18:51 +00:00
for _, item := range n.inodes {
size += elementSize + len(item.key) + len(item.value)
}
return size
}
// pageElementSize returns the size of each page element based on the type of node.
func (n *node) pageElementSize() int {
if n.isLeaf {
return leafPageElementSize
}
return branchPageElementSize
}
2014-02-07 22:03:29 +00:00
// childAt returns the child node at a given index.
2014-02-08 05:55:25 +00:00
func (n *node) childAt(index int) *node {
_assert(!n.isLeaf, "invalid childAt(%d) on a leaf node", index)
return n.bucket.node(n.inodes[index].pgid, n)
2014-02-07 22:03:29 +00:00
}
2014-02-08 05:55:25 +00:00
// childIndex returns the index of a given child node.
func (n *node) childIndex(child *node) int {
index := sort.Search(len(n.inodes), func(i int) bool { return bytes.Compare(n.inodes[i].key, child.key) != -1 })
return index
}
// numChildren returns the number of children.
func (n *node) numChildren() int {
return len(n.inodes)
}
// nextSibling returns the next node with the same parent.
func (n *node) nextSibling() *node {
if n.parent == nil {
return nil
}
index := n.parent.childIndex(n)
2014-02-09 22:52:19 +00:00
if index >= n.parent.numChildren()-1 {
2014-02-08 05:55:25 +00:00
return nil
}
return n.parent.childAt(index + 1)
}
// prevSibling returns the previous node with the same parent.
func (n *node) prevSibling() *node {
if n.parent == nil {
return nil
}
index := n.parent.childIndex(n)
if index == 0 {
return nil
}
return n.parent.childAt(index - 1)
}
2014-01-31 18:18:51 +00:00
// put inserts a key/value.
func (n *node) put(oldKey, newKey, value []byte, pgid pgid, flags uint32) {
_assert(pgid < n.bucket.tx.meta.pgid, "pgid (%d) above high water mark (%d)", pgid, n.bucket.tx.meta.pgid)
2014-05-08 14:10:14 +00:00
_assert(len(oldKey) > 0, "put: zero-length old key")
_assert(len(newKey) > 0, "put: zero-length new key")
2014-01-31 18:18:51 +00:00
// Find insertion index.
index := sort.Search(len(n.inodes), func(i int) bool { return bytes.Compare(n.inodes[i].key, oldKey) != -1 })
// Add capacity and shift nodes if we don't have an exact match and need to insert.
exact := (len(n.inodes) > 0 && index < len(n.inodes) && bytes.Equal(n.inodes[index].key, oldKey))
if !exact {
n.inodes = append(n.inodes, inode{})
copy(n.inodes[index+1:], n.inodes[index:])
}
inode := &n.inodes[index]
inode.flags = flags
2014-01-31 18:18:51 +00:00
inode.key = newKey
inode.value = value
inode.pgid = pgid
2014-05-08 14:10:14 +00:00
_assert(len(inode.key) > 0, "put: zero-length inode key")
2014-01-31 18:18:51 +00:00
}
2014-02-03 21:33:51 +00:00
// del removes a key from the node.
func (n *node) del(key []byte) {
// Find index of key.
index := sort.Search(len(n.inodes), func(i int) bool { return bytes.Compare(n.inodes[i].key, key) != -1 })
// Exit if the key isn't found.
2014-02-16 22:43:35 +00:00
if index >= len(n.inodes) || !bytes.Equal(n.inodes[index].key, key) {
2014-02-03 21:33:51 +00:00
return
}
// Delete inode from the node.
n.inodes = append(n.inodes[:index], n.inodes[index+1:]...)
2014-02-08 05:55:25 +00:00
// Mark the node as needing rebalancing.
n.unbalanced = true
2014-02-03 21:33:51 +00:00
}
2014-01-31 18:18:51 +00:00
// read initializes the node from a page.
func (n *node) read(p *page) {
n.pgid = p.id
2014-02-12 21:57:27 +00:00
n.isLeaf = ((p.flags & leafPageFlag) != 0)
2014-01-31 18:18:51 +00:00
n.inodes = make(inodes, int(p.count))
for i := 0; i < int(p.count); i++ {
inode := &n.inodes[i]
if n.isLeaf {
elem := p.leafPageElement(uint16(i))
inode.flags = elem.flags
2014-01-31 18:18:51 +00:00
inode.key = elem.key()
inode.value = elem.value()
} else {
elem := p.branchPageElement(uint16(i))
inode.pgid = elem.pgid
inode.key = elem.key()
}
2014-05-08 14:10:14 +00:00
_assert(len(inode.key) > 0, "read: zero-length inode key")
2014-01-31 18:18:51 +00:00
}
// Save first key so we can find the node in the parent when we spill.
if len(n.inodes) > 0 {
n.key = n.inodes[0].key
2014-05-08 14:10:14 +00:00
_assert(len(n.key) > 0, "read: zero-length node key")
2014-01-31 18:18:51 +00:00
} else {
n.key = nil
}
}
// write writes the items onto one or more pages.
func (n *node) write(p *page) {
// Initialize page.
if n.isLeaf {
2014-02-12 21:57:27 +00:00
p.flags |= leafPageFlag
2014-01-31 18:18:51 +00:00
} else {
2014-02-12 21:57:27 +00:00
p.flags |= branchPageFlag
2014-01-31 18:18:51 +00:00
}
p.count = uint16(len(n.inodes))
// Loop over each item and write it to the page.
b := (*[maxAllocSize]byte)(unsafe.Pointer(&p.ptr))[n.pageElementSize()*len(n.inodes):]
for i, item := range n.inodes {
2014-05-08 14:10:14 +00:00
_assert(len(item.key) > 0, "write: zero-length inode key")
2014-01-31 18:18:51 +00:00
// Write the page element.
if n.isLeaf {
elem := p.leafPageElement(uint16(i))
elem.pos = uint32(uintptr(unsafe.Pointer(&b[0])) - uintptr(unsafe.Pointer(elem)))
elem.flags = item.flags
2014-01-31 18:18:51 +00:00
elem.ksize = uint32(len(item.key))
elem.vsize = uint32(len(item.value))
} else {
elem := p.branchPageElement(uint16(i))
elem.pos = uint32(uintptr(unsafe.Pointer(&b[0])) - uintptr(unsafe.Pointer(elem)))
elem.ksize = uint32(len(item.key))
elem.pgid = item.pgid
_assert(elem.pgid != p.id, "write: circular dependency occurred")
2014-01-31 18:18:51 +00:00
}
// Write data for the element to the end of the page.
copy(b[0:], item.key)
b = b[len(item.key):]
copy(b[0:], item.value)
b = b[len(item.value):]
}
2014-05-08 14:10:14 +00:00
// DEBUG ONLY: n.dump()
2014-01-31 18:18:51 +00:00
}
2014-05-02 19:59:23 +00:00
// split breaks up a node into smaller nodes, if appropriate.
// This should only be called from the spill() function.
2014-01-31 18:18:51 +00:00
func (n *node) split(pageSize int) []*node {
2014-05-02 19:59:23 +00:00
var nodes = []*node{n}
2014-01-31 18:18:51 +00:00
// Ignore the split if the page doesn't have at least enough nodes for
// multiple pages or if the data can fit on a single page.
if len(n.inodes) <= (minKeysPerPage*2) || n.size() < pageSize {
2014-05-02 19:59:23 +00:00
return nodes
2014-01-31 18:18:51 +00:00
}
// Determine the threshold before starting a new node.
var fillPercent = n.bucket.tx.db.FillPercent
if fillPercent < minFillPercent {
fillPercent = minFillPercent
} else if fillPercent > maxFillPercent {
fillPercent = maxFillPercent
}
threshold := int(float64(pageSize) * fillPercent)
2014-01-31 18:18:51 +00:00
// Group into smaller pages and target a given fill size.
2014-02-04 22:30:05 +00:00
size := pageHeaderSize
2014-05-02 19:59:23 +00:00
internalNodes := n.inodes
2014-02-04 22:30:05 +00:00
current := n
current.inodes = nil
2014-01-31 18:18:51 +00:00
2014-05-02 19:59:23 +00:00
// Loop over every inode and split once we reach our threshold.
for i, inode := range internalNodes {
2014-01-31 18:18:51 +00:00
elemSize := n.pageElementSize() + len(inode.key) + len(inode.value)
2014-05-02 19:59:23 +00:00
// Split once we reach our threshold split size. However, this should
// only be done if we have enough keys for this node and we will have
// enough keys for the next node.
if len(current.inodes) >= minKeysPerPage && i < len(internalNodes)-minKeysPerPage && size+elemSize > threshold {
// If there's no parent then we need to create one.
if n.parent == nil {
n.parent = &node{bucket: n.bucket, children: []*node{n}}
}
// Create a new node and add it to the parent.
current = &node{bucket: n.bucket, isLeaf: n.isLeaf, parent: n.parent}
n.parent.children = append(n.parent.children, current)
2014-01-31 18:18:51 +00:00
nodes = append(nodes, current)
2014-05-02 19:59:23 +00:00
// Reset our running total back to zero (plus header size).
size = pageHeaderSize
// Update the statistics.
n.bucket.tx.stats.Split++
2014-01-31 18:18:51 +00:00
}
2014-05-02 19:59:23 +00:00
// Increase our running total of the size and append the inode.
2014-01-31 18:18:51 +00:00
size += elemSize
current.inodes = append(current.inodes, inode)
}
return nodes
}
2014-05-02 19:59:23 +00:00
// spill writes the nodes to dirty pages and splits nodes as it goes.
// Returns an error if dirty pages cannot be allocated.
func (n *node) spill() error {
var tx = n.bucket.tx
// Spill child nodes first.
for _, child := range n.children {
if err := child.spill(); err != nil {
return err
}
}
// Add node's page to the freelist if it's not new.
if n.pgid > 0 {
tx.db.freelist.free(tx.id(), tx.page(n.pgid))
n.pgid = 0
2014-05-02 19:59:23 +00:00
}
// Spill nodes by deepest first.
var nodes = n.split(tx.db.pageSize)
for _, node := range nodes {
// Allocate contiguous space for the node.
p, err := tx.allocate((node.size() / tx.db.pageSize) + 1)
if err != nil {
return err
}
// Write the node.
_assert(p.id < tx.meta.pgid, "pgid (%d) above high water mark (%d)", p.id, tx.meta.pgid)
2014-05-02 19:59:23 +00:00
node.pgid = p.id
node.write(p)
2014-05-02 19:59:23 +00:00
// Insert into parent inodes.
if node.parent != nil {
var key = node.key
if key == nil {
key = node.inodes[0].key
}
node.parent.put(key, node.inodes[0].key, nil, node.pgid, 0)
node.key = node.inodes[0].key
2014-05-08 14:10:14 +00:00
_assert(len(n.key) > 0, "spill: zero-length node key")
2014-05-02 19:59:23 +00:00
}
// Update the statistics.
tx.stats.Spill++
}
// This is a special case where we need to write the parent if it is new
// and caused by a split in the root.
var parent = n.parent
if parent != nil && parent.pgid == 0 {
// Allocate contiguous space for the node.
p, err := tx.allocate((parent.size() / tx.db.pageSize) + 1)
if err != nil {
return err
}
// Write the new root.
_assert(p.id < tx.meta.pgid, "pgid (%d) above high water mark (%d)", p.id, tx.meta.pgid)
2014-05-02 19:59:23 +00:00
parent.pgid = p.id
parent.write(p)
2014-05-02 19:59:23 +00:00
}
return nil
}
2014-02-08 05:55:25 +00:00
// rebalance attempts to combine the node with sibling nodes if the node fill
// size is below a threshold or if there are not enough keys.
func (n *node) rebalance() {
if !n.unbalanced {
return
}
n.unbalanced = false
// Update statistics.
n.bucket.tx.stats.Rebalance++
2014-02-08 05:55:25 +00:00
// Ignore if node is above threshold (25%) and has enough keys.
var threshold = n.bucket.tx.db.pageSize / 4
2014-02-08 05:55:25 +00:00
if n.size() > threshold && len(n.inodes) > n.minKeys() {
return
}
// Root node has special handling.
if n.parent == nil {
// If root node is a branch and only has one node then collapse it.
if !n.isLeaf && len(n.inodes) == 1 {
2014-05-02 19:59:23 +00:00
// Move root's child up.
2014-05-07 16:37:50 +00:00
child := n.bucket.node(n.inodes[0].pgid, n)
2014-02-08 05:55:25 +00:00
n.isLeaf = child.isLeaf
n.inodes = child.inodes[:]
2014-05-02 19:59:23 +00:00
n.children = child.children
2014-02-08 05:55:25 +00:00
// Reparent all child nodes being moved.
for _, inode := range n.inodes {
if child, ok := n.bucket.nodes[inode.pgid]; ok {
2014-02-08 05:55:25 +00:00
child.parent = n
}
}
// Remove old child.
child.parent = nil
delete(n.bucket.nodes, child.pgid)
2014-03-28 06:07:05 +00:00
child.free()
2014-02-08 05:55:25 +00:00
}
return
}
2014-05-07 16:37:50 +00:00
// If node has no keys then just remove it.
if n.numChildren() == 0 {
n.parent.del(n.key)
n.parent.removeChild(n)
delete(n.bucket.nodes, n.pgid)
n.free()
n.parent.rebalance()
return
}
2014-02-08 05:55:25 +00:00
_assert(n.parent.numChildren() > 1, "parent must have at least 2 children")
// Destination node is right sibling if idx == 0, otherwise left sibling.
var target *node
var useNextSibling = (n.parent.childIndex(n) == 0)
if useNextSibling {
target = n.nextSibling()
} else {
target = n.prevSibling()
}
// If target node has extra nodes then just move one over.
if target.numChildren() > target.minKeys() {
if useNextSibling {
// Reparent and move node.
if child, ok := n.bucket.nodes[target.inodes[0].pgid]; ok {
2014-05-02 19:59:23 +00:00
child.parent.removeChild(child)
2014-02-08 05:55:25 +00:00
child.parent = n
2014-05-02 19:59:23 +00:00
child.parent.children = append(child.parent.children, child)
2014-02-08 05:55:25 +00:00
}
n.inodes = append(n.inodes, target.inodes[0])
target.inodes = target.inodes[1:]
// Update target key on parent.
target.parent.put(target.key, target.inodes[0].key, nil, target.pgid, 0)
2014-02-08 05:55:25 +00:00
target.key = target.inodes[0].key
2014-05-08 14:10:14 +00:00
_assert(len(target.key) > 0, "rebalance(1): zero-length node key")
2014-02-08 05:55:25 +00:00
} else {
// Reparent and move node.
if child, ok := n.bucket.nodes[target.inodes[len(target.inodes)-1].pgid]; ok {
2014-05-02 19:59:23 +00:00
child.parent.removeChild(child)
2014-02-08 05:55:25 +00:00
child.parent = n
2014-05-02 19:59:23 +00:00
child.parent.children = append(child.parent.children, child)
2014-02-08 05:55:25 +00:00
}
n.inodes = append(n.inodes, inode{})
copy(n.inodes[1:], n.inodes)
n.inodes[0] = target.inodes[len(target.inodes)-1]
target.inodes = target.inodes[:len(target.inodes)-1]
}
// Update parent key for node.
n.parent.put(n.key, n.inodes[0].key, nil, n.pgid, 0)
2014-02-08 05:55:25 +00:00
n.key = n.inodes[0].key
2014-05-08 14:10:14 +00:00
_assert(len(n.key) > 0, "rebalance(2): zero-length node key")
2014-02-08 05:55:25 +00:00
return
}
// If both this node and the target node are too small then merge them.
if useNextSibling {
// Reparent all child nodes being moved.
for _, inode := range target.inodes {
if child, ok := n.bucket.nodes[inode.pgid]; ok {
2014-05-02 19:59:23 +00:00
child.parent.removeChild(child)
2014-02-08 05:55:25 +00:00
child.parent = n
2014-05-02 19:59:23 +00:00
child.parent.children = append(child.parent.children, child)
2014-02-08 05:55:25 +00:00
}
}
// Copy over inodes from target and remove target.
n.inodes = append(n.inodes, target.inodes...)
n.parent.del(target.key)
2014-05-02 19:59:23 +00:00
n.parent.removeChild(target)
delete(n.bucket.nodes, target.pgid)
2014-03-28 06:07:05 +00:00
target.free()
2014-02-08 05:55:25 +00:00
} else {
// Reparent all child nodes being moved.
for _, inode := range n.inodes {
if child, ok := n.bucket.nodes[inode.pgid]; ok {
2014-05-02 19:59:23 +00:00
child.parent.removeChild(child)
2014-02-08 05:55:25 +00:00
child.parent = target
2014-05-02 19:59:23 +00:00
child.parent.children = append(child.parent.children, child)
2014-02-08 05:55:25 +00:00
}
}
// Copy over inodes to target and remove node.
target.inodes = append(target.inodes, n.inodes...)
n.parent.del(n.key)
2014-05-02 19:59:23 +00:00
n.parent.removeChild(n)
n.parent.put(target.key, target.inodes[0].key, nil, target.pgid, 0)
delete(n.bucket.nodes, n.pgid)
2014-03-28 06:07:05 +00:00
n.free()
2014-02-08 05:55:25 +00:00
}
// Either this node or the target node was deleted from the parent so rebalance it.
n.parent.rebalance()
}
2014-05-02 19:59:23 +00:00
// removes a node from the list of in-memory children.
// This does not affect the inodes.
func (n *node) removeChild(target *node) {
for i, child := range n.children {
if child == target {
n.children = append(n.children[:i], n.children[i+1:]...)
return
}
}
}
2014-02-11 19:16:12 +00:00
// dereference causes the node to copy all its inode key/value references to heap memory.
// This is required when the mmap is reallocated so inodes are not pointing to stale data.
func (n *node) dereference() {
2014-05-08 14:10:14 +00:00
if n.key != nil {
key := make([]byte, len(n.key))
copy(key, n.key)
n.key = key
_assert(n.pgid == 0 || len(n.key) > 0, "dereference: zero-length node key on existing node")
}
2014-02-11 19:16:12 +00:00
2014-02-12 21:57:27 +00:00
for i := range n.inodes {
2014-02-11 19:16:12 +00:00
inode := &n.inodes[i]
key := make([]byte, len(inode.key))
copy(key, inode.key)
inode.key = key
2014-05-08 14:10:14 +00:00
_assert(len(inode.key) > 0, "dereference: zero-length inode key")
2014-02-11 19:16:12 +00:00
value := make([]byte, len(inode.value))
copy(value, inode.value)
inode.value = value
}
2014-05-08 14:10:14 +00:00
// Recursively dereference children.
for _, child := range n.children {
child.dereference()
}
// Update statistics.
n.bucket.tx.stats.NodeDeref++
2014-02-11 19:16:12 +00:00
}
2014-03-28 06:07:05 +00:00
// free adds the node's underlying page to the freelist.
func (n *node) free() {
if n.pgid != 0 {
n.bucket.tx.db.freelist.free(n.bucket.tx.id(), n.bucket.tx.page(n.pgid))
2014-05-02 19:59:23 +00:00
n.pgid = 0
2014-03-28 06:07:05 +00:00
}
}
2014-05-08 14:10:14 +00:00
// dump writes the contents of the node to STDERR for debugging purposes.
/*
func (n *node) dump() {
// Write node header.
var typ = "branch"
if n.isLeaf {
typ = "leaf"
}
2014-05-08 14:10:14 +00:00
warnf("[NODE %d {type=%s count=%d}]", n.pgid, typ, len(n.inodes))
// Write out abbreviated version of each item.
for _, item := range n.inodes {
if n.isLeaf {
if item.flags&bucketLeafFlag != 0 {
bucket := (*bucket)(unsafe.Pointer(&item.value[0]))
2014-05-08 14:10:14 +00:00
warnf("+L %08x -> (bucket root=%d)", trunc(item.key, 4), bucket.root)
} else {
2014-05-08 14:10:14 +00:00
warnf("+L %08x -> %08x", trunc(item.key, 4), trunc(item.value, 4))
}
} else {
2014-05-08 14:10:14 +00:00
warnf("+B %08x -> pgid=%d", trunc(item.key, 4), item.pgid)
}
}
2014-05-08 14:10:14 +00:00
warn("")
}
2014-05-08 14:10:14 +00:00
*/
2014-01-31 18:18:51 +00:00
// inode represents an internal node inside of a node.
// It can be used to point to elements in a page or point
// to an element which hasn't been added to a page yet.
type inode struct {
flags uint32
2014-01-31 18:18:51 +00:00
pgid pgid
key []byte
value []byte
}
type inodes []inode