mirror of
https://gitee.com/milvus-io/milvus.git
synced 2026-01-07 19:31:51 +08:00
related: #45993 This commit extends nullable vector support to the proxy layer, querynode, and adds comprehensive validation, search reduce, and field data handling for nullable vectors with sparse storage. Proxy layer changes: - Update validate_util.go checkAligned() with getExpectedVectorRows() helper to validate nullable vector field alignment using valid data count - Update checkFloatVectorFieldData/checkSparseFloatVectorFieldData for nullable vector validation with proper row count expectations - Add FieldDataIdxComputer in typeutil/schema.go for logical-to-physical index translation during search reduce operations - Update search_reduce_util.go reduceSearchResultData to use idxComputers for correct field data indexing with nullable vectors - Update task.go, task_query.go, task_upsert.go for nullable vector handling - Update msg_pack.go with nullable vector field data processing QueryNode layer changes: - Update segments/result.go for nullable vector result handling - Update segments/search_reduce.go with nullable vector offset translation Storage and index changes: - Update data_codec.go and utils.go for nullable vector serialization - Update indexcgowrapper/dataset.go and index.go for nullable vector indexing Utility changes: - Add FieldDataIdxComputer struct with Compute() method for efficient logical-to-physical index mapping across multiple field data - Update EstimateEntitySize() and AppendFieldData() with fieldIdxs parameter - Update funcutil.go with nullable vector support functions <!-- This is an auto-generated comment: release notes by coderabbit.ai --> ## Summary by CodeRabbit * **New Features** * Full support for nullable vector fields (float, binary, float16, bfloat16, int8, sparse) across ingest, storage, indexing, search and retrieval; logical↔physical offset mapping preserves row semantics. * Client: compaction control and compaction-state APIs. * **Bug Fixes** * Improved validation for adding vector fields (nullable + dimension checks) and corrected search/query behavior for nullable vectors. * **Chores** * Persisted validity maps with indexes and on-disk formats. * **Tests** * Extensive new and updated end-to-end nullable-vector tests. <sub>✏️ Tip: You can customize this high-level summary in your review settings.</sub> <!-- end of auto-generated comment: release notes by coderabbit.ai --> --------- Signed-off-by: marcelo-cjl <marcelo.chen@zilliz.com>
521 lines
17 KiB
Go
521 lines
17 KiB
Go
package indexcgowrapper
|
|
|
|
/*
|
|
#cgo pkg-config: milvus_core
|
|
|
|
#include <stdlib.h> // free
|
|
#include "indexbuilder/index_c.h"
|
|
#include "common/type_c.h"
|
|
*/
|
|
import "C"
|
|
|
|
import (
|
|
"context"
|
|
"fmt"
|
|
"path/filepath"
|
|
"runtime"
|
|
"unsafe"
|
|
|
|
"go.uber.org/zap"
|
|
"google.golang.org/protobuf/encoding/prototext"
|
|
"google.golang.org/protobuf/proto"
|
|
|
|
"github.com/milvus-io/milvus-proto/go-api/v2/commonpb"
|
|
"github.com/milvus-io/milvus-proto/go-api/v2/schemapb"
|
|
"github.com/milvus-io/milvus/internal/storage"
|
|
"github.com/milvus-io/milvus/internal/util/segcore"
|
|
"github.com/milvus-io/milvus/pkg/v2/log"
|
|
"github.com/milvus-io/milvus/pkg/v2/proto/cgopb"
|
|
"github.com/milvus-io/milvus/pkg/v2/proto/indexcgopb"
|
|
)
|
|
|
|
type Blob = storage.Blob
|
|
|
|
type IndexFileInfo struct {
|
|
FileName string
|
|
FileSize int64
|
|
}
|
|
|
|
type CodecIndex interface {
|
|
Build(*Dataset) error
|
|
Serialize() ([]*Blob, error)
|
|
GetIndexFileInfo() ([]*IndexFileInfo, error)
|
|
Load([]*Blob) error
|
|
Delete() error
|
|
CleanLocalData() error
|
|
UpLoad() (*cgopb.IndexStats, error)
|
|
}
|
|
|
|
var _ CodecIndex = (*CgoIndex)(nil)
|
|
|
|
type CgoIndex struct {
|
|
indexPtr C.CIndex
|
|
close bool
|
|
}
|
|
|
|
// used only in test
|
|
// TODO: use proto.Marshal instead of proto.MarshalTextString for better compatibility.
|
|
func NewCgoIndex(dtype schemapb.DataType, typeParams, indexParams map[string]string) (CodecIndex, error) {
|
|
protoTypeParams := &indexcgopb.TypeParams{
|
|
Params: make([]*commonpb.KeyValuePair, 0),
|
|
}
|
|
for key, value := range typeParams {
|
|
protoTypeParams.Params = append(protoTypeParams.Params, &commonpb.KeyValuePair{Key: key, Value: value})
|
|
}
|
|
// typeParamsStr := proto.MarshalTextString(protoTypeParams)
|
|
typeParamsStr, _ := prototext.Marshal(protoTypeParams)
|
|
|
|
protoIndexParams := &indexcgopb.IndexParams{
|
|
Params: make([]*commonpb.KeyValuePair, 0),
|
|
}
|
|
for key, value := range indexParams {
|
|
protoIndexParams.Params = append(protoIndexParams.Params, &commonpb.KeyValuePair{Key: key, Value: value})
|
|
}
|
|
// indexParamsStr := proto.MarshalTextString(protoIndexParams)
|
|
indexParamsStr, _ := prototext.Marshal(protoIndexParams)
|
|
|
|
typeParamsPointer := C.CString(string(typeParamsStr))
|
|
indexParamsPointer := C.CString(string(indexParamsStr))
|
|
defer C.free(unsafe.Pointer(typeParamsPointer))
|
|
defer C.free(unsafe.Pointer(indexParamsPointer))
|
|
|
|
var indexPtr C.CIndex
|
|
cintDType := uint32(dtype)
|
|
status := C.CreateIndexForUT(cintDType, typeParamsPointer, indexParamsPointer, &indexPtr)
|
|
if err := HandleCStatus(&status, "failed to create index"); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
index := &CgoIndex{
|
|
indexPtr: indexPtr,
|
|
close: false,
|
|
}
|
|
|
|
runtime.SetFinalizer(index, func(index *CgoIndex) {
|
|
if index != nil && !index.close {
|
|
log.Error("there is leakage in index object, please check.")
|
|
}
|
|
})
|
|
|
|
return index, nil
|
|
}
|
|
|
|
func CreateIndex(ctx context.Context, buildIndexInfo *indexcgopb.BuildIndexInfo) (CodecIndex, error) {
|
|
buildIndexInfoBlob, err := proto.Marshal(buildIndexInfo)
|
|
if err != nil {
|
|
log.Ctx(ctx).Warn("marshal buildIndexInfo failed",
|
|
zap.String("clusterID", buildIndexInfo.GetClusterID()),
|
|
zap.Int64("buildID", buildIndexInfo.GetBuildID()),
|
|
zap.Error(err))
|
|
return nil, err
|
|
}
|
|
var indexPtr C.CIndex
|
|
status := C.CreateIndex(&indexPtr, (*C.uint8_t)(unsafe.Pointer(&buildIndexInfoBlob[0])), (C.uint64_t)(len(buildIndexInfoBlob)))
|
|
if err := HandleCStatus(&status, "failed to create index"); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
index := &CgoIndex{
|
|
indexPtr: indexPtr,
|
|
close: false,
|
|
}
|
|
|
|
runtime.SetFinalizer(index, func(index *CgoIndex) {
|
|
if index != nil && !index.close {
|
|
log.Error("there is leakage in index object, please check.")
|
|
}
|
|
})
|
|
|
|
return index, nil
|
|
}
|
|
|
|
func CreateTextIndex(ctx context.Context, buildIndexInfo *indexcgopb.BuildIndexInfo) (map[string]int64, error) {
|
|
buildIndexInfoBlob, err := proto.Marshal(buildIndexInfo)
|
|
if err != nil {
|
|
log.Ctx(ctx).Warn("marshal buildIndexInfo failed",
|
|
zap.String("clusterID", buildIndexInfo.GetClusterID()),
|
|
zap.Int64("buildID", buildIndexInfo.GetBuildID()),
|
|
zap.Error(err))
|
|
return nil, err
|
|
}
|
|
result := C.CreateProtoLayout()
|
|
defer C.ReleaseProtoLayout(result)
|
|
status := C.BuildTextIndex(result, (*C.uint8_t)(unsafe.Pointer(&buildIndexInfoBlob[0])), (C.uint64_t)(len(buildIndexInfoBlob)))
|
|
if err := HandleCStatus(&status, "failed to build text index"); err != nil {
|
|
return nil, err
|
|
}
|
|
var indexStats cgopb.IndexStats
|
|
if err := segcore.UnmarshalProtoLayout(result, &indexStats); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
res := make(map[string]int64)
|
|
for _, indexInfo := range indexStats.GetSerializedIndexInfos() {
|
|
res[indexInfo.FileName] = indexInfo.FileSize
|
|
}
|
|
return res, nil
|
|
}
|
|
|
|
type JSONKeyStatsResult struct {
|
|
// MemSize is the actual memory size when loaded
|
|
MemSize int64
|
|
// Files maps file name to file size on disk
|
|
Files map[string]int64
|
|
}
|
|
|
|
func CreateJSONKeyStats(ctx context.Context, buildIndexInfo *indexcgopb.BuildIndexInfo) (*JSONKeyStatsResult, error) {
|
|
buildIndexInfoBlob, err := proto.Marshal(buildIndexInfo)
|
|
if err != nil {
|
|
log.Ctx(ctx).Warn("marshal buildIndexInfo failed",
|
|
zap.String("clusterID", buildIndexInfo.GetClusterID()),
|
|
zap.Int64("buildID", buildIndexInfo.GetBuildID()),
|
|
zap.Error(err))
|
|
return nil, err
|
|
}
|
|
result := C.CreateProtoLayout()
|
|
defer C.ReleaseProtoLayout(result)
|
|
status := C.BuildJsonKeyIndex(result, (*C.uint8_t)(unsafe.Pointer(&buildIndexInfoBlob[0])), (C.uint64_t)(len(buildIndexInfoBlob)))
|
|
if err := HandleCStatus(&status, "failed to build json key index"); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
var indexStats cgopb.IndexStats
|
|
if err := segcore.UnmarshalProtoLayout(result, &indexStats); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
files := make(map[string]int64)
|
|
var logSize int64
|
|
for _, indexInfo := range indexStats.GetSerializedIndexInfos() {
|
|
files[indexInfo.FileName] = indexInfo.FileSize
|
|
logSize += indexInfo.FileSize
|
|
}
|
|
|
|
return &JSONKeyStatsResult{
|
|
MemSize: indexStats.GetMemSize(),
|
|
Files: files,
|
|
}, nil
|
|
}
|
|
|
|
// TODO: this seems to be used only for test. We should mark the method
|
|
// name with ForTest, or maybe move to test file.
|
|
func (index *CgoIndex) Build(dataset *Dataset) error {
|
|
switch dataset.DType {
|
|
case schemapb.DataType_None:
|
|
return fmt.Errorf("build index on supported data type: %s", dataset.DType.String())
|
|
case schemapb.DataType_FloatVector:
|
|
return index.buildFloatVecIndex(dataset)
|
|
case schemapb.DataType_Float16Vector:
|
|
return index.buildFloat16VecIndex(dataset)
|
|
case schemapb.DataType_BFloat16Vector:
|
|
return index.buildBFloat16VecIndex(dataset)
|
|
case schemapb.DataType_BinaryVector:
|
|
return index.buildBinaryVecIndex(dataset)
|
|
case schemapb.DataType_Int8Vector:
|
|
return index.buildInt8VecIndex(dataset)
|
|
case schemapb.DataType_Bool:
|
|
return index.buildBoolIndex(dataset)
|
|
case schemapb.DataType_Int8:
|
|
return index.buildInt8Index(dataset)
|
|
case schemapb.DataType_Int16:
|
|
return index.buildInt16Index(dataset)
|
|
case schemapb.DataType_Int32:
|
|
return index.buildInt32Index(dataset)
|
|
case schemapb.DataType_Int64:
|
|
return index.buildInt64Index(dataset)
|
|
case schemapb.DataType_Float:
|
|
return index.buildFloatIndex(dataset)
|
|
case schemapb.DataType_Double:
|
|
return index.buildDoubleIndex(dataset)
|
|
case schemapb.DataType_String:
|
|
return index.buildStringIndex(dataset)
|
|
case schemapb.DataType_VarChar:
|
|
return index.buildStringIndex(dataset)
|
|
default:
|
|
return fmt.Errorf("build index on unsupported data type: %s", dataset.DType.String())
|
|
}
|
|
}
|
|
|
|
func (index *CgoIndex) buildFloatVecIndex(dataset *Dataset) error {
|
|
vectors := dataset.Data[keyRawArr].([]float32)
|
|
if validData, ok := dataset.Data[keyValidArr].([]bool); ok && len(validData) > 0 {
|
|
status := C.BuildFloatVecIndexWithValidData(
|
|
index.indexPtr,
|
|
(C.int64_t)(len(vectors)),
|
|
(*C.float)(&vectors[0]),
|
|
(*C.bool)(&validData[0]),
|
|
(C.int64_t)(len(validData)))
|
|
return HandleCStatus(&status, "failed to build float vector index with valid data")
|
|
}
|
|
status := C.BuildFloatVecIndex(index.indexPtr, (C.int64_t)(len(vectors)), (*C.float)(&vectors[0]))
|
|
return HandleCStatus(&status, "failed to build float vector index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildFloat16VecIndex(dataset *Dataset) error {
|
|
vectors := dataset.Data[keyRawArr].([]byte)
|
|
if validData, ok := dataset.Data[keyValidArr].([]bool); ok && len(validData) > 0 {
|
|
status := C.BuildFloat16VecIndexWithValidData(
|
|
index.indexPtr,
|
|
(C.int64_t)(len(vectors)),
|
|
(*C.uint8_t)(&vectors[0]),
|
|
(*C.bool)(&validData[0]),
|
|
(C.int64_t)(len(validData)))
|
|
return HandleCStatus(&status, "failed to build float16 vector index with valid data")
|
|
}
|
|
status := C.BuildFloat16VecIndex(index.indexPtr, (C.int64_t)(len(vectors)), (*C.uint8_t)(&vectors[0]))
|
|
return HandleCStatus(&status, "failed to build float16 vector index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildBFloat16VecIndex(dataset *Dataset) error {
|
|
vectors := dataset.Data[keyRawArr].([]byte)
|
|
if validData, ok := dataset.Data[keyValidArr].([]bool); ok && len(validData) > 0 {
|
|
status := C.BuildBFloat16VecIndexWithValidData(
|
|
index.indexPtr,
|
|
(C.int64_t)(len(vectors)),
|
|
(*C.uint8_t)(&vectors[0]),
|
|
(*C.bool)(&validData[0]),
|
|
(C.int64_t)(len(validData)))
|
|
return HandleCStatus(&status, "failed to build bfloat16 vector index with valid data")
|
|
}
|
|
status := C.BuildBFloat16VecIndex(index.indexPtr, (C.int64_t)(len(vectors)), (*C.uint8_t)(&vectors[0]))
|
|
return HandleCStatus(&status, "failed to build bfloat16 vector index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildSparseFloatVecIndex(dataset *Dataset) error {
|
|
vectors := dataset.Data[keyRawArr].([]byte)
|
|
if validData, ok := dataset.Data[keyValidArr].([]bool); ok && len(validData) > 0 {
|
|
status := C.BuildSparseFloatVecIndexWithValidData(
|
|
index.indexPtr,
|
|
(C.int64_t)(len(validData)),
|
|
(C.int64_t)(0),
|
|
(*C.uint8_t)(&vectors[0]),
|
|
(*C.bool)(&validData[0]),
|
|
(C.int64_t)(len(validData)))
|
|
return HandleCStatus(&status, "failed to build sparse float vector index with valid data")
|
|
}
|
|
status := C.BuildSparseFloatVecIndex(index.indexPtr, (C.int64_t)(len(vectors)), (C.int64_t)(0), (*C.uint8_t)(&vectors[0]))
|
|
return HandleCStatus(&status, "failed to build sparse float vector index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildBinaryVecIndex(dataset *Dataset) error {
|
|
vectors := dataset.Data[keyRawArr].([]byte)
|
|
if validData, ok := dataset.Data[keyValidArr].([]bool); ok && len(validData) > 0 {
|
|
status := C.BuildBinaryVecIndexWithValidData(
|
|
index.indexPtr,
|
|
(C.int64_t)(len(vectors)),
|
|
(*C.uint8_t)(&vectors[0]),
|
|
(*C.bool)(&validData[0]),
|
|
(C.int64_t)(len(validData)))
|
|
return HandleCStatus(&status, "failed to build binary vector index with valid data")
|
|
}
|
|
status := C.BuildBinaryVecIndex(index.indexPtr, (C.int64_t)(len(vectors)), (*C.uint8_t)(&vectors[0]))
|
|
return HandleCStatus(&status, "failed to build binary vector index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildInt8VecIndex(dataset *Dataset) error {
|
|
vectors := dataset.Data[keyRawArr].([]int8)
|
|
if validData, ok := dataset.Data[keyValidArr].([]bool); ok && len(validData) > 0 {
|
|
status := C.BuildInt8VecIndexWithValidData(
|
|
index.indexPtr,
|
|
(C.int64_t)(len(vectors)),
|
|
(*C.int8_t)(&vectors[0]),
|
|
(*C.bool)(&validData[0]),
|
|
(C.int64_t)(len(validData)))
|
|
return HandleCStatus(&status, "failed to build int8 vector index with valid data")
|
|
}
|
|
status := C.BuildInt8VecIndex(index.indexPtr, (C.int64_t)(len(vectors)), (*C.int8_t)(&vectors[0]))
|
|
return HandleCStatus(&status, "failed to build int8 vector index")
|
|
}
|
|
|
|
// TODO: investigate if we can pass an bool array to cgo.
|
|
func (index *CgoIndex) buildBoolIndex(dataset *Dataset) error {
|
|
arr := dataset.Data[keyRawArr].([]bool)
|
|
f := &schemapb.BoolArray{
|
|
Data: arr,
|
|
}
|
|
data, err := proto.Marshal(f)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
// TODO: refactor these duplicated code after generic programming is supported.
|
|
|
|
func (index *CgoIndex) buildInt8Index(dataset *Dataset) error {
|
|
data := dataset.Data[keyRawArr].([]int8)
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildInt16Index(dataset *Dataset) error {
|
|
data := dataset.Data[keyRawArr].([]int16)
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildInt32Index(dataset *Dataset) error {
|
|
data := dataset.Data[keyRawArr].([]int32)
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildInt64Index(dataset *Dataset) error {
|
|
data := dataset.Data[keyRawArr].([]int64)
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildFloatIndex(dataset *Dataset) error {
|
|
data := dataset.Data[keyRawArr].([]float32)
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildDoubleIndex(dataset *Dataset) error {
|
|
data := dataset.Data[keyRawArr].([]float64)
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
func (index *CgoIndex) buildStringIndex(dataset *Dataset) error {
|
|
arr := dataset.Data[keyRawArr].([]string)
|
|
f := &schemapb.StringArray{
|
|
Data: arr,
|
|
}
|
|
data, err := proto.Marshal(f)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
status := C.BuildScalarIndex(index.indexPtr, (C.int64_t)(len(data)), unsafe.Pointer(&data[0]))
|
|
return HandleCStatus(&status, "failed to build scalar index")
|
|
}
|
|
|
|
// test only
|
|
func (index *CgoIndex) Serialize() ([]*Blob, error) {
|
|
var cBinarySet C.CBinarySet
|
|
|
|
status := C.SerializeIndexToBinarySet(index.indexPtr, &cBinarySet)
|
|
defer func() {
|
|
if cBinarySet != nil {
|
|
C.DeleteBinarySet(cBinarySet)
|
|
}
|
|
}()
|
|
if err := HandleCStatus(&status, "failed to serialize index to binary set"); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
keys, err := GetBinarySetKeys(cBinarySet)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
ret := make([]*Blob, 0)
|
|
for _, key := range keys {
|
|
value, err := GetBinarySetValue(cBinarySet, key)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
size, err := GetBinarySetSize(cBinarySet, key)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
blob := &Blob{
|
|
Key: key,
|
|
Value: value,
|
|
MemorySize: size,
|
|
}
|
|
ret = append(ret, blob)
|
|
}
|
|
|
|
return ret, nil
|
|
}
|
|
|
|
// Not inuse
|
|
func (index *CgoIndex) GetIndexFileInfo() ([]*IndexFileInfo, error) {
|
|
var cBinarySet C.CBinarySet
|
|
|
|
status := C.SerializeIndexToBinarySet(index.indexPtr, &cBinarySet)
|
|
defer func() {
|
|
if cBinarySet != nil {
|
|
C.DeleteBinarySet(cBinarySet)
|
|
}
|
|
}()
|
|
if err := HandleCStatus(&status, "failed to serialize index to binary set"); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
keys, err := GetBinarySetKeys(cBinarySet)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
ret := make([]*IndexFileInfo, 0)
|
|
for _, key := range keys {
|
|
size, err := GetBinarySetSize(cBinarySet, key)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
info := &IndexFileInfo{
|
|
FileName: key,
|
|
FileSize: size,
|
|
}
|
|
ret = append(ret, info)
|
|
}
|
|
|
|
return ret, nil
|
|
}
|
|
|
|
func (index *CgoIndex) Load(blobs []*Blob) error {
|
|
var cBinarySet C.CBinarySet
|
|
status := C.NewBinarySet(&cBinarySet)
|
|
defer C.DeleteBinarySet(cBinarySet)
|
|
|
|
if err := HandleCStatus(&status, "failed to load index"); err != nil {
|
|
return err
|
|
}
|
|
for _, blob := range blobs {
|
|
key := blob.Key
|
|
byteIndex := blob.Value
|
|
indexPtr := unsafe.Pointer(&byteIndex[0])
|
|
indexLen := C.int64_t(len(byteIndex))
|
|
binarySetKey := filepath.Base(key)
|
|
indexKey := C.CString(binarySetKey)
|
|
status = C.AppendIndexBinary(cBinarySet, indexPtr, indexLen, indexKey)
|
|
C.free(unsafe.Pointer(indexKey))
|
|
if err := HandleCStatus(&status, "failed to load index"); err != nil {
|
|
return err
|
|
}
|
|
}
|
|
status = C.LoadIndexFromBinarySet(index.indexPtr, cBinarySet)
|
|
return HandleCStatus(&status, "failed to load index")
|
|
}
|
|
|
|
func (index *CgoIndex) Delete() error {
|
|
if index.close {
|
|
return nil
|
|
}
|
|
status := C.DeleteIndex(index.indexPtr)
|
|
index.close = true
|
|
return HandleCStatus(&status, "failed to delete index")
|
|
}
|
|
|
|
func (index *CgoIndex) CleanLocalData() error {
|
|
status := C.CleanLocalData(index.indexPtr)
|
|
return HandleCStatus(&status, "failed to clean cached data on disk")
|
|
}
|
|
|
|
func (index *CgoIndex) UpLoad() (*cgopb.IndexStats, error) {
|
|
result := C.CreateProtoLayout()
|
|
defer C.ReleaseProtoLayout(result)
|
|
status := C.SerializeIndexAndUpLoad(index.indexPtr, result)
|
|
if err := HandleCStatus(&status, "failed to serialize index and upload index"); err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
var indexStats cgopb.IndexStats
|
|
if err := segcore.UnmarshalProtoLayout(result, &indexStats); err != nil {
|
|
return nil, err
|
|
}
|
|
return &indexStats, nil
|
|
}
|