Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: general compression for value page buffer #2368

Merged
merged 9 commits into from
May 24, 2024

Conversation

niyue
Copy link
Contributor

@niyue niyue commented May 22, 2024

This PR introduces general compression for value page buffers, starting with zstd, to reduce the on-disk size of all types of value arrays.

Here are the key details:

  1. After some code exploration, I implemented this as a buffer encoder for ValueEncoder instead of as an independent physical encoder. Please let me know if this approach is suitable.
  2. Enhancements to ValuePageScheduler.schedule_ranges allow it to read the entire buffer range for compressed buffers. To support this, I added a new buffer_size metadata to several buffer structs, populating these variables using metadata from Lance.
  3. Currently, only zstd compression with the default level (level 3) is implemented. If this approach is deemed suitable, we can consider adding more general compression methods in the future.
  4. In a specific test case, the original Lance file was 13MB. After applying zstd compression, its size was reduced to 7.4MB.

Copy link

ACTION NEEDED

Lance follows the Conventional Commits specification for release automation.

The PR title and description are used as the merge commit message. Please update your PR title and description to match the specification.

For details on the error please inspect the "PR Title Check" action.

async move {
let bytes = bytes.await?;
let data = if compressed {
ValuePageScheduler::decompress_with_ranges(&bytes, &range_offsets)?
Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I am unsure if it is appropriate to handle decompression in the scheduler. However, since the compressed bytes read from disk may be reused multiple times, decompression should not occur in decode_into for optimal performance. Please advise on this. Thank you.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yeah, this is a bit tricky, I see your concern. Unfortunately, we really shouldn't be doing the decompression here in the scheduler. The scheduler is single threaded and by doing compression here we will fall behind in scheduling I/O.

Something simple, that should work, is to wrap the compression task in a Arc<Mutex<...>> that each of the decode tasks that need that range share. Something roughly like...

struct ValuePageDecoder {
    bytes_per_value: u64,
    compressed_data: Vec<Bytes>,
    uncompressed_data: Arc<Mutex<Option<Bytes>>>,
}

impl ValuePageDecoder {

  // Called from decode_into
  fn get_uncompressed_bytes(&self) -> Result<Bytes> {
    let uncompressed_bytes = self.uncompressed_data.lock().unwrap();
    if uncompressed_bytes.is_none() {
      *uncompressed_bytes = self.decompress()?;
    }
    Ok(uncompressed_bytes.clone())
  }

}

This is not ideal because it means the decoder threads will be blocked for a bit but it should be good enough to start with.

A more complicated solution might be to have a dedicated thread pool for decompression. Once I/O is available we start to decompress it in this thread pool. I think we could do this as part of the I/O scheduler. So we can have arguments to submit_request which explain that the data is compressed and includes the parameters needed to decompress it. This would mean that compression is not just an "encoding" but something more fundamental but this is probably ok. We probably also want to treat encryption similarly. It also means we lose a bit of thread locality but I think that is inevitable. Decompression / decryption is costly enough that we want to parallelize across columns.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Something simple, that should work, is to wrap the compression task in a Arc<Mutex<...>> that each of the decode tasks that need that range share

This is not ideal because it means the decoder threads will be blocked for a bit but it should be good enough to start with.

Got it. I've considered this approach and its potential downsides. If it is deemed acceptable, I will revise the implementation accordingly.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I made the change accordingly, and uncompressed_bytes.clone() seems to copy the data, so I use Arc to avoid the copy (but the lock is still hold during decode_buffer), could you please check it out see if it fits? Thanks.

Copy link
Contributor

@westonpace westonpace left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This looks great, thanks for working on this. We will need to move decompression off the scheduling thread but I think we can do something simple for now and I have proposed an idea how we can handle it better in the long term.

async move {
let bytes = bytes.await?;
let data = if compressed {
ValuePageScheduler::decompress_with_ranges(&bytes, &range_offsets)?
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Yeah, this is a bit tricky, I see your concern. Unfortunately, we really shouldn't be doing the decompression here in the scheduler. The scheduler is single threaded and by doing compression here we will fall behind in scheduling I/O.

Something simple, that should work, is to wrap the compression task in a Arc<Mutex<...>> that each of the decode tasks that need that range share. Something roughly like...

struct ValuePageDecoder {
    bytes_per_value: u64,
    compressed_data: Vec<Bytes>,
    uncompressed_data: Arc<Mutex<Option<Bytes>>>,
}

impl ValuePageDecoder {

  // Called from decode_into
  fn get_uncompressed_bytes(&self) -> Result<Bytes> {
    let uncompressed_bytes = self.uncompressed_data.lock().unwrap();
    if uncompressed_bytes.is_none() {
      *uncompressed_bytes = self.decompress()?;
    }
    Ok(uncompressed_bytes.clone())
  }

}

This is not ideal because it means the decoder threads will be blocked for a bit but it should be good enough to start with.

A more complicated solution might be to have a dedicated thread pool for decompression. Once I/O is available we start to decompress it in this thread pool. I think we could do this as part of the I/O scheduler. So we can have arguments to submit_request which explain that the data is compressed and includes the parameters needed to decompress it. This would mean that compression is not just an "encoding" but something more fundamental but this is probably ok. We probably also want to treat encryption similarly. It also means we lose a bit of thread locality but I think that is inevitable. Decompression / decryption is costly enough that we want to parallelize across columns.

rust/lance-encoding/src/decoder.rs Outdated Show resolved Hide resolved
}

impl ValuePageScheduler {
pub fn new(bytes_per_value: u64, buffer_offset: u64) -> Self {
pub fn new(bytes_per_value: u64, buffer_offset: u64, buffer_size: u64) -> Self {
let compressed = std::env::var("LANCE_COMPRESSED_PAGE").is_ok();
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

We can use an environment variable on the write side. However, we should not use the environment variable on the read side. I think changes to encodings.proto are needed. For now, we can probably do this:

// Fixed width items placed contiguously in a buffer
message Flat {
  // the number of bits per value, must be greater than 0, does
  // not need to be a multiple of 8
  uint64 bits_per_value = 1;
  // the buffer of values
  Buffer buffer = 2;
  // The Compression message can specify the compression scheme (e.g. zstd) and any
  // other information that is needed for decompression.
  Compression compression = 3;
}

Later, if we end up going with the "dedicated thread pool for compression" and make compression part of the I/O scheduler then I think the Compression message will be a part of Buffer and not part of Flat. However, we can tackle that later.

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I added such a structure in protobuf:

message Compression {
  string scheme = 1;
}

Currently, only the name of the compression scheme is stored and retrieved. Let me know if this is okay. Thanks.

Comment on lines 1065 to 1090
struct EnvVarGuard {
key: String,
original_value: Option<String>,
}

impl EnvVarGuard {
fn new(key: &str, new_value: &str) -> Self {
let original_value = std::env::var(key).ok();
std::env::set_var(key, new_value);
EnvVarGuard {
key: key.to_string(),
original_value,
}
}
}

impl Drop for EnvVarGuard {
fn drop(&mut self) {
if let Some(ref value) = self.original_value {
std::env::set_var(&self.key, value);
} else {
std::env::remove_var(&self.key);
}
}
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Strange. I thought we had something like this in the code base already but I cannot find it now.

@niyue niyue force-pushed the feature/compressed-buffer branch from b8899f6 to 8e3b81d Compare May 23, 2024 13:47
@niyue
Copy link
Contributor Author

niyue commented May 23, 2024

@westonpace I updated the PR according to your review comments, could you please check it out? Thanks.

Copy link
Contributor

@westonpace westonpace left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Great, thanks for doing this. I've started moving towards "picking an encoder" in #2388 and it uses field metadata.

I've approved the tests if you want to try and look at any test failures, looks like there might be at least one format / lint issue.

Don't worry if you can't get to it by my tomorrow morning (~12 hours from now). I'll go ahead and fix anything and get this merged in at that time. I want to get this PR merged first so you don't have to deal with a rebase from #2388

@niyue niyue force-pushed the feature/compressed-buffer branch from 69a275c to da0e46f Compare May 24, 2024 01:35
@niyue niyue changed the title General compression for value page buffer feat: general compression for value page buffer May 24, 2024
@github-actions github-actions bot added the enhancement New feature or request label May 24, 2024
@niyue
Copy link
Contributor Author

niyue commented May 24, 2024

I've updated the code, and hope the latest commit address all the lint issues. Thanks.

@niyue niyue force-pushed the feature/compressed-buffer branch from da0e46f to b7503b8 Compare May 24, 2024 02:43
@niyue
Copy link
Contributor Author

niyue commented May 24, 2024

I have updated the code to address one remaining test issue.

I ran the tests locally, but one test case reported stepWithCompactEncoding - invalid compact unwind encoding, failed and stopped the test suite from completing. I believe this failure is unrelated to my changes. Please let me know if you think otherwise.

Thanks.

@codecov-commenter
Copy link

codecov-commenter commented May 24, 2024

Codecov Report

Attention: Patch coverage is 87.10938% with 33 lines in your changes are missing coverage. Please review.

Project coverage is 79.99%. Comparing base (8c1ee00) to head (d1403c3).
Report is 1 commits behind head on main.

Files Patch % Lines
...t/lance-encoding/src/encodings/physical/buffers.rs 73.68% 6 Missing and 4 partials ⚠️
rust/lance-encoding/src/encoder.rs 0.00% 6 Missing ⚠️
...ust/lance-encoding/src/encodings/physical/value.rs 96.52% 1 Missing and 3 partials ⚠️
rust/lance-file/src/v2/reader.rs 85.18% 2 Missing and 2 partials ⚠️
rust/lance-encoding/src/encodings/physical.rs 85.00% 3 Missing ⚠️
...ust/lance-encoding/src/encodings/physical/basic.rs 72.72% 0 Missing and 3 partials ⚠️
.../lance-encoding/src/encodings/logical/primitive.rs 71.42% 0 Missing and 2 partials ⚠️
...encoding/src/encodings/physical/fixed_size_list.rs 87.50% 0 Missing and 1 partial ⚠️
Additional details and impacted files
@@            Coverage Diff             @@
##             main    #2368      +/-   ##
==========================================
- Coverage   79.99%   79.99%   -0.01%     
==========================================
  Files         200      200              
  Lines       54519    54713     +194     
  Branches    54519    54713     +194     
==========================================
+ Hits        43612    43766     +154     
- Misses       8389     8410      +21     
- Partials     2518     2537      +19     
Flag Coverage Δ
unittests 79.99% <87.10%> (-0.01%) ⬇️

Flags with carried forward coverage won't be shown. Click here to find out more.

☔ View full report in Codecov by Sentry.
📢 Have feedback on the report? Share it here.

@niyue niyue force-pushed the feature/compressed-buffer branch from b7503b8 to 26ed040 Compare May 24, 2024 05:48
@westonpace westonpace merged commit 68b45c3 into lancedb:main May 24, 2024
18 of 19 checks passed
renovate bot added a commit to spiraldb/vortex that referenced this pull request Jun 12, 2024
[![Mend
Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Type | Update | Change |
|---|---|---|---|
| [lance](https://togithub.com/lancedb/lance) | dependencies | minor |
`0.10.16` -> `0.12.0` |

---

### Release Notes

<details>
<summary>lancedb/lance (lance)</summary>

### [`v0.12.1`](https://togithub.com/lancedb/lance/releases/tag/v0.12.1)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.12.0...v0.12.1)

<!-- Release notes generated using configuration in .github/release.yml
at v0.12.1 -->

#### What's Changed

##### Bug Fixes 🐛

- fix: incorrect chunking was making lance datasets use too much RAM by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2438

**Full Changelog**:
lancedb/lance@v0.12.0...v0.12.1

### [`v0.12.0`](https://togithub.com/lancedb/lance/releases/tag/v0.12.0)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.11.1...v0.12.0)

<!-- Release notes generated using configuration in .github/release.yml
at v0.12.0 -->

#### What's Changed

##### Breaking Changes 🛠

- feat: change dataset uri to return full qualified url instead of
object store path by [@&#8203;eddyxu](https://togithub.com/eddyxu) in
[lancedb/lance#2416

##### New Features 🎉

- feat: new shuffler by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2404
- feat: new index builder by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2401
- feat: stable row id manifest changes by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2363
- feat: once a table has been created with v1 or v2 format then it
should always use that format by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2435

##### Bug Fixes 🐛

- fix: fix file writer which was not writing page buffers in the correct
order by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2413

##### Other Changes

- refactor: refactor logical decoders into "field decoders" by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2407
- refactor: rename use_experimental_writer to use_legacy_format by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2433
- refactor: minor refactor to allow I/O scheduler to be cloned in page
schedulers by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2432

**Full Changelog**:
lancedb/lance@v0.11.1...v0.12.0

### [`v0.11.1`](https://togithub.com/lancedb/lance/releases/tag/v0.11.1)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.11.0...v0.11.1)

<!-- Release notes generated using configuration in .github/release.yml
at v0.11.1 -->

#### What's Changed

##### New Features 🎉

- feat(java): support jdk8 by
[@&#8203;LuQQiu](https://togithub.com/LuQQiu) in
[lancedb/lance#2362
- feat: support kmode with hamming distance by
[@&#8203;eddyxu](https://togithub.com/eddyxu) in
[lancedb/lance#2366
- feat: row id index structures (experimental) by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2303
- feat: update merge_insert to add statistics for inserted, updated,
deleted rows by [@&#8203;raunaks13](https://togithub.com/raunaks13) in
[lancedb/lance#2357
- feat: define Flat index as a scan over VectorStorage by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2380
- feat: add some schema utility methods to the v2 reader/writer by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2389
- feat: general compression for value page buffer by
[@&#8203;niyue](https://togithub.com/niyue) in
[lancedb/lance#2368
- feat: make the index cache size (in bytes) available by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2381
- feat: add special uri scheme to use CloudFileReader for local fs by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2402
- feat: add encoder utilities for pushdown by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2388

##### Bug Fixes 🐛

- fix: concat batches before writing to avoid small IO slow down by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2384
- fix: low recall if the num partitions is more than num rows by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2386
- fix: f32 reduce_min for x86 by
[@&#8203;heiher](https://togithub.com/heiher) in
[lancedb/lance#2385
- fix: fix incorrect validation logic in updater by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2408

##### Performance Improvements 🚀

- perf: make VectorStorage and DistCalculator static to generate better
code by [@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2355
- perf: optimize IO path for reading manifest by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2396

##### Other Changes

- refactor: make proto conversion fallible and not copy by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2371
- refactor: separate take and schema evolution impls to own files by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2372
- Revert "fix: concat batches before writing to avoid small IO slow down
([#&#8203;2384](https://togithub.com/lancedb/lance/issues/2384))" by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2387
- refactor: shuffle around v2 metadata sections to allow read-on-demand
statistics by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2400

#### New Contributors

- [@&#8203;niyue](https://togithub.com/niyue) made their first
contribution in
[lancedb/lance#2368
- [@&#8203;heiher](https://togithub.com/heiher) made their first
contribution in
[lancedb/lance#2385

**Full Changelog**:
lancedb/lance@v0.11.0...v0.11.1

### [`v0.11.0`](https://togithub.com/lancedb/lance/releases/tag/v0.11.0)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.10.18...v0.11.0)

<!-- Release notes generated using configuration in .github/release.yml
at v0.11.0 -->

#### What's Changed

##### Breaking Changes 🛠

- feat(rust)!: use BoxedError in Error::IO by
[@&#8203;broccoliSpicy](https://togithub.com/broccoliSpicy) in
[lancedb/lance#2329

##### New Features 🎉

- feat: add v2 support to fragment merge / update paths by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2311
- feat: add priority to I/O scheduler by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2315
- feat: add take_rows operation to the v2 file reader's python bindings
by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2331
- feat: added example for reading and writing dataset in rust by
[@&#8203;raunaks13](https://togithub.com/raunaks13) in
[lancedb/lance#2349
- feat: new HNSW implementation by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2353
- feat: add fragment take / fixed-size-binary support to v2 format by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2354

##### Bug Fixes 🐛

- fix: recognize a simple expression like 'is_foo' as a scalar index
query by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2356
- fix: rework list encoder to handle list-struct by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2344
- fix: minor bug fixes for v2 by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2361

##### Documentation 📚

- docs: clearify comments in table.proto -> message DataFragment ->
physical_rows by
[@&#8203;broccoliSpicy](https://togithub.com/broccoliSpicy) in
[lancedb/lance#2346

##### Performance Improvements 🚀

- perf: use the file metadata cache in scalar indices by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2330

##### Other Changes

- chore: remove `m_max` and `use_heuristic` params from HNSW builder by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2336
- fix(java): fix JNI jar loader issue by
[@&#8203;LuQQiu](https://togithub.com/LuQQiu) in
[lancedb/lance#2340
- ci: fix labeler permissions by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2348
- fix: rework decoding to fix bugs in nested struct decoding by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2337

#### New Contributors

- [@&#8203;broccoliSpicy](https://togithub.com/broccoliSpicy) made their
first contribution in
[lancedb/lance#2346
- [@&#8203;raunaks13](https://togithub.com/raunaks13) made their first
contribution in
[lancedb/lance#2349

**Full Changelog**:
lancedb/lance@v0.10.18...v0.11.0

</details>

---

### Configuration

📅 **Schedule**: Branch creation - At any time (no schedule defined),
Automerge - At any time (no schedule defined).

🚦 **Automerge**: Enabled.

♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the
rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update
again.

---

- [ ] <!-- rebase-check -->If you want to rebase/retry this PR, check
this box

---

This PR has been generated by [Mend
Renovate](https://www.mend.io/free-developer-tools/renovate/). View
repository job log
[here](https://developer.mend.io/github/spiraldb/vortex).

<!--renovate-debug:eyJjcmVhdGVkSW5WZXIiOiIzNy4zOTMuMCIsInVwZGF0ZWRJblZlciI6IjM3LjM5My4wIiwidGFyZ2V0QnJhbmNoIjoiZGV2ZWxvcCIsImxhYmVscyI6W119-->

Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com>
AdamGS pushed a commit to AdamGS/vortex that referenced this pull request Jun 14, 2024
[![Mend
Renovate](https://app.renovatebot.com/images/banner.svg)](https://renovatebot.com)

This PR contains the following updates:

| Package | Type | Update | Change |
|---|---|---|---|
| [lance](https://togithub.com/lancedb/lance) | dependencies | minor |
`0.10.16` -> `0.12.0` |

---

### Release Notes

<details>
<summary>lancedb/lance (lance)</summary>

### [`v0.12.1`](https://togithub.com/lancedb/lance/releases/tag/v0.12.1)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.12.0...v0.12.1)

<!-- Release notes generated using configuration in .github/release.yml
at v0.12.1 -->

#### What's Changed

##### Bug Fixes 🐛

- fix: incorrect chunking was making lance datasets use too much RAM by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2438

**Full Changelog**:
lancedb/lance@v0.12.0...v0.12.1

### [`v0.12.0`](https://togithub.com/lancedb/lance/releases/tag/v0.12.0)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.11.1...v0.12.0)

<!-- Release notes generated using configuration in .github/release.yml
at v0.12.0 -->

#### What's Changed

##### Breaking Changes 🛠

- feat: change dataset uri to return full qualified url instead of
object store path by [@&#8203;eddyxu](https://togithub.com/eddyxu) in
[lancedb/lance#2416

##### New Features 🎉

- feat: new shuffler by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2404
- feat: new index builder by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2401
- feat: stable row id manifest changes by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2363
- feat: once a table has been created with v1 or v2 format then it
should always use that format by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2435

##### Bug Fixes 🐛

- fix: fix file writer which was not writing page buffers in the correct
order by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2413

##### Other Changes

- refactor: refactor logical decoders into "field decoders" by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2407
- refactor: rename use_experimental_writer to use_legacy_format by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2433
- refactor: minor refactor to allow I/O scheduler to be cloned in page
schedulers by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2432

**Full Changelog**:
lancedb/lance@v0.11.1...v0.12.0

### [`v0.11.1`](https://togithub.com/lancedb/lance/releases/tag/v0.11.1)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.11.0...v0.11.1)

<!-- Release notes generated using configuration in .github/release.yml
at v0.11.1 -->

#### What's Changed

##### New Features 🎉

- feat(java): support jdk8 by
[@&#8203;LuQQiu](https://togithub.com/LuQQiu) in
[lancedb/lance#2362
- feat: support kmode with hamming distance by
[@&#8203;eddyxu](https://togithub.com/eddyxu) in
[lancedb/lance#2366
- feat: row id index structures (experimental) by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2303
- feat: update merge_insert to add statistics for inserted, updated,
deleted rows by [@&#8203;raunaks13](https://togithub.com/raunaks13) in
[lancedb/lance#2357
- feat: define Flat index as a scan over VectorStorage by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2380
- feat: add some schema utility methods to the v2 reader/writer by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2389
- feat: general compression for value page buffer by
[@&#8203;niyue](https://togithub.com/niyue) in
[lancedb/lance#2368
- feat: make the index cache size (in bytes) available by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2381
- feat: add special uri scheme to use CloudFileReader for local fs by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2402
- feat: add encoder utilities for pushdown by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2388

##### Bug Fixes 🐛

- fix: concat batches before writing to avoid small IO slow down by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2384
- fix: low recall if the num partitions is more than num rows by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2386
- fix: f32 reduce_min for x86 by
[@&#8203;heiher](https://togithub.com/heiher) in
[lancedb/lance#2385
- fix: fix incorrect validation logic in updater by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2408

##### Performance Improvements 🚀

- perf: make VectorStorage and DistCalculator static to generate better
code by [@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2355
- perf: optimize IO path for reading manifest by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2396

##### Other Changes

- refactor: make proto conversion fallible and not copy by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2371
- refactor: separate take and schema evolution impls to own files by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2372
- Revert "fix: concat batches before writing to avoid small IO slow down
([#&#8203;2384](https://togithub.com/lancedb/lance/issues/2384))" by
[@&#8203;chebbyChefNEQ](https://togithub.com/chebbyChefNEQ) in
[lancedb/lance#2387
- refactor: shuffle around v2 metadata sections to allow read-on-demand
statistics by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2400

#### New Contributors

- [@&#8203;niyue](https://togithub.com/niyue) made their first
contribution in
[lancedb/lance#2368
- [@&#8203;heiher](https://togithub.com/heiher) made their first
contribution in
[lancedb/lance#2385

**Full Changelog**:
lancedb/lance@v0.11.0...v0.11.1

### [`v0.11.0`](https://togithub.com/lancedb/lance/releases/tag/v0.11.0)

[Compare
Source](https://togithub.com/lancedb/lance/compare/v0.10.18...v0.11.0)

<!-- Release notes generated using configuration in .github/release.yml
at v0.11.0 -->

#### What's Changed

##### Breaking Changes 🛠

- feat(rust)!: use BoxedError in Error::IO by
[@&#8203;broccoliSpicy](https://togithub.com/broccoliSpicy) in
[lancedb/lance#2329

##### New Features 🎉

- feat: add v2 support to fragment merge / update paths by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2311
- feat: add priority to I/O scheduler by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2315
- feat: add take_rows operation to the v2 file reader's python bindings
by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2331
- feat: added example for reading and writing dataset in rust by
[@&#8203;raunaks13](https://togithub.com/raunaks13) in
[lancedb/lance#2349
- feat: new HNSW implementation by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2353
- feat: add fragment take / fixed-size-binary support to v2 format by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2354

##### Bug Fixes 🐛

- fix: recognize a simple expression like 'is_foo' as a scalar index
query by [@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2356
- fix: rework list encoder to handle list-struct by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2344
- fix: minor bug fixes for v2 by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2361

##### Documentation 📚

- docs: clearify comments in table.proto -> message DataFragment ->
physical_rows by
[@&#8203;broccoliSpicy](https://togithub.com/broccoliSpicy) in
[lancedb/lance#2346

##### Performance Improvements 🚀

- perf: use the file metadata cache in scalar indices by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2330

##### Other Changes

- chore: remove `m_max` and `use_heuristic` params from HNSW builder by
[@&#8203;BubbleCal](https://togithub.com/BubbleCal) in
[lancedb/lance#2336
- fix(java): fix JNI jar loader issue by
[@&#8203;LuQQiu](https://togithub.com/LuQQiu) in
[lancedb/lance#2340
- ci: fix labeler permissions by
[@&#8203;wjones127](https://togithub.com/wjones127) in
[lancedb/lance#2348
- fix: rework decoding to fix bugs in nested struct decoding by
[@&#8203;westonpace](https://togithub.com/westonpace) in
[lancedb/lance#2337

#### New Contributors

- [@&#8203;broccoliSpicy](https://togithub.com/broccoliSpicy) made their
first contribution in
[lancedb/lance#2346
- [@&#8203;raunaks13](https://togithub.com/raunaks13) made their first
contribution in
[lancedb/lance#2349

**Full Changelog**:
lancedb/lance@v0.10.18...v0.11.0

</details>

---

### Configuration

📅 **Schedule**: Branch creation - At any time (no schedule defined),
Automerge - At any time (no schedule defined).

🚦 **Automerge**: Enabled.

♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the
rebase/retry checkbox.

🔕 **Ignore**: Close this PR and you won't be reminded about this update
again.

---

- [ ] <!-- rebase-check -->If you want to rebase/retry this PR, check
this box

---

This PR has been generated by [Mend
Renovate](https://www.mend.io/free-developer-tools/renovate/). View
repository job log
[here](https://developer.mend.io/github/spiraldb/vortex).

<!--renovate-debug:eyJjcmVhdGVkSW5WZXIiOiIzNy4zOTMuMCIsInVwZGF0ZWRJblZlciI6IjM3LjM5My4wIiwidGFyZ2V0QnJhbmNoIjoiZGV2ZWxvcCIsImxhYmVscyI6W119-->

Co-authored-by: renovate[bot] <29139614+renovate[bot]@users.noreply.github.com>
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
enhancement New feature or request
Projects
None yet
Development

Successfully merging this pull request may close these issues.

None yet

3 participants