Files
dolt/go/store/nbs/table.go

256 lines
9.6 KiB
Go

// Copyright 2019 Dolthub, Inc.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//
// This file incorporates work covered by the following copyright and
// permission notice:
//
// Copyright 2016 Attic Labs, Inc. All rights reserved.
// Licensed under the Apache License, version 2.0:
// http://www.apache.org/licenses/LICENSE-2.0
package nbs
import (
"context"
"crypto/sha512"
"hash/crc32"
"io"
"golang.org/x/sync/errgroup"
"github.com/dolthub/dolt/go/store/chunks"
"github.com/dolthub/dolt/go/store/hash"
)
/*
An NBS Table stores N byte slices ("chunks") which are addressed by a 20-byte hash of their
contents. The footer encodes N as well as the total bytes consumed by all contained chunks.
An Index maps each address to the position of its corresponding chunk. Addresses are logically sorted within the Index, but the corresponding chunks need not be.
Table:
+----------------+----------------+-----+----------------+-------+--------+
| Chunk Record 0 | Chunk Record 1 | ... | Chunk Record N | Index | Footer |
+----------------+----------------+-----+----------------+-------+--------+
Chunk Record:
+---------------------------+----------------+
| (Chunk Length) Chunk Data | (Uint32) CRC32 |
+---------------------------+----------------+
Index:
+------------+---------+----------+
| Prefix Map | Lengths | Suffixes |
+------------+---------+----------+
Prefix Map:
+--------------+--------------+-----+----------------+
| Prefix Tuple | Prefix Tuple | ... | Prefix Tuple N |
+--------------+--------------+-----+----------------+
-The Prefix Map contains N Prefix Tuples.
-Each Prefix Tuple corresponds to a unique Chunk Record in the Table.
-The Prefix Tuples are sorted in increasing lexicographic order within the Prefix Map.
-NB: THE SAME PREFIX MAY APPEAR MULTIPLE TIMES, as distinct Hashes (referring to distinct Chunks) may share the same Prefix.
Prefix Tuple:
+-----------------+------------------+
| (8) Hash Prefix | (Uint32) Ordinal |
+-----------------+------------------+
-First 8 bytes of a Chunk's Hash
-Ordinal is the 0-based ordinal position of the associated record within the sequence of chunk records, the associated Length within Lengths, and the associated Hash Suffix within Suffixes.
Lengths:
+-----------------+-----------------+-----+-------------------+
| (Uint32) Length | (Uint32) Length | ... | (Uint32) Length N |
+-----------------+-----------------+-----+-------------------+
- Each Length is the length of a Chunk Record in this Table.
- Length M must correspond to Chunk Record M for 0 <= M <= N
Suffixes:
+------------------+------------------+-----+--------------------+
| (12) Hash Suffix | (12) Hash Suffix | ... | (12) Hash Suffix N |
+------------------+------------------+-----+--------------------+
- Each Hash Suffix is the last 12 bytes of a Chunk in this Table.
- Hash Suffix M must correspond to Chunk Record M for 0 <= M <= N
Footer:
+----------------------+----------------------------------------+------------------+
| (Uint32) Chunk Count | (Uint64) Total Uncompressed Chunk Data | (8) Magic Number |
+----------------------+----------------------------------------+------------------+
-Total Uncompressed Chunk Data is the sum of the uncompressed byte lengths of all contained chunk byte slices.
-Magic Number is the first 8 bytes of the SHA256 hash of "https://github.com/attic-labs/nbs".
NOTE: Unsigned integer quanities, hashes and hash suffix are all encoded big-endian
Looking up Chunks in an NBS Table
There are two phases to loading chunk data for a given Hash from an NBS Table: Checking for the chunk's presence, and fetching the chunk's bytes. When performing a has-check, only the first phase is necessary.
Phase one: Chunk presence
- Slice off the first 8 bytes of your Hash to create a Prefix
- Since the Prefix Tuples in the Prefix Map are in lexicographic order, binary search the Prefix Map for the desired Prefix.
- For all Prefix Tuples with a matching Prefix:
- Load the Ordinal
- Use the Ordinal to index into Suffixes
- Check the Suffix of your Hash against the loaded Suffix
- If they match, your chunk is in this Table in the Chunk Record indicated by Ordinal
- If they don't match, continue to the next matching Prefix Tuple
- If not found, your chunk is not in this Table.
Phase two: Loading Chunk data
- Take the Ordinal discovered in Phase one
- Calculate the Offset of your desired Chunk Record: Sum(Lengths[0]...Lengths[Ordinal-1])
- Load Lengths[Ordinal] bytes from Table[Offset]
- Verify that the CRC of the loaded bytes matches the CRC stored in the Chunk Record.
*/
const (
uint64Size = 8
uint32Size = 4
ordinalSize = uint32Size
lengthSize = uint32Size
offsetSize = uint64Size
magicNumber = "\xff\xb5\xd8\xc2\x24\x63\xee\x50"
magicNumberSize = 8 //len(magicNumber)
footerSize = uint32Size + uint64Size + magicNumberSize
prefixTupleSize = hash.PrefixLen + ordinalSize
checksumSize = uint32Size
maxChunkSize = 0xffffffff // Snappy won't compress slices bigger than this
doltMagicNumber = "DOLTARC" // NBS doesn't support this, but we want to give a reasonable error message if one is encountered.
doltMagicSize = 7 // len(doltMagicNumber)
)
var crcTable = crc32.MakeTable(crc32.Castagnoli)
func crc(b []byte) uint32 {
return crc32.Update(0, crcTable, b)
}
func computeHashDefault(data []byte) hash.Hash {
r := sha512.Sum512(data)
return hash.New(r[:hash.ByteLen])
}
var computeAddr = computeHashDefault
type hasRecord struct {
a *hash.Hash
prefix uint64
order int
has bool
}
type hasRecordByPrefix []hasRecord
func (hs hasRecordByPrefix) Len() int { return len(hs) }
func (hs hasRecordByPrefix) Less(i, j int) bool { return hs[i].prefix < hs[j].prefix }
func (hs hasRecordByPrefix) Swap(i, j int) { hs[i], hs[j] = hs[j], hs[i] }
type hasRecordByOrder []hasRecord
func (hs hasRecordByOrder) Len() int { return len(hs) }
func (hs hasRecordByOrder) Less(i, j int) bool { return hs[i].order < hs[j].order }
func (hs hasRecordByOrder) Swap(i, j int) { hs[i], hs[j] = hs[j], hs[i] }
type getRecord struct {
a *hash.Hash
prefix uint64
found bool
}
type getRecordByPrefix []getRecord
func (hs getRecordByPrefix) Len() int { return len(hs) }
func (hs getRecordByPrefix) Less(i, j int) bool { return hs[i].prefix < hs[j].prefix }
func (hs getRecordByPrefix) Swap(i, j int) { hs[i], hs[j] = hs[j], hs[i] }
type extractRecord struct {
a hash.Hash
data []byte
err error
}
type chunkReader interface {
// has returns true if a chunk with addr |h| is present.
has(h hash.Hash) (bool, error)
// hasMany sets hasRecord.has to true for each present hasRecord query, it returns
// true if any hasRecord query was not found in this chunkReader.
hasMany(addrs []hasRecord) (bool, error)
// get returns the chunk data for a chunk with addr |h| if present, and nil otherwise.
get(ctx context.Context, h hash.Hash, stats *Stats) ([]byte, error)
// getMany sets getRecord.found to true, and calls |found| for each present getRecord query.
// It returns true if any getRecord query was not found in this chunkReader.
getMany(ctx context.Context, eg *errgroup.Group, reqs []getRecord, found func(context.Context, *chunks.Chunk), stats *Stats) (bool, error)
// getManyCompressed sets getRecord.found to true, and calls |found| for each present getRecord query.
// It returns true if any getRecord query was not found in this chunkReader.
getManyCompressed(ctx context.Context, eg *errgroup.Group, reqs []getRecord, found func(context.Context, CompressedChunk), stats *Stats) (bool, error)
// count returns the chunk count for this chunkReader.
count() (uint32, error)
// uncompressedLen returns the total uncompressed length this chunkReader.
uncompressedLen() (uint64, error)
// close releases resources retained by the |chunkReader|.
close() error
}
type chunkSource interface {
chunkReader
// hash returns the hash address of this chunkSource.
hash() hash.Hash
// opens a Reader to the first byte of the chunkData segment of this table.
reader(context.Context) (io.ReadCloser, uint64, error)
// getRecordRanges sets getRecord.found to true, and returns a Range for each present getRecord query.
getRecordRanges(requests []getRecord) (map[hash.Hash]Range, error)
// index returns the tableIndex of this chunkSource.
index() (tableIndex, error)
// clone returns a |chunkSource| with the same contents as the
// original, but with independent |Close| behavior. A |chunkSource|
// cannot be |Close|d more than once, so if a |chunkSource| is being
// retained in two objects with independent life-cycle, it should be
// |Clone|d first.
clone() (chunkSource, error)
// currentSize returns the current total physical size of the chunkSource.
currentSize() uint64
}
type chunkSources []chunkSource
type chunkSourceSet map[hash.Hash]chunkSource
func copyChunkSourceSet(s chunkSourceSet) (cp chunkSourceSet) {
cp = make(chunkSourceSet, len(s))
for k, v := range s {
cp[k] = v
}
return
}