mirror of
https://github.com/octoleo/syncthing.git
synced 2024-11-09 14:50:56 +00:00
c71116ee94
This PR does two things, because one lead to the other: - Move the leveldb specific stuff into a small "backend" package that defines a backend interface and the leveldb implementation. This allows, potentially, in the future, switching the db implementation so another KV store should we wish to do so. - Add proper error handling all along the way. The db and backend packages are now errcheck clean. However, I drew the line at modifying the FileSet API in order to keep this manageable and not continue refactoring all of the rest of Syncthing. As such, the FileSet methods still panic on database errors, except for the "database is closed" error which is instead handled by silently returning as quickly as possible, with the assumption that we're anyway "on the way out".
71 lines
1.7 KiB
Go
71 lines
1.7 KiB
Go
// Copyright (C) 2014 The Syncthing Authors.
|
|
//
|
|
// This Source Code Form is subject to the terms of the Mozilla Public
|
|
// License, v. 2.0. If a copy of the MPL was not distributed with this file,
|
|
// You can obtain one at https://mozilla.org/MPL/2.0/.
|
|
|
|
package db
|
|
|
|
import (
|
|
"encoding/binary"
|
|
"fmt"
|
|
|
|
"github.com/syncthing/syncthing/lib/osutil"
|
|
)
|
|
|
|
var blockFinder *BlockFinder
|
|
|
|
type BlockFinder struct {
|
|
db *instance
|
|
}
|
|
|
|
func NewBlockFinder(db *Lowlevel) *BlockFinder {
|
|
if blockFinder != nil {
|
|
return blockFinder
|
|
}
|
|
|
|
return &BlockFinder{
|
|
db: newInstance(db),
|
|
}
|
|
}
|
|
|
|
func (f *BlockFinder) String() string {
|
|
return fmt.Sprintf("BlockFinder@%p", f)
|
|
}
|
|
|
|
// Iterate takes an iterator function which iterates over all matching blocks
|
|
// for the given hash. The iterator function has to return either true (if
|
|
// they are happy with the block) or false to continue iterating for whatever
|
|
// reason. The iterator finally returns the result, whether or not a
|
|
// satisfying block was eventually found.
|
|
func (f *BlockFinder) Iterate(folders []string, hash []byte, iterFn func(string, string, int32) bool) bool {
|
|
t, err := f.db.newReadOnlyTransaction()
|
|
if err != nil {
|
|
return false
|
|
}
|
|
defer t.close()
|
|
|
|
var key []byte
|
|
for _, folder := range folders {
|
|
key, err = f.db.keyer.GenerateBlockMapKey(key, []byte(folder), hash, nil)
|
|
if err != nil {
|
|
return false
|
|
}
|
|
iter, err := t.NewPrefixIterator(key)
|
|
if err != nil {
|
|
return false
|
|
}
|
|
|
|
for iter.Next() && iter.Error() == nil {
|
|
file := string(f.db.keyer.NameFromBlockMapKey(iter.Key()))
|
|
index := int32(binary.BigEndian.Uint32(iter.Value()))
|
|
if iterFn(folder, osutil.NativeFilename(file), index) {
|
|
iter.Release()
|
|
return true
|
|
}
|
|
}
|
|
iter.Release()
|
|
}
|
|
return false
|
|
}
|