Skip to content

Conversation

@MasterPtato
Copy link
Contributor

No description provided.

@vercel
Copy link

vercel bot commented Nov 18, 2025

The latest updates on your projects. Learn more about Vercel for GitHub.

Project Deployment Preview Comments Updated (UTC)
rivetkit-serverless Ready Ready Preview Comment Dec 2, 2025 7:11pm
3 Skipped Deployments
Project Deployment Preview Comments Updated (UTC)
rivet-cloud Ignored Ignored Dec 2, 2025 7:11pm
rivet-inspector Ignored Ignored Preview Dec 2, 2025 7:11pm
rivet-site Ignored Ignored Preview Dec 2, 2025 7:11pm

Copy link
Contributor Author

MasterPtato commented Nov 18, 2025

Warning

This pull request is not mergeable via GitHub because a downstack PR is open. Once all requirements are satisfied, merge this PR as a stack on Graphite.
Learn more


How to use the Graphite Merge Queue

Add the label merge-queue to this PR to add it to the merge queue.

You must have a Graphite account in order to use the merge queue. Sign up using this link.

An organization admin has enabled the Graphite Merge Queue in this repository.

Please do not merge from GitHub as this will restart CI on PRs being processed by the merge queue.

This stack of pull requests is managed by Graphite. Learn more about stacking.

@claude
Copy link

claude bot commented Nov 18, 2025

Code Review - PR #3476

Summary

This PR correctly changes StreamingMode::WantAll to StreamingMode::Exact for all range queries that specify an explicit limit parameter. This is an appropriate optimization based on FoundationDB's streaming mode semantics.

Positive Findings

Correctness

  • The change is semantically correct according to the FoundationDB documentation in engine/packages/universaldb/src/options.rs:193:
    • Exact: "A row limit must be specified if this mode is used"
    • WantAll: "Client intends to consume the entire range"
  • All modified locations specify explicit limits via limit: Some(...), making Exact the appropriate choice

Performance

  • Using Exact mode when you know the exact limit avoids unnecessary data transfer and batching overhead
  • This is particularly beneficial for the affected use cases:
    • download_instances.rs: Downloading a specific count of instances
    • recover_keys_chunk: Recovery operations with fixed batch sizes
    • list_names.rs: List operations with pagination limits
    • debug.rs: Debug queries checking for existence (limit: Some(1))

Consistency

  • I verified that remaining WantAll usages don't specify limits, confirming this PR caught all the relevant cases
  • The change is applied consistently across 6 files

Code Quality

  • One minor improvement in engine/packages/epoxy/src/workflows/replica/setup.rs:443-449: The struct fields were reordered (mode and limit moved before end and begin), which improves readability by grouping the critical query parameters together

Potential Considerations

Testing

  • Consider verifying that the behavior is unchanged for these operations, particularly:
    • download_instances - ensure instance downloads still work correctly
    • recover_keys_chunk - ensure recovery operations complete successfully
    • The debug queries with limit: Some(1) - these should be fast lookups

While the semantic change is minimal (both modes should return the same results when a limit is specified), the different batching behavior could theoretically expose edge cases.

Documentation

  • The PR title and description are minimal. Consider adding context about why this change improves performance (reducing unnecessary batching overhead when exact limits are known).

Verdict

LGTM - This is a well-targeted performance optimization with no apparent bugs or issues. The change correctly applies StreamingMode::Exact to all range queries with explicit limits, which aligns with FoundationDB best practices.

The only suggestion is to ensure adequate test coverage for the affected code paths, though this appears to be a low-risk refactoring.

@claude
Copy link

claude bot commented Nov 18, 2025

PR Review: Change StreamingMode to Exact for ranges with limits

Summary

This PR correctly updates FoundationDB range queries to use StreamingMode::Exact instead of StreamingMode::WantAll when a specific limit is set. This aligns with FoundationDB best practices.

Code Quality ✅

Correctness: The changes are semantically correct. According to FoundationDB documentation:

  • WantAll: For consuming entire ranges with no specific limit
  • Exact: For queries with a specific row limit that should be delivered in a single batch

All modified queries have explicit limits set, making Exact the appropriate choice.

Affected Files:

  1. epoxy/src/replica/messages/download_instances.rs - Fetching log entries with req.count limit
  2. epoxy/src/workflows/replica/setup.rs - Scanning key instances with count limit (also reordered fields for consistency)
  3. gasoline/src/db/kv/debug.rs - Two debug queries with limit: Some(1)
  4. namespace/src/ops/runner_config/list.rs - Listing configs with input.limit
  5. pegboard/src/ops/actor/list_names.rs - Listing actor names with input.limit
  6. pegboard/src/ops/runner/list_names.rs - Listing runner names with input.limit

Performance Considerations ⚡

Positive Impact: Using Exact mode should provide:

  • More predictable performance for limited queries
  • Better resource utilization (single batch vs. progressive fetching)
  • Reduced overhead since the client explicitly knows it wants exactly N rows

Potential Issues 🔍

Minor Note - Field Reordering: In epoxy/src/workflows/replica/setup.rs:445-450, the fields were reordered:

// Before
begin: begin_key,
end: end_key,
mode: StreamingMode::WantAll,
limit: Some(count as usize),

// After  
mode: StreamingMode::Exact,
limit: Some(count as usize),
end: end_key,
begin: begin_key,

While this works fine (fields use named syntax), it's inconsistent with other files in the PR. Consider keeping the original field order for consistency, though this is purely stylistic.

Missing Coverage 🔎

I noticed a few files still using WantAll without limits (which is correct), but wanted to flag these for awareness:

  • pegboard/src/ops/runner/get.rs:109 - No limit (correct as-is)
  • pegboard/src/ops/actor/hibernating_request/list.rs:42 - No limit (correct as-is)
  • pegboard-serverless/src/lib.rs:79 - No limit (correct as-is)

These are intentionally not changed and should remain WantAll.

Test Coverage 📝

Recommendation: While the changes are straightforward, it would be beneficial to verify that:

  1. Queries still return the expected number of results
  2. Behavior is unchanged when the actual data size is less than the limit
  3. Behavior is unchanged when the actual data size exceeds the limit

You could run the affected package tests:

cargo test --package epoxy --package gasoline --package namespace --package pegboard

Security Concerns 🔒

No security issues identified.

Verdict ✅

Approved - This is a good optimization that aligns query patterns with FoundationDB best practices. The changes are minimal, focused, and semantically correct.

Optional: Consider keeping consistent field ordering in setup.rs to match the other files.

Great work on identifying and fixing this pattern across the codebase!

@claude
Copy link

claude bot commented Nov 18, 2025

Code Review

Summary

This PR changes StreamingMode::WantAll to StreamingMode::Exact for all range queries that have explicit limit parameters. This is the correct optimization based on the FoundationDB documentation.

Positives

1. Correct Use of StreamingMode::Exact
According to the StreamingMode enum documentation in engine/packages/universaldb/src/options.rs:192, Exact mode is for clients that have "passed a specific row limit and wants that many rows delivered in a single batch."

All modified queries have explicit limits, making Exact the appropriate mode:

  • download_instances.rs: limit of req.count
  • recover_keys_chunk: limit of count
  • gasoline/debug.rs: limit of 1 (two occurrences)
  • namespace_runner_config_list: limit of input.limit
  • pegboard_actor_list_names: limit of input.limit
  • pegboard_runner_list_names: limit of input.limit

2. Performance Improvement
Using Exact mode eliminates unnecessary overhead from the adaptive batching behavior of WantAll, since these queries know exactly how many rows they need upfront.

3. Consistency
The changes align with existing patterns in the codebase. For example, engine/packages/pegboard/src/workflows/actor/runtime.rs:210 already uses StreamingMode::Exact with limit: Some(1).

Minor Observations

1. Field Reordering in setup.rs
In engine/packages/epoxy/src/workflows/replica/setup.rs:445-450, the fields were reordered (mode/limit/end/begin instead of begin/end/limit/mode). While this doesn't affect functionality, it deviates from the struct definition order per range_option.rs:25-35. This is purely stylistic and not a blocker.

2. Test Coverage
No tests were found specifically for these query functions. While the change is straightforward and correct, consider adding integration tests that verify:

  • Queries return exactly limit rows when more are available
  • Queries return fewer than limit rows when fewer exist
  • Pagination works correctly with the new streaming mode

Security and Correctness

  • No security concerns identified
  • No potential bugs introduced
  • Changes are backward compatible

Verdict

Approved

This is a clean optimization that correctly uses FoundationDB's Exact streaming mode for queries with known limits. The change improves performance without affecting correctness.


Review generated with Claude Code

@claude
Copy link

claude bot commented Nov 19, 2025

Code Review

Summary

This PR correctly changes StreamingMode::WantAll to StreamingMode::Exact for range queries that specify a limit. This is the right change according to FoundationDB's documentation.

Analysis

What's the difference?
According to the StreamingMode enum documentation in engine/packages/universaldb/src/options.rs:

  • WantAll: "Client intends to consume the entire range and would like it all transferred as early as possible."
  • Exact: "The client has passed a specific row limit and wants that many rows delivered in a single batch."

When a query specifies limit: Some(n), using StreamingMode::Exact is the semantically correct choice since we know exactly how many rows we want.

Findings

Correct Changes (6 files):

  • engine/packages/epoxy/src/replica/messages/download_instances.rs - ✓
  • engine/packages/epoxy/src/workflows/replica/setup.rs - ✓ (also reordered fields, which is fine)
  • engine/packages/gasoline/src/db/kv/debug.rs (2 instances) - ✓
  • engine/packages/namespace/src/ops/runner_config/list.rs - ✓
  • engine/packages/pegboard/src/ops/actor/list_names.rs - ✓
  • engine/packages/pegboard/src/ops/runner/list_names.rs - ✓

⚠️ Missed Instance:
There's at least one more instance that should be changed:

engine/packages/gasoline/src/db/kv/mod.rs:

tx.get_ranges_keyvalues(
    universaldb::RangeOption {
        mode: StreamingMode::WantAll,  // <- Should be Exact
        limit: Some(1),
        ..(&pending_signal_subspace).into()
    },
    // ...
)

Recommendations

  1. Update the missed instance in engine/packages/gasoline/src/db/kv/mod.rs for consistency
  2. Consider doing a final sweep to ensure all WantAll + limit combinations are caught

Performance & Correctness

Performance: Using Exact with a limit is more efficient than WantAll because it tells FoundationDB to deliver exactly the requested number of rows in a single batch, avoiding unnecessary data transfer.

Correctness: The change is semantically correct and aligns with FoundationDB best practices.

No Breaking Changes: This is purely an optimization/correctness fix with no API changes.

Overall Assessment

This is a good cleanup PR that improves query efficiency. Once the missed instance is addressed, this will be ready to merge.

Action Items:

  • Update engine/packages/gasoline/src/db/kv/mod.rs to use StreamingMode::Exact where it has limit: Some(1)

@claude
Copy link

claude bot commented Nov 19, 2025

Code Review

Summary

This PR changes StreamingMode::WantAll to StreamingMode::Exact for FoundationDB range queries that have explicit limits. This is a good performance optimization.

Positive Observations

Correct optimization: According to the FoundationDB documentation, when you have a specific row limit, StreamingMode::Exact is the appropriate mode to use. The comment in the options enum states that Exact mode is for when "The client has passed a specific row limit and wants that many rows delivered in a single batch" and "A row limit must be specified if this mode is used."

Using Exact with explicit limits is more efficient than WantAll because:

  • WantAll transfers data early and potentially over-fetches
  • Exact delivers the precise number of rows requested in a single batch

Comprehensive coverage: The PR correctly identifies and updates all instances where mode: StreamingMode::WantAll is used with an explicit limit: Some(...). I verified that the remaining WantAll usages in the codebase do not have explicit limits, which is correct.

Consistent pattern: All 6 changed files follow the same pattern - queries with known limits that should use Exact mode.

Minor Observations

📝 Code organization (epoxy/workflows/replica/setup.rs:446): The field order was changed, moving mode and limit before end and begin. While this doesn't affect functionality, consider maintaining consistent field ordering across similar code blocks for readability. Most other changes kept the original order.

Testing Recommendations

While this is a performance optimization that shouldn't change behavior, consider:

  • Running existing integration tests to ensure queries return the same results
  • Performance testing to validate the expected improvements, especially for the list operations in namespace and pegboard packages

Verdict

Approved - This is a solid optimization that correctly applies FoundationDB best practices. The changes are straightforward and well-targeted.

@claude
Copy link

claude bot commented Nov 26, 2025

Code Review

Summary

This PR changes StreamingMode::WantAll to StreamingMode::Exact for range queries that have a limit parameter. This is a good optimization that aligns with FoundationDB best practices.


✅ Positive Findings

1. Correct Usage of StreamingMode::Exact

According to the FoundationDB documentation (from the code in options.rs):

  • StreamingMode::Exact: "The client has passed a specific row limit and wants that many rows delivered in a single batch. A row limit must be specified if this mode is used."
  • StreamingMode::WantAll: "Client intends to consume the entire range and would like it all transferred as early as possible."

Since all the modified code paths have explicit limit: Some(...) parameters, using Exact is the correct choice. This tells FoundationDB to return exactly that many rows in a single batch, which is more efficient than WantAll when you know the exact count you need.

2. Consistent Pattern

The changes follow a consistent pattern across all 6 files:

  • engine/packages/epoxy/src/replica/messages/download_instances.rs - downloading specific count of instances
  • engine/packages/epoxy/src/workflows/replica/setup.rs - recovering key chunks with specific count
  • engine/packages/gasoline/src/db/kv/debug.rs - checking for existence with limit=1
  • engine/packages/namespace/src/ops/runner_config/list.rs - listing with pagination
  • engine/packages/pegboard/src/ops/actor/list_names.rs - listing with pagination
  • engine/packages/pegboard/src/ops/runner/list_names.rs - listing with pagination

3. Performance Improvement

Using Exact mode when you have a specific limit should:

  • Reduce network overhead by requesting exactly what you need
  • Improve query planning on the database side
  • Reduce memory usage on the client side

4. No Breaking Changes

The change is purely an optimization. The functional behavior remains the same - the queries will still return the same results, just more efficiently.


🔍 Observations

1. Code Reordering in one file

In engine/packages/epoxy/src/workflows/replica/setup.rs, the fields in RangeOption were reordered:

// Before
begin: begin_key,
end: end_key,
limit: Some(count as usize),
mode: StreamingMode::WantAll,

// After
mode: StreamingMode::Exact,
limit: Some(count as usize),
end: end_key,
begin: begin_key,

While this doesn't affect functionality (field order doesn't matter in struct initialization), it's inconsistent with the other files. Consider keeping the original field order for consistency.

2. Comparison with Iterator Mode

I noticed that other parts of the codebase (e.g., list_for_ns.rs files) use StreamingMode::Iterator with manual limit checking in a loop:

mode: StreamingMode::Iterator,
// ... in loop:
if results.len() >= input.limit {
    break;
}

The files you've modified correctly use Exact instead, which is better since they can rely on the database limit directly without manual loop breaking.


✨ Suggestions

Minor: Consider Updating Similar Patterns

There may be other places in the codebase using WantAll with limits that could benefit from this optimization. You might want to search for other instances that haven't been updated yet.

However, this is outside the scope of this PR and can be addressed separately if needed.


📊 Test Coverage

I don't see explicit tests for these specific code paths in the diff. Since this is a performance optimization without functional changes, the existing integration tests should cover correctness. However, consider:

  1. Running the existing test suite to ensure no regressions
  2. If there are performance benchmarks, running them to validate the improvement

🎯 Final Verdict

LGTM

This is a solid optimization that:

  • Correctly applies FoundationDB best practices
  • Improves performance for limited range queries
  • Maintains backward compatibility
  • Shows good understanding of the database API

The only minor suggestion is to keep consistent field ordering in the struct initialization, but this is purely stylistic and doesn't block approval.


Recommendation: Approve and merge after confirming tests pass.

@claude
Copy link

claude bot commented Nov 26, 2025

Code Review

This is a well-focused PR that improves FoundationDB query performance by using the appropriate StreamingMode.

Summary

The PR changes StreamingMode::WantAll to StreamingMode::Exact for range queries that have explicit limits. This is the correct optimization based on FoundationDB's documentation.

Positive Observations

Correct Performance Optimization: According to the FoundationDB documentation (from engine/packages/universaldb/src/options.rs:187-193):

  • WantAll: "Client intends to consume the entire range"
  • Exact: "Client has passed a specific row limit and wants that many rows delivered in a single batch"

When a query specifies limit: Some(count), using Exact mode is semantically correct and more efficient.

Comprehensive Coverage: The PR updates 6 files across multiple packages:

  • epoxy (replica message handling and workflow setup)
  • gasoline (KV debug utilities)
  • namespace (runner config listing)
  • pegboard (actor and runner name listing)

Consistent Pattern: All changes follow the same pattern - switching from WantAll to Exact when limit: Some(...) is present.

Potential Issues Found

⚠️ Incomplete Coverage: The grep search reveals there's at least one more location that should likely be updated but was missed:

// engine/packages/gasoline/src/db/kv/mod.rs:1919-1923
tx.get_ranges_keyvalues(
    universaldb::RangeOption {
        mode: StreamingMode::WantAll,  // ⚠️ Should be Exact
        limit: Some(1),
        ..(&pending_signal_subspace).into()
    },
    Serializable,
)

This appears in engine/packages/gasoline/src/db/kv/mod.rs:1921 and follows the exact same pattern (limit with WantAll).

Minor Observation

In engine/packages/epoxy/src/workflows/replica/setup.rs, the field ordering was changed (mode moved before begin/end). This is fine but not strictly necessary for the functional change.

Recommendations

  1. Add the missing location: Update engine/packages/gasoline/src/db/kv/mod.rs:1921 to use StreamingMode::Exact as well.

  2. Consider a comprehensive audit: Run a search for all instances of mode: StreamingMode::WantAll with limit: Some to ensure no other cases were missed.

  3. Testing: Ensure integration tests cover these query paths to verify the performance improvement doesn't introduce behavioral changes.

Verdict

The core change is correct and beneficial. However, the PR appears incomplete - there's at least one more location that should be updated. I recommend adding the missing update to engine/packages/gasoline/src/db/kv/mod.rs:1921 before merging.


Review generated with assistance from Claude Code

@claude
Copy link

claude bot commented Nov 27, 2025

PR Review: Change StreamingMode to Exact for ranges with limits

Summary

This PR changes StreamingMode::WantAll to StreamingMode::Exact for range queries that specify a limit. This is a correct and appropriate optimization based on FoundationDB's streaming mode semantics.

Key Findings

✅ Correct Usage: According to the StreamingMode documentation in engine/packages/universaldb/src/options.rs:192:

  • Exact: The client has passed a specific row limit and wants that many rows delivered in a single batch
  • WantAll: Client intends to consume the entire range and would like it all transferred as early as possible

When a specific limit is set, Exact is the semantically correct mode since the client knows exactly how many rows they want.

Changes Reviewed

All 6 changed locations follow the same pattern - range queries with explicit limits:

  1. epoxy/replica/messages/download_instances.rs:42 - limit: Some(req.count as usize)
  2. epoxy/workflows/replica/setup.rs:446 - limit: Some(count as usize)
  3. gasoline/db/kv/debug.rs:521 - limit: Some(1) (checking existence)
  4. gasoline/db/kv/debug.rs:673 - limit: Some(1) (checking existence)
  5. namespace/ops/runner_config/list.rs:67 - limit: Some(input.limit)
  6. pegboard/ops/actor/list_names.rs:43 - limit: Some(input.limit)

Code Quality Assessment

Strengths:

  • ✅ Semantically correct - aligns mode with FoundationDB best practices
  • ✅ Consistent pattern - all changes follow the same principle
  • ✅ Performance improvement - reduces unnecessary data transfer when exact row count is known
  • ✅ Existing codebase already uses this pattern (see pegboard/workflows/actor/runtime.rs:204)

Observations:

  • One file (epoxy/workflows/replica/setup.rs) also reordered fields, which is a harmless formatting change
  • The pattern is already established in the codebase for similar use cases

Recommendations

No blocking issues identified. The changes are:

  1. Technically correct per FoundationDB documentation
  2. Consistent with existing patterns in the codebase
  3. Performance-positive (avoid over-fetching data)

Minor Note

The field reordering in epoxy/workflows/replica/setup.rs:445-449 (moving mode and limit before end and begin) is stylistic but harmless. Consider keeping field ordering consistent across the codebase in future changes.


Recommendation: ✅ APPROVE - This is a good optimization that correctly applies FoundationDB streaming modes.


🤖 Generated with Claude Code

@MasterPtato MasterPtato force-pushed the 11-17-chore_change_streamingmode_to_exact_for_ranges_with_limits branch from bd0c837 to 6cdbf68 Compare November 27, 2025 00:58
@MasterPtato MasterPtato force-pushed the 11-17-fix_gas_optimize_loops branch from eb1b9a9 to 71aa999 Compare November 27, 2025 00:58
@claude
Copy link

claude bot commented Nov 27, 2025

Code Review: Change StreamingMode to Exact for Ranges with Limits

Summary

This PR updates database range queries that have explicit limits to use StreamingMode::Exact instead of StreamingMode::WantAll. This is a good optimization that aligns with the intended use of these streaming modes.


Strengths

  1. Correct API Usage: According to the FoundationDB/UniversalDB documentation, StreamingMode::Exact is the appropriate mode when you have a specific row limit and want exactly that many rows in a single batch. The change correctly identifies all instances where a limit is specified.

  2. Performance Improvement: Using Exact mode is more efficient than WantAll when you know the exact number of rows needed, as it avoids over-fetching data.

  3. Consistent Pattern: The PR systematically updates all instances across multiple packages (epoxy, gasoline, namespace, pegboard), ensuring consistency.

  4. Low Risk: This is a safe change that doesn't alter functionality - it only optimizes how data is fetched from the database.


🔍 Observations

File-by-File Review:

1. engine/packages/epoxy/src/replica/messages/download_instances.rs:39

  • ✅ Correct: Query has limit: Some(req.count as usize)

2. engine/packages/epoxy/src/workflows/replica/setup.rs:443

  • ✅ Correct: Query has limit: Some(count as usize)
  • Note: The field reordering (mode, limit, end, begin) doesn't affect functionality but reduces the diff clarity slightly

3. engine/packages/gasoline/src/db/kv/debug.rs:518,670

  • ✅ Correct: Both queries have limit: Some(1)

4. engine/packages/namespace/src/ops/runner_config/list.rs:64

  • ✅ Correct: Query has limit: Some(input.limit)

5. engine/packages/pegboard/src/ops/actor/list_names.rs:40

  • ✅ Correct: Query has limit: Some(input.limit)

6. engine/packages/pegboard/src/ops/runner/list_names.rs:39

  • ✅ Correct: Query has limit: Some(input.limit)

💡 Suggestions

Minor: Field Ordering Consistency

In engine/packages/epoxy/src/workflows/replica/setup.rs, the fields were reordered:

// Before
begin: begin_key,
end: end_key,
limit: Some(count as usize),
mode: StreamingMode::WantAll,

// After  
mode: StreamingMode::Exact,
limit: Some(count as usize),
end: end_key,
begin: begin_key,

While this works fine, it's inconsistent with other files in the PR where field order wasn't changed. For consistency, consider keeping the original field order (just changing the mode value).

Potential Additional Updates

Based on my search, there appear to be other instances in the codebase using StreamingMode::WantAll with limits that could potentially benefit from the same change:

  • engine/packages/pegboard-serverless/src/lib.rs:80 - uses WantAll without a limit (keep as-is)
  • engine/packages/pegboard/src/ops/runner/get.rs:109 - uses WantAll without a limit (keep as-is)
  • engine/packages/pegboard/src/ops/actor/hibernating_request/list.rs:48 - uses WantAll without a limit (keep as-is)

These are correctly excluded from this PR since they don't have explicit limits.


🧪 Testing

The change is mechanical and low-risk, but consider:

  • ✅ Existing tests should pass without modification
  • ✅ No new tests needed as this doesn't change functionality
  • 💡 If there are integration tests for these list operations, ensure they still work correctly

📊 Impact Assessment

  • Correctness: ✅ No functional changes
  • Performance: ✅ Minor improvement (more efficient batching)
  • Security: ✅ No security implications
  • Breaking Changes: ✅ None

Verdict

LGTM with minor suggestion!

This is a solid improvement that correctly applies the Exact streaming mode to all range queries with limits. The only minor suggestion is to maintain consistent field ordering in the RangeOption struct for code consistency.

Great job identifying and systematically fixing this pattern across the codebase! 🎯

@graphite-app
Copy link
Contributor

graphite-app bot commented Dec 3, 2025

Merge activity

  • Dec 3, 12:33 AM UTC: NathanFlurry added this pull request to the Graphite merge queue.
  • Dec 3, 12:33 AM UTC: CI is running for this pull request on a draft pull request (#3577) due to your merge queue CI optimization settings.
  • Dec 3, 12:34 AM UTC: Merged by the Graphite merge queue via draft PR: #3577.

@graphite-app graphite-app bot closed this Dec 3, 2025
@graphite-app graphite-app bot deleted the 11-17-chore_change_streamingmode_to_exact_for_ranges_with_limits branch December 3, 2025 00:34
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

None yet

Projects

None yet

Development

Successfully merging this pull request may close these issues.

3 participants