Skip to content

[TRTC-1975] [feat] BREAKING: Enable chunked prefill by default#9499

Open
venkywonka wants to merge 5 commits intoNVIDIA:mainfrom
venkywonka:venky/chunked-prefill-is-default
Open

[TRTC-1975] [feat] BREAKING: Enable chunked prefill by default#9499
venkywonka wants to merge 5 commits intoNVIDIA:mainfrom
venkywonka:venky/chunked-prefill-is-default

Conversation

@venkywonka
Copy link
Collaborator

@venkywonka venkywonka commented Nov 26, 2025

Description

  • Change LLM API default behavior
  • Add --disable_chunked_prefill options to serve, quickstart advanced CLI
  • Add a test to enforce default behavior
  • Change API llm.yml
  • Update docs
  • Update error messages to be more informative for models that don't support chunked context
  • Auto-disable chunked context for models that can't support - as a better alternative to erroring out.
  • Fix one-model MTP + overlap scheduler token accounting bug exposed by the new default
  • Opt out DeepSeek-V3-Lite nvfp4/MTP tests from chunked prefill (preserves pre-PR test intent)
  • Fix unit tests that relied on the old enable_chunked_prefill=False default

One-model MTP scheduler/runtime token accounting fix

Enabling chunked prefill by default exposed a pre-existing bug in the
chunked prefill + one-model MTP + overlap scheduler path. Two CI tests
failed on DGX_B200 with:

total_num_tokens (N) should be less than or equal to max_num_tokens (8192)

Root cause: The two-model drafter path normalizes C++ draft_tokens to
max_total_draft_tokens for all generation requests before the C++ scheduler
runs (so getNumDraftTokens() matches the runtime's fixed runtime_draft_len).
The one-model MTP path (self.drafter is None) skipped this normalization entirely.
The C++ scheduler would then see stale or zero draft tokens for generation requests,
under-budgeting them, while the Python runtime always materializes the full
1 + runtime_draft_len tokens in the overlap extend path - causing the assertion.

Fix: Added the same draft token normalization for one-model MTP before scheduling
in py_executor.py, mirroring the existing two-model drafter pattern.

Unit test fixes for new default

Several unit tests relied on the old enable_chunked_prefill=False default:

  • AutoDeploy test_create_ad_executor: Mock engine lacks real tokens_per_block,
    causing TypeError in ContextChunkingConfig construction when chunked prefill is enabled.
    Fixed by setting enable_chunked_prefill=False in the test's LlmArgs.
  • test_max_num_token_check: Expects RequestError for prompts exceeding max_num_tokens,
    but this validation is skipped when chunked prefill handles the input via chunking.
    Fixed by explicitly disabling chunked prefill in the test.
  • _test_llm_capture_request_error: Same max_num_tokens validation skip as above.
    Fixed by adding enable_chunked_prefill=False for the pytorch backend path.

Integration test fixes

  • Set enable_chunked_prefill=False on 3 DeepSeek-V3-Lite nvfp4/MTP accuracy tests
    that relied on the old default and should not inherit chunked prefill behavior.

Summary

Release Notes

  • Behavior Changes

    • Chunked prefill is now enabled by default, automatically chunking long sequences and processing shorter sequences as single chunks instead of erroring.
    • Models without chunked context support are automatically disabled with a warning.
    • Previous behavior can be restored by explicitly disabling the feature.
  • Bug Fixes

    • Fixed a token-accounting mismatch between the C++ scheduler and Python runtime for one-model MTP with overlap scheduler enabled. The scheduler now correctly budgets draft tokens for one-model speculative decoding paths.
  • Documentation

    • Updated guides and release notes to document the new default behavior and breaking changes.

Test Coverage

  • tests/unittest/_torch/executor/test_py_executor.py: 3 new unit tests validating draft token normalization logic for one-model MTP (normalization applied, skipped with drafter, skipped with spec decode off)
  • tests/unittest/_torch/executor/test_overlap_scheduler.py: 4 existing overlap scheduler consistency tests pass
  • tests/integration/defs/accuracy/test_llm_api_pytorch.py::TestDeepSeekV3Lite::test_nvfp4: B200 accuracy tests with explicit enable_chunked_prefill=False
  • tests/unittest/auto_deploy/singlegpu/shim/test_create_ad_executor.py: Fixed mock executor test for chunked prefill default
  • tests/unittest/llmapi/test_llm_pytorch.py: Fixed test_max_num_token_check for chunked prefill default
  • tests/unittest/llmapi/test_llm.py: Fixed _test_llm_capture_request_error for chunked prefill default
  • Reproducer script validated on H100 with max_num_tokens=8192, MTP nextn=2, overlap+chunked prefill

Key files changed

File Change
tensorrt_llm/_torch/pyexecutor/py_executor.py Add one-model MTP draft token normalization before scheduling
tests/integration/defs/accuracy/test_llm_api_pytorch.py Set enable_chunked_prefill=False on 3 nvfp4/MTP tests
tests/unittest/_torch/executor/test_py_executor.py 3 new unit tests for normalization logic
tests/unittest/auto_deploy/singlegpu/shim/test_create_ad_executor.py Disable chunked prefill in mock executor test
tests/unittest/llmapi/test_llm_pytorch.py Disable chunked prefill in max_num_tokens validation tests
tests/unittest/llmapi/test_llm.py Disable chunked prefill in request error capture test

PR Checklist

  • Please check this after reviewing the above items as appropriate for this PR.

@venkywonka venkywonka requested review from a team as code owners November 26, 2025 20:14
@coderabbitai coderabbitai bot changed the title [TRTC-1975] @coderabbitai title [TRTC-1975] [feat] Enable chunked prefill by default Nov 26, 2025
@coderabbitai
Copy link
Contributor

coderabbitai bot commented Nov 26, 2025

📝 Walkthrough

Walkthrough

Chunked Prefill (enable_chunked_prefill) is now enabled by default in TensorRT-LLM, automating long sequence processing. CLI options and API defaults updated from False to True. Models not supporting this feature are automatically disabled with warnings. Documentation and tests updated to reflect new default behavior.

Changes

Cohort / File(s) Summary
Documentation updates
docs/source/features/long-sequence.md, docs/source/release-notes.md
Long-sequence feature documentation updated to reflect chunked prefill now enabled by default, with guidance on disabling if needed. Breaking changes section added to release notes describing new default behavior and automatic disabling for unsupported models.
Core API configuration
tensorrt_llm/llmapi/llm_args.py, tensorrt_llm/commands/serve.py
Field BaseLlmArgs.enable_chunked_prefill default changed from False to True. CLI option --enable_chunked_prefill default updated from False to True.
Test suite updates
tests/unittest/llmapi/test_llm.py, tests/unittest/llmapi/test_llm_pytorch.py
Error-handling tests explicitly set enable_chunked_prefill=False to maintain prior behavior for specific test scenarios. New test test_chunked_prefill_default_enabled added to verify default chunked prefill functionality with long sequences.

Estimated code review effort

🎯 2 (Simple) | ⏱️ ~10 minutes

  • Homogeneous changes: primarily repetitive default value switches from False to True across multiple files
  • Straightforward API/CLI updates with supporting documentation
  • Tests appropriately adjusted to validate new default behavior and preserve error-handling test semantics
🚥 Pre-merge checks | ✅ 2 | ❌ 1

❌ Failed checks (1 warning)

Check name Status Explanation Resolution
Docstring Coverage ⚠️ Warning Docstring coverage is 33.33% which is insufficient. The required threshold is 80.00%. You can run @coderabbitai generate docstrings to improve docstring coverage.
✅ Passed checks (2 passed)
Check name Status Explanation
Title check ✅ Passed The PR title clearly describes the main change: enabling chunked prefill by default as a breaking change, which matches the core modification across multiple files.
Description check ✅ Passed The PR description is comprehensive and detailed, covering changes, bug fixes, test coverage, and a thorough checklist.

✏️ Tip: You can configure your own custom pre-merge checks in the settings.

✨ Finishing Touches
🧪 Generate unit tests (beta)
  • Create PR with unit tests
📝 Coding Plan
  • Generate coding plan for human review comments

Comment @coderabbitai help to get the list of available commands and usage tips.

Copy link
Contributor

@coderabbitai coderabbitai bot left a comment

Choose a reason for hiding this comment

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

Actionable comments posted: 1

Caution

Some comments are outside the diff and can’t be posted inline due to platform limitations.

⚠️ Outside diff range comments (2)
tests/unittest/llmapi/test_llm_pytorch.py (2)

55-73: Double‑check llm_get_stats harness actually disables chunked prefill when the flag is False

The new enable_chunked_prefill parameterization here makes sense, and you correctly forward it into llm_get_stats_test_harness(..., enable_chunked_prefill=enable_chunked_prefill, ...).

However, in tests/unittest/llmapi/test_llm.py, llm_get_stats_test_harness only does:

if enable_chunked_prefill:
    llm_args_extra["enable_chunked_prefill"] = True
    llm_args_extra["max_num_tokens"] = 32

and does nothing when enable_chunked_prefill is False. Now that the global default is True, the False cases in this param set may still be running with chunked prefill enabled unless you also explicitly pass enable_chunked_prefill=False into the LLM args in that helper.

Consider updating the harness so both branches set an explicit boolean (True/False) on the LLM, keeping validate_stats(... enable_chunked_prefill=...) in sync with actual behavior.


75-93: Same consideration for async stats: ensure harness can truly disable chunked prefill

Same as the sync version: test_llm_get_stats_async’s enable_chunked_prefill parameter is forwarded, but the shared llm_get_stats_async_test_harness in test_llm.py only sets enable_chunked_prefill=True explicitly and otherwise relies on the (now True) default.

It would be safer for the harness to set enable_chunked_prefill explicitly to the passed boolean for both sync and async variants.

🧹 Nitpick comments (2)
tensorrt_llm/commands/serve.py (2)

43-77: Signal handler behavior is fine, but comment is misleading

The signal handler correctly terminates and, if needed, kills the child, then exits with 128 + signum. However, the comment “Using print for safety in signal handlers” no longer matches the implementation, which uses logger.info. Either update the comment or, if you want to be extra-defensive, switch these to print as originally intended.


724-827: Child-process cleanup logic is robust but slightly duplicated

The combination of:

  • _signal_handler_cleanup_child for SIGINT/SIGTERM, and
  • the finally block plus the final status check

gives you good coverage for normal shutdown and signal-driven terminate. There is some duplication in termination logic between the handler and the finally block, but it’s benign and doesn’t introduce races thanks to poll() checks and bounded waits.

If you want to simplify later, you could factor the “terminate/kill with timeouts + assert terminated” logic into a small helper that both the handler and finally use.

📜 Review details

Configuration used: Path: .coderabbit.yaml

Review profile: CHILL

Plan: Pro

📥 Commits

Reviewing files that changed from the base of the PR and between 356f67c and 610a6f1.

📒 Files selected for processing (6)
  • docs/source/features/long-sequence.md (1 hunks)
  • docs/source/release-notes.md (1 hunks)
  • tensorrt_llm/commands/serve.py (2 hunks)
  • tensorrt_llm/llmapi/llm_args.py (1 hunks)
  • tests/unittest/llmapi/test_llm.py (1 hunks)
  • tests/unittest/llmapi/test_llm_pytorch.py (1 hunks)
🧰 Additional context used
📓 Path-based instructions (2)
**/*.py

📄 CodeRabbit inference engine (CODING_GUIDELINES.md)

**/*.py: The code developed for TensorRT-LLM should conform to Python 3.8+
Indent Python code with 4 spaces; do not use tabs
Always maintain the namespace when importing in Python, even if only one class or function from a module is used (e.g., use from package.subpackage import foo and then foo.SomeClass() instead of from package.subpackage.foo import SomeClass)
Python filenames should use snake_case (e.g., some_file.py)
Python class names should use PascalCase (e.g., class SomeClass)
Python function and method names should use snake_case (e.g., def my_awesome_function():)
Python local variable names should use snake_case, with prefix k for variable names that start with a number (e.g., k_99th_percentile = ...)
Python global variables should use upper snake_case with prefix G (e.g., G_MY_GLOBAL = ...)
Python constants should use upper snake_case (e.g., MY_CONSTANT = ...)
Avoid shadowing variables declared in an outer scope in Python
Initialize all externally visible members of a Python class in the constructor
For Python interfaces that may be used outside a file, prefer docstrings over comments
Python comments should be reserved for code within a function, or interfaces that are local to a file
Use Google style docstrings for Python classes and functions, which can be parsed by Sphinx
Python attributes and variables can be documented inline with type and description (e.g., self.x = 5 followed by """<type>: Description of 'x'""" )
Avoid using reflection in Python when functionality can be easily achieved without reflection
When using try-except blocks in Python, limit the except clause to the smallest set of specific errors possible instead of catching all exceptions
When using try-except blocks in Python to handle multiple possible variable types (duck-typing), keep the body of the try as small as possible and use the else block to implement the logic

Files:

  • tests/unittest/llmapi/test_llm.py
  • tensorrt_llm/llmapi/llm_args.py
  • tensorrt_llm/commands/serve.py
  • tests/unittest/llmapi/test_llm_pytorch.py
**/*.{cpp,h,cu,py}

📄 CodeRabbit inference engine (CODING_GUIDELINES.md)

All TensorRT-LLM Open Source Software code files should contain an NVIDIA copyright header that includes the current year at the top

Files:

  • tests/unittest/llmapi/test_llm.py
  • tensorrt_llm/llmapi/llm_args.py
  • tensorrt_llm/commands/serve.py
  • tests/unittest/llmapi/test_llm_pytorch.py
🧠 Learnings (18)
📓 Common learnings
Learnt from: venkywonka
Repo: NVIDIA/TensorRT-LLM PR: 6029
File: .github/pull_request_template.md:45-53
Timestamp: 2025-08-27T17:50:13.264Z
Learning: For PR templates in TensorRT-LLM, avoid suggesting changes that would increase developer overhead, such as converting plain bullets to mandatory checkboxes. The team prefers guidance-style bullets that don't require explicit interaction to reduce friction in the PR creation process.
Learnt from: eopXD
Repo: NVIDIA/TensorRT-LLM PR: 6768
File: cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp:577-579
Timestamp: 2025-08-20T06:56:02.889Z
Learning: In cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp, maxSequenceLength is now enforced as a non-optional argument in the BlockManager constructor, so concerns about std::nullopt defaulting to 0 are not applicable. When windowSize > maxSequenceLength, a warning should be added instead of handling optional parameter cases.
Learnt from: samuellees
Repo: NVIDIA/TensorRT-LLM PR: 6974
File: tensorrt_llm/serve/scripts/benchmark_dataset.py:558-566
Timestamp: 2025-08-18T08:42:02.640Z
Learning: In TensorRT-LLM's RandomDataset (tensorrt_llm/serve/scripts/benchmark_dataset.py), when using --random-token-ids option, sequence length accuracy is prioritized over semantic correctness for benchmarking purposes. The encode/decode operations should use skip_special_tokens=True and add_special_tokens=False to ensure exact target token lengths.
Learnt from: thorjohnsen
Repo: NVIDIA/TensorRT-LLM PR: 6910
File: cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp:0-0
Timestamp: 2025-08-14T21:04:50.248Z
Learning: In KV cache onboarding logic during prefill in cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp, when calculating which blocks fall within the attention window, use getTokensPerBlock() to advance token indices rather than block->getUniqueTokens().size(), because the calculation needs to consider the post-prefill state where blocks will be filled to capacity, not their current token count.
Learnt from: MatthiasKohl
Repo: NVIDIA/TensorRT-LLM PR: 6904
File: cpp/tensorrt_llm/pybind/thop/bindings.cpp:55-57
Timestamp: 2025-08-14T15:38:01.771Z
Learning: In TensorRT-LLM Python bindings, tensor parameter collections like mla_tensor_params and spec_decoding_tensor_params are kept as required parameters without defaults to maintain API consistency, even when it might affect backward compatibility.
Learnt from: Funatiq
Repo: NVIDIA/TensorRT-LLM PR: 8587
File: tensorrt_llm/_torch/pyexecutor/llm_request.py:129-139
Timestamp: 2025-11-07T09:18:04.997Z
Learning: In `LogitsStorage.get()` method in `tensorrt_llm/_torch/pyexecutor/llm_request.py`, when `exclude_last=True`, there is an invariant that at least 2 chunks must have been appended to `_logits_indices`. The parameter is designed to drop the entire last chunk (not just the last token), which is expected behavior for the overlap scheduler that generates one extra token in a separate chunk.
📚 Learning: 2025-08-21T00:16:56.457Z
Learnt from: farshadghodsian
Repo: NVIDIA/TensorRT-LLM PR: 7101
File: docs/source/blogs/tech_blog/blog9_Deploying_GPT_OSS_on_TRTLLM.md:36-36
Timestamp: 2025-08-21T00:16:56.457Z
Learning: TensorRT-LLM container release tags in documentation should only reference published NGC container images. The README badge version may be ahead of the actual published container versions.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-08-14T15:38:01.771Z
Learnt from: MatthiasKohl
Repo: NVIDIA/TensorRT-LLM PR: 6904
File: cpp/tensorrt_llm/pybind/thop/bindings.cpp:55-57
Timestamp: 2025-08-14T15:38:01.771Z
Learning: In TensorRT-LLM Python bindings, tensor parameter collections like mla_tensor_params and spec_decoding_tensor_params are kept as required parameters without defaults to maintain API consistency, even when it might affect backward compatibility.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-09-23T15:12:38.312Z
Learnt from: nv-lschneider
Repo: NVIDIA/TensorRT-LLM PR: 7910
File: cpp/tensorrt_llm/thop/allreduceOp.cpp:352-446
Timestamp: 2025-09-23T15:12:38.312Z
Learning: In TensorRT-LLM NCCL device implementation, NCCL version 2.28+ requirements are handled at runtime in the nccl_device/config layer rather than with compile-time guards. This allows the allreduceOp to remain version-agnostic and delegates version compatibility validation to the appropriate lower-level components that can gracefully handle unsupported configurations.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-08-27T14:23:55.566Z
Learnt from: ixlmar
Repo: NVIDIA/TensorRT-LLM PR: 7294
File: tensorrt_llm/_torch/modules/rms_norm.py:17-17
Timestamp: 2025-08-27T14:23:55.566Z
Learning: The TensorRT-LLM project requires Python 3.10+ as evidenced by the use of TypeAlias from typing module, match/case statements, and union type | syntax throughout the codebase, despite some documentation still mentioning Python 3.8+.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-07-28T17:06:08.621Z
Learnt from: moraxu
Repo: NVIDIA/TensorRT-LLM PR: 6303
File: tests/integration/test_lists/qa/examples_test_list.txt:494-494
Timestamp: 2025-07-28T17:06:08.621Z
Learning: In TensorRT-LLM testing, it's common to have both CLI flow tests (test_cli_flow.py) and PyTorch API tests (test_llm_api_pytorch.py) for the same model. These serve different purposes: CLI flow tests validate the traditional command-line workflow, while PyTorch API tests validate the newer LLM API backend. Both are legitimate and should coexist.

Applied to files:

  • docs/source/release-notes.md
  • tests/unittest/llmapi/test_llm_pytorch.py
📚 Learning: 2025-08-01T15:14:45.673Z
Learnt from: yibinl-nvidia
Repo: NVIDIA/TensorRT-LLM PR: 6506
File: examples/models/core/mixtral/requirements.txt:3-3
Timestamp: 2025-08-01T15:14:45.673Z
Learning: In TensorRT-LLM, examples directory can have different dependency versions than the root requirements.txt file. Version conflicts between root and examples dependencies are acceptable because examples are designed to be standalone and self-contained.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-09-09T09:40:45.658Z
Learnt from: fredricz-20070104
Repo: NVIDIA/TensorRT-LLM PR: 7645
File: tests/integration/test_lists/qa/llm_function_core.txt:648-648
Timestamp: 2025-09-09T09:40:45.658Z
Learning: In TensorRT-LLM test lists, it's common and intentional for the same test to appear in multiple test list files when they serve different purposes (e.g., llm_function_core.txt for comprehensive core functionality testing and llm_function_core_sanity.txt for quick sanity checks). This duplication allows tests to be run in different testing contexts.

Applied to files:

  • docs/source/release-notes.md
  • tests/unittest/llmapi/test_llm_pytorch.py
📚 Learning: 2025-08-11T20:09:24.389Z
Learnt from: achartier
Repo: NVIDIA/TensorRT-LLM PR: 6763
File: tests/integration/defs/triton_server/conftest.py:16-22
Timestamp: 2025-08-11T20:09:24.389Z
Learning: In the TensorRT-LLM test infrastructure, the team prefers simple, direct solutions (like hard-coding directory traversal counts) over more complex but robust approaches when dealing with stable directory structures. They accept the maintenance cost of updating tests if the layout changes.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-08-06T13:58:07.506Z
Learnt from: galagam
Repo: NVIDIA/TensorRT-LLM PR: 6487
File: tests/unittest/_torch/auto_deploy/unit/singlegpu/test_ad_trtllm_bench.py:1-12
Timestamp: 2025-08-06T13:58:07.506Z
Learning: In TensorRT-LLM, test files (files under tests/ directories) do not require NVIDIA copyright headers, unlike production source code files. Test files typically start directly with imports, docstrings, or code.

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-11-24T17:09:17.870Z
Learnt from: CR
Repo: NVIDIA/TensorRT-LLM PR: 0
File: CODING_GUIDELINES.md:0-0
Timestamp: 2025-11-24T17:09:17.870Z
Learning: Applies to **/*.py : The code developed for TensorRT-LLM should conform to Python 3.8+

Applied to files:

  • docs/source/release-notes.md
📚 Learning: 2025-08-26T09:37:10.463Z
Learnt from: jiaganc
Repo: NVIDIA/TensorRT-LLM PR: 7031
File: tensorrt_llm/bench/dataclasses/configuration.py:90-104
Timestamp: 2025-08-26T09:37:10.463Z
Learning: In TensorRT-LLM, the `get_pytorch_perf_config()` method returns `self.pytorch_config` which can contain default `cuda_graph_config` values, so `llm_args` may already have this config before the extra options processing.

Applied to files:

  • tensorrt_llm/commands/serve.py
📚 Learning: 2025-08-20T06:56:02.889Z
Learnt from: eopXD
Repo: NVIDIA/TensorRT-LLM PR: 6768
File: cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp:577-579
Timestamp: 2025-08-20T06:56:02.889Z
Learning: In cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp, maxSequenceLength is now enforced as a non-optional argument in the BlockManager constructor, so concerns about std::nullopt defaulting to 0 are not applicable. When windowSize > maxSequenceLength, a warning should be added instead of handling optional parameter cases.

Applied to files:

  • docs/source/features/long-sequence.md
📚 Learning: 2025-08-14T21:04:50.248Z
Learnt from: thorjohnsen
Repo: NVIDIA/TensorRT-LLM PR: 6910
File: cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp:0-0
Timestamp: 2025-08-14T21:04:50.248Z
Learning: In KV cache onboarding logic during prefill in cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp, when calculating which blocks fall within the attention window, use getTokensPerBlock() to advance token indices rather than block->getUniqueTokens().size(), because the calculation needs to consider the post-prefill state where blocks will be filled to capacity, not their current token count.

Applied to files:

  • docs/source/features/long-sequence.md
  • tests/unittest/llmapi/test_llm_pytorch.py
📚 Learning: 2025-08-15T06:46:54.897Z
Learnt from: eopXD
Repo: NVIDIA/TensorRT-LLM PR: 6767
File: cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp:0-0
Timestamp: 2025-08-15T06:46:54.897Z
Learning: In cpp/tensorrt_llm/batch_manager/kvCacheManager.cpp addToken function, newly allocated blocks are unshared by design. The beam search path in addToken (when sequence.getNumTokens() > windowSize) is currently broken/non-functional with SWA, so the block allocation doesn't follow a shared-then-unshared pattern.

Applied to files:

  • docs/source/features/long-sequence.md
📚 Learning: 2025-09-23T14:58:05.372Z
Learnt from: nv-lschneider
Repo: NVIDIA/TensorRT-LLM PR: 7910
File: cpp/tensorrt_llm/kernels/nccl_device/config.cu:42-49
Timestamp: 2025-09-23T14:58:05.372Z
Learning: In TensorRT-LLM NCCL device kernels (cpp/tensorrt_llm/kernels/nccl_device/), the token partitioning intentionally uses ceil-like distribution (same token_per_rank for all ranks) to ensure all ranks launch the same number of blocks. This is required for optimal NCCL device API barrier performance, even though it may launch extra blocks for non-existent tokens on later ranks. Runtime bounds checking in the kernel (blockID validation) handles the overshoot cases.

Applied to files:

  • docs/source/features/long-sequence.md
📚 Learning: 2025-08-18T08:42:02.640Z
Learnt from: samuellees
Repo: NVIDIA/TensorRT-LLM PR: 6974
File: tensorrt_llm/serve/scripts/benchmark_dataset.py:558-566
Timestamp: 2025-08-18T08:42:02.640Z
Learning: In TensorRT-LLM's RandomDataset (tensorrt_llm/serve/scripts/benchmark_dataset.py), when using --random-token-ids option, sequence length accuracy is prioritized over semantic correctness for benchmarking purposes. The encode/decode operations should use skip_special_tokens=True and add_special_tokens=False to ensure exact target token lengths.

Applied to files:

  • docs/source/features/long-sequence.md
📚 Learning: 2025-11-07T09:18:04.997Z
Learnt from: Funatiq
Repo: NVIDIA/TensorRT-LLM PR: 8587
File: tensorrt_llm/_torch/pyexecutor/llm_request.py:129-139
Timestamp: 2025-11-07T09:18:04.997Z
Learning: In `LogitsStorage.get()` method in `tensorrt_llm/_torch/pyexecutor/llm_request.py`, when `exclude_last=True`, there is an invariant that at least 2 chunks must have been appended to `_logits_indices`. The parameter is designed to drop the entire last chunk (not just the last token), which is expected behavior for the overlap scheduler that generates one extra token in a separate chunk.

Applied to files:

  • docs/source/features/long-sequence.md
🧬 Code graph analysis (1)
tensorrt_llm/commands/serve.py (1)
tensorrt_llm/builder.py (1)
  • default (45-50)
🪛 Ruff (0.14.5)
tests/unittest/llmapi/test_llm_pytorch.py

808-808: Standard pseudo-random generators are not suitable for cryptographic purposes

(S311)


818-818: Standard pseudo-random generators are not suitable for cryptographic purposes

(S311)

⏰ Context from checks skipped due to timeout of 90000ms. You can increase the timeout in your CodeRabbit configuration to a maximum of 15 minutes (900000ms). (1)
  • GitHub Check: Pre-commit Check
🔇 Additional comments (9)
tensorrt_llm/commands/serve.py (1)

80-146: Chunked prefill default wiring in get_llm_args looks consistent

The new enable_chunked_prefill: bool = True signature and propagation into llm_args["enable_chunked_prefill"] correctly align with the new default behavior and let callers override per-request.

tests/unittest/llmapi/test_llm.py (1)

2417-2434: Explicitly disabling chunked prefill for error-path test is correct

Passing enable_chunked_prefill=False into _test_llm_capture_request_error’s LLM construction is necessary now that the global default is True, so this test continues to exercise the pre-chunking error behavior.

docs/source/release-notes.md (1)

11-13: Release-note entry accurately describes the chunked prefill default change

The new “Breaking Changes” bullet for enable_chunked_prefill matches the implementation and tests: default True, automatic chunking of long sequences, warning/disable for unsupported models, and guidance on restoring prior behavior.

tests/unittest/llmapi/test_llm_pytorch.py (3)

48-52: PyTorch tinyllama logits-processor test now covers both chunked and non‑chunked paths

Parametrizing test_tinyllama_logits_processor over enable_chunked_prefill and forwarding it into tinyllama_logits_processor_test_harness(backend="pytorch", ...) is a good way to ensure PyTorch backend path is covered for both settings.


796-810: Explicitly disabling chunked prefill for max_num_tokens error path is correct

In TestLlmError.test_max_num_token_check, adding enable_chunked_prefill=False to:

llm = LLM(
    llama_model_path,
    kv_cache_config=global_kvcache_config,
    max_num_tokens=100,
    enable_chunked_prefill=False,
)

keeps the “prompt length exceeds max_num_tokens” ValueError behavior intact despite the new global default of True.


811-823: New test correctly verifies default‑enabled chunked prefill no longer errors on long input

test_chunked_prefill_default_enabled builds an LLM without overriding enable_chunked_prefill, uses max_num_tokens=100 and a 101‑token input, and checks that llm.generate(..., max_tokens=1) completes without error.

That’s a concise, targeted assertion that the new default behavior is “chunk then generate” instead of throwing on long sequences.

docs/source/features/long-sequence.md (2)

14-18: Excellent documentation of the new default behavior.

The documentation clearly explains the implications of enabling chunked context by default, addressing key user concerns:

  • Behavior for long sequences (auto-chunk vs. error)
  • Performance for short sequences (no impact)
  • Compatibility for unsupported models (auto-disable with warning)

This will help users understand the change and its impact on their workloads.


19-29: Clear example and important configuration guidance.

The updated example clearly shows the new default setting and how to explicitly disable it if needed. The note about max_num_tokens being a multiple of tokens_per_block (default 64) is crucial configuration guidance for users.

tensorrt_llm/llmapi/llm_args.py (1)

1799-1800: I'll help you verify the review comment about the breaking change in enable_chunked_prefill default value. Let me start by examining the codebase to confirm the changes and verify the safeguards mentioned.
<function_calls>

cat -n tensorrt_llm/llmapi/llm_args.py | sed -n '1795,1805p'

</function_calls>

Let me check the file structure first:
<function_calls>

wc -l tensorrt_llm/llmapi/llm_args.py

</function_calls>

Now let me search for the enable_chunked_prefill field definition:
<function_calls>

rg -n "enable_chunked_prefill" tensorrt_llm/llmapi/llm_args.py

</function_calls>

<function_calls>

rg -n -A2 -B2 "enable_chunked_prefill.*Field" tensorrt_llm/llmapi/llm_args.py

</function_calls>

Now let me verify the automatic fallback logic and warning messages:
<function_calls>

rg -n -C5 "enable_chunked_prefill" --type=py | head -100

</function_calls>

Let me search for disabling logic and warnings more specifically:
<function_calls>

rg -n "chunked_prefill" tensorrt_llm/ --type=py | grep -i "warn|disable|support" | head -20

</function_calls>

<function_calls>

rg -n -B3 -A3 "chunked.*prefill.*not.*support|not.*support.*chunked.*prefill" --type=py

</function_calls>

Let me search for model architecture support checks:
<function_calls>

rg -n "chunked_prefill" tensorrt_llm/ --type=py -C3 | grep -A3 -B3 "model|architectur" | head -50

</function_calls>

Let me find where the actual logic is implemented:
<function_calls>

fd -e py . tensorrt_llm/ | xargs rg -l "enable_chunked_prefill" | head -10

</function_calls>

<function_calls>

rg -n "enable_chunked_prefill" tensorrt_llm/ --type=py | head -30

</function_calls>

Now let me check tests to verify they were updated:
<function_calls>

fd -e py . tests/ | xargs rg -l "enable_chunked_prefill|chunked_prefill" 2>/dev/null | head -10

</function_calls>

Let me check the LLM class implementation:
<function_calls>

rg -n "enable_chunked_prefill" tensorrt_llm/llmapi/ --type=py -B2 -A2

</function_calls>

Let me search for warning messages about chunked prefill:
<function_calls>

rg -n "warn" tensorrt_llm/llmapi/ --type=py | grep -i "chunk|prefill"

</function_calls>

<function_calls>

rg -n "logger|warning|warn" tensorrt_llm/llmapi/llm.py 2>/dev/null | head -20

</function_calls>

Let me check the llm.py file for the initialization logic:
<function_calls>

wc -l tensorrt_llm/llmapi/llm.py

</function_calls>

<function_calls>

rg -n "enable_chunked_prefill" tensorrt_llm/llmapi/llm.py -B5 -A5

</function_calls>

Let me search for the actual validation or fallback logic:
<function_calls>

rg -n "chunked" tensorrt_llm/llmapi/llm.py --type=py

</function_calls>

Let me check if there's validation in the args class or initialization:
<function_calls>

rg -n "def.*validate|def.*check" tensorrt_llm/llmapi/llm_args.py | head -10

</function_calls>

Let me look for model checks related to chunked prefill:
<function_calls>

rg -n "chunked" tensorrt_llm/ --type=py | grep -i "model|support|check|valid" | head -30

</function_calls>

Let me check the actual llm_args.py file around the mentioned lines more carefully:
<function_calls>

sed -n '1790,1810p' tensorrt_llm/llmapi/llm_args.py

</function_calls>

Perfect! Now let me search for where the enable_chunked_prefill is used and if there's fallback logic:
<function_calls>

rg -n "enable_chunked_prefill" tensorrt_llm/ --type=py -A3 | head -80

</function_calls>

Let me check the runtime module for implementation:
<function_calls>

fd -type f -name "*.py" tensorrt_llm/ | xargs rg -l "chunked.*prefill" | head -15

</function_calls>

<function_calls>

rg -n "enable_chunked_prefill|chunked_prefill" tensorrt_llm/runtime/ --type=py

</function_calls>

Let me check the builder or generation modules:
<function_calls>

rg -rn "chunked.*prefill" tensorrt_llm/ --type=py | grep -v "test|.pyc" | head -40

</function_calls>

Let me search for Python files in tensorrt_llm that contain "chunked":
<function_calls>

find tensorrt_llm -name "*.py" -type f -exec grep -l "chunked" {} ; | head -20

</function_calls>

<function_calls>

rg -n "chunked" tensorrt_llm/llmapi/llm.py tensorrt_llm/llmapi/llm_utils.py -C3 2>/dev/null

</function_calls>

Let me check the llm_utils file:
<function_calls>

rg -n "chunked" tensorrt_llm/llmapi/ --type=py -C3

</function_calls>

Let me check if there's a model config or support check:
<function_calls>

rg -rn "supports.*chunked|chunked.*support" tensorrt_llm/ --type=py | head -20

</function_calls>

Let me search more broadly for the change context:
<function_calls>

rg -n "enable_chunked_prefill" tensorrt_llm/ --type=py

</function_calls>

Let me check if there's logic in the llm initialization that handles this:
<function_calls>

grep -rn "enable_chunked_prefill" tensorrt_llm/llmapi/llm.py

</function_calls>

Let me check the full llm.py file for all references:
<function_calls>

grep -n "chunked" tensorrt_llm/llmapi/llm.py

</function_calls>

Let me check the executor or generation logic:
<function_calls>

find tensorrt_llm -name "*.py" -exec grep -l "enable_chunked_prefill" {} ;

</function_calls>

Let me check what files reference enable_chunked_prefill:
<function_calls>

grep -r "enable_chunked_prefill" tensorrt_llm/ --include="*.py" 2>/dev/null

</function_calls>

Now let me check the tests:
<function_calls>

grep -r "enable_chunked_prefill" tests/ --include="*.py" 2>/dev/null | head -20

</function_calls>

Let me check if there are tests that validate the default value:
<function_calls>

grep -r "chunked_prefill" tests/ --include="*.py" 2>/dev/null | head -20

</function_calls>

Let me check the CLI handling:
<function_calls>

find tensorrt_llm -name "*.py" -exec grep -l "argparse|click|typer" {} ; | head -10

</function_calls>

<function_calls>

rg -rn "enable_chunked_prefill" tensorrt_llm/ --type=py

</function_calls>

Let me look at the actual filed definition again to understand the context better:
<function_calls>

sed -n '1795,1850p' tensorrt_llm/llmapi/llm_args.py | cat -n

</function_calls>

Now let me search for any model validation that checks this field:
<function_calls>

rg -n "model_config|model_arch" tensorrt_llm/llmapi/llm_args.py | head -20

</function_calls>

Let me check the broader llm_args file for validation logic:
<function_calls>

grep -n "def.*model_validate|@validator|@field_validator" tensorrt_llm/llmapi/llm_args.py

</function_calls>

Let me search for any runtime logic that handles unsupported models:
<function_calls>

rg -rn "not.*support|unsupport" tensorrt_llm/llmapi/ --type=py | grep -i "chunk|prefill" | head -20

</function_calls>

Let me check the generation phase or executor:
<function_calls>

fd -name "executor*.py" tensorrt_llm/ | xargs rg -n "chunked" 2>/dev/null

</function_calls>

<function_calls>

fd -name "*.py" tensorrt_llm/ | xargs grep -l "executor" | head -10

</function_calls>

Let me examine the generation_executor or batch_manager files:
<function_calls>

find tensorrt_llm -name "batch" -o -name "executor" | head -10

</function_calls>

Let me check what happens when llm_args is passed to the LLM class:
<function_calls>

sed -n '1,50p' tensorrt_llm/llmapi/llm.py | cat -n

</function_calls>

<function_calls>

wc -l tensorrt_llm/llmapi/llm.py

</function_calls>

<function_calls>

grep -n "class LLM" tensorrt_llm/llmapi/llm.py

</function_calls>

<function_calls>

sed -n '50,150p' tensorrt_llm/llmapi/llm.py | cat -n

</function_calls>

Let me search for initialization logic that might handle the chunked prefill:
<function_calls>

grep -n "def init" tensorrt_llm/llmapi/llm.py

</function_calls>

<function_calls>

sed -n '60,200p' tensorrt_llm/llmapi/llm.py | cat -n

</function_calls>

Let me use a broader search for where the enable_chunked_prefill field is actually consumed:
<function_calls>

python3 << 'EOF'
import subprocess
import json

Search for enable_chunked_prefill usage

result = subprocess.run(['grep', '-r', 'enable_chunked_prefill', 'tensorrt_llm/', '--include=*.py'],
capture_output=True, text=True)
lines = result.stdout.strip().split('\n') if result.stdout.strip() else []
print(f"Found {len(lines)} references to enable_chunked_prefill:")
for line in lines:
print(line)
EOF


</function_calls>

Let me check the test files to understand how this field is being tested:
<function_calls>

find tests -name "*.py" -exec grep -l "enable_chunked_prefill|chunked_prefill" {} ;

</function_calls>

<function_calls>

grep -rn "enable_chunked_prefill" tests/ --include="*.py" -B3 -A3

</function_calls>

Let me verify the current state of the codebase by checking the git history or status:
<function_calls>

git log --oneline -20 -- tensorrt_llm/llmapi/llm_args.py 2>/dev/null | head -20

</function_calls>

Let me check if there's any model configuration that disables this for certain architectures:
<function_calls>

find tensorrt_llm -name ".json" -o -name ".yaml" | xargs grep -l "chunked" 2>/dev/null

</function_calls>

Let me verify the actual implementation by checking where llm_args are used:
<function_calls>

grep -rn "llm_args." tensorrt_llm/llmapi/llm.py | grep -i "chunk|enable" | head -20

</function_calls>

<function_calls>

grep -n "self.llm_args|self.args" tensorrt_llm/llmapi/llm.py | head -20

</function_calls>

Let me check if there's documentation about this feature:
<function_calls>

find . -name "*.md" -exec grep -l "chunked.*prefill" {} ; 2>/dev/null

</function_calls>

Let me look at the full context of llm_args class to understand the structure:
<function_calls>

grep -n "class LLMArgs|enable_chunked_prefill" tensorrt_llm/llmapi/llm_args.py | head -20

</function_calls>

<function_calls>

sed -n '1,100p' tensorrt_llm/llmapi/llm_args.py | grep -n "class|@"

</function_calls>

Let me get a comprehensive view of the LLMArgs class:
<function_calls>

python3 << 'EOF'

Find the class definition and understand the context

with open('tensorrt_llm/llmapi/llm_args.py', 'r') as f:
lines = f.readlines()

Find enable_chunked_prefill

for i, line in enumerate(lines):
if 'enable_chunked_prefill' in line:
print(f"Found at line {i+1}: {line.strip()}")
# Show context
print("\nContext (20 lines before and after):")
start = max(0, i - 20)
end = min(len(lines), i + 20)
for j in range(start, end):
prefix = ">>> " if j == i else " "
print(f"{prefix}{j+1}: {lines[j]}", end='')
EOF


</function_calls>

<function_calls>

python3 << 'EOF'
with open('tensorrt_llm/llmapi/llm_args.py', 'r') as f:
content = f.read()

Check if enable_chunked_prefill appears anywhere outside of its definition

import re
matches = list(re.finditer(r'enable_chunked_prefill', content))
print(f"Total occurrences of 'enable_chunked_prefill' in llm_args.py: {len(matches)}")

Show each occurrence

lines = content.split('\n')
for match in matches:
# Find which line this is
line_num = content[:match.start()].count('\n') + 1
print(f"Line {line_num}: {lines[line_num-1]}")
EOF


</function_calls>

Now let me check the entire codebase more thoroughly:
<function_calls>

find . -type f ( -name ".py" -o -name ".cpp" -o -name ".h" -o -name ".cu" ) -exec grep -l "enable_chunked_prefill|chunked_prefill" {} ; 2>/dev/null | grep -v pycache

</function_calls>

<function_calls>

git diff HEAD~1 tensorrt_llm/llmapi/llm_args.py 2>/dev/null | head -100

</function_calls>

Let me check if there are any uncommitted changes or if this is in the current branch:
<function_calls>

git status 2>/dev/null | head -20

</function_calls>

<function_calls>

git log --all --oneline --grep="chunked" 2>/dev/null

</function_calls>

Let me verify what the current actual value is:
<function_calls>

sed -n '1799p' tensorrt_llm/llmapi/llm_args.py

</function_calls>

Perfect! Now let me search for the actual implementation of this feature in the codebase:
<function_calls>

python3 << 'EOF'
import subprocess
import os

Search for any references to chunked prefill logic

search_terms = [
'enable_chunked_prefill',
'chunked_prefill',
'chunked.*prefill',
'prefill.*chunk'
]

all_results = {}
for term in search_terms:
result = subprocess.run(
['grep', '-r', term, '.', '--include=.py', '--include=.cpp', '--include=.h', '--include=.cu'],
capture_output=True,
text=True,
cwd='.'
)
if result.stdout:
files = set()
for line in result.stdout.strip().split('\n'):
if line:
file_path = line.split(':')[0]
if 'pycache' not in file_path and '.git' not in file_path:
files.add(file_path)
all_results[term] = sorted(files)

print("Summary of findings:")
for term, files in all_results.items():
if files:
print(f"\n{term}: Found in {len(files)} file(s)")
for f in files[:5]: # Show first 5
print(f" - {f}")
if len(files) > 5:
print(f" ... and {len(files)-5} more")
EOF


</function_calls>

Let me check the test files to understand what's actually being tested:
<function_calls>

find tests -name "*.py" | xargs grep -l "llm_args|LLMArgs" | head -5

</function_calls>

<function_calls>

grep -rn "enable_chunked_prefill" . --include="*.py" 2>/dev/null | grep -v pycache

</function_calls>

Based on my thorough investigation, I've discovered critical gaps between the original review comment's claims and the actual codebase state. Let me verify one more thing about whether this feature is actually implemented:
<function_calls>

python3 << 'EOF'

Check if enable_chunked_prefill is used in llm_args validation or post_init

import ast
import inspect

try:
with open('tensorrt_llm/llmapi/llm_args.py', 'r') as f:
tree = ast.parse(f.read())

# Find the class with enable_chunked_prefill
for node in ast.walk(tree):
    if isinstance(node, ast.ClassDef):
        # Check if any methods reference enable_chunked_prefill
        for method in node.body:
            if isinstance(method, ast.FunctionDef):
                method_source = ast.get_source_segment(open('tensorrt_llm/llmapi/llm_args.py').read(), method)
                if method_source and 'enable_chunked_prefill' in method_source:
                    print(f"Found in method {method.name}: enable_chunked_prefill is used")

except Exception as e:
print(f"Error: {e}")

Simpler check - just search in methods

import re
with open('tensorrt_llm/llmapi/llm_args.py', 'r') as f:
content = f.read()

Find method definitions that use enable_chunked_prefill

methods = re.finditer(r'def\s+(\w+)\s*([^)]):[^}]?(?=\n def |\nclass |\Z)', content, re.DOTALL)
found = False
for method in methods:
if 'enable_chunked_prefill' in method.group(0) and 'enable_chunked_prefill:' not in method.group(0):
found = True
print(f"Found usage in method: {method.group(1)}")

if not found:
print("No usage of enable_chunked_prefill found in any method")
EOF


</function_calls>

Based on my comprehensive verification of the codebase, I can now provide the rewritten review comment:


Breaking change: Chunked prefill now enabled by default, but implementation gaps need clarification.

The default value change from False to True is a breaking change at lines 1799-1800. However, verification found critical concerns about the claimed safeguards:

  • ✓ Confirmed: Default is now True
  • Not verified: Automatic fallback logic for unsupported models—no model support validation logic found in runtime code
  • Not verified: Warning messages for disabled models—no warning implementations found
  • Concern: The enable_chunked_prefill field is defined but not referenced anywhere in the runtime execution path (llm.py, executors, or generation code)

Action required: Clarify whether this feature is fully implemented or a placeholder. If implemented elsewhere (C++/build system), document that context. If incomplete, either complete the implementation before enabling by default or revert to False until safeguards are in place.

Comment on lines 364 to 367
@click.option("--enable_chunked_prefill",
is_flag=True,
default=False,
default=True,
help="Enable chunked prefill")
Copy link
Contributor

Choose a reason for hiding this comment

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

⚠️ Potential issue | 🟠 Major

CLI currently cannot disable enable_chunked_prefill via flag

With:

@click.option("--enable_chunked_prefill",
              is_flag=True,
              default=True,
              help="Enable chunked prefill")

and the global default now True, users have no way to set enable_chunked_prefill=False from the CLI alone (the flag only ever yields True). This conflicts with docs that say “To restore the previous behavior, explicitly set enable_chunked_prefill=False”.

Consider switching to a boolean switch, for example:

@click.option(
    "--enable_chunked_prefill/--disable_chunked_prefill",
    default=True,
    help="Enable or disable chunked prefill (default: enabled).",
)

and plumb the resulting boolean into serve(... enable_chunked_prefill: bool, ...).

🤖 Prompt for AI Agents
In tensorrt_llm/commands/serve.py around lines 364 to 367, the CLI option uses a
single is_flag=True option which cannot be used to disable chunked prefill when
the default is True; replace that option with a boolean switch that exposes both
enable and disable (e.g. use the Click syntax
--enable_chunked_prefill/--disable_chunked_prefill) set default=True and update
the serve(...) signature to accept enable_chunked_prefill: bool and pass the
boolean through; ensure help text reflects the default and that any internal
code treats the value as a plain bool.

@venkywonka venkywonka self-assigned this Nov 26, 2025
@venkywonka venkywonka marked this pull request as draft November 26, 2025 21:10
@venkywonka venkywonka changed the title [TRTC-1975] [feat] Enable chunked prefill by default [TRTC-1975] [feat] BREAKING: Enable chunked prefill by default Nov 26, 2025
@venkywonka venkywonka marked this pull request as ready for review December 1, 2025 20:05
@venkywonka
Copy link
Collaborator Author

/bot run

@tensorrt-cicd
Copy link
Collaborator

PR_Github #26468 [ run ] triggered by Bot. Commit: 4ca19aa

@tensorrt-cicd
Copy link
Collaborator

PR_Github #26468 [ run ] completed with state SUCCESS. Commit: 4ca19aa
/LLM/main/L0_MergeRequest_PR pipeline #20121 completed with status: 'FAILURE'

@venkywonka venkywonka force-pushed the venky/chunked-prefill-is-default branch from 4ca19aa to 3bd5d15 Compare December 1, 2025 23:21
@venkywonka venkywonka requested review from a team as code owners December 1, 2025 23:21
@venkywonka
Copy link
Collaborator Author

/bot run

Comment on lines 17 to 27
- For models that don't support chunked context (e.g., RNN-based models like Mamba), it will be automatically disabled with a warning

To explicitly control chunked context:
```bash
llm = LLM(
...
enable_chunked_prefill=True,
enable_chunked_prefill=True, # Now the default
# Or to disable: enable_chunked_prefill=False,
...
)
```
Copy link
Collaborator Author

Choose a reason for hiding this comment

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

can be removed now

@tensorrt-cicd
Copy link
Collaborator

PR_Github #26484 [ run ] triggered by Bot. Commit: 3bd5d15

@venkywonka venkywonka requested a review from a team as a code owner December 2, 2025 00:04
@venkywonka
Copy link
Collaborator Author

/bot run

@tensorrt-cicd
Copy link
Collaborator

PR_Github #26486 [ run ] triggered by Bot. Commit: b288503

@tensorrt-cicd
Copy link
Collaborator

PR_Github #37613 [ run ] completed with state SUCCESS. Commit: cb696dc
/LLM/main/L0_MergeRequest_PR pipeline #29104 completed with status: 'FAILURE'

⚠️ Action Required:

  • Please check the failed tests and fix your PR
  • If you cannot view the failures, ask the CI triggerer to share details
  • Once fixed, request an NVIDIA team member to trigger CI again

Link to invocation

@venkywonka
Copy link
Collaborator Author

/bot run

@tensorrt-cicd
Copy link
Collaborator

PR_Github #37941 [ run ] triggered by Bot. Commit: ff62d90 Link to invocation

@tensorrt-cicd
Copy link
Collaborator

PR_Github #37941 [ run ] completed with state SUCCESS. Commit: ff62d90
/LLM/main/L0_MergeRequest_PR pipeline #29385 completed with status: 'FAILURE'

⚠️ Action Required:

  • Please check the failed tests and fix your PR
  • If you cannot view the failures, ask the CI triggerer to share details
  • Once fixed, request an NVIDIA team member to trigger CI again

Link to invocation

@venkywonka venkywonka requested a review from a team as a code owner March 11, 2026 18:53
@venkywonka
Copy link
Collaborator Author

/bot run

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38636 [ run ] triggered by Bot. Commit: 7b6a45f Link to invocation

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38636 [ run ] completed with state SUCCESS. Commit: 7b6a45f
/LLM/main/L0_MergeRequest_PR pipeline #29968 completed with status: 'FAILURE'

CI Report

⚠️ Action Required:

  • Please check the failed tests and fix your PR
  • If you cannot view the failures, ask the CI triggerer to share details
  • Once fixed, request an NVIDIA team member to trigger CI again

Link to invocation

@venkywonka venkywonka requested a review from a team as a code owner March 13, 2026 01:25
@venkywonka
Copy link
Collaborator Author

/bot run

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38802 [ run ] triggered by Bot. Commit: 44db50b Link to invocation

@venkywonka
Copy link
Collaborator Author

/bot kill

@venkywonka
Copy link
Collaborator Author

/bot run --disable-fail-fast

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38804 [ run ] triggered by Bot. Commit: 44db50b Link to invocation

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38805 [ kill ] triggered by Bot. Commit: 44db50b Link to invocation

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38804 [ run ] completed with state ABORTED. Commit: 44db50b

Link to invocation

@tensorrt-cicd
Copy link
Collaborator

PR_Github #38805 [ kill ] completed with state SUCCESS. Commit: 44db50b
Successfully killed previous jobs for commit 44db50b

Link to invocation

@venkywonka
Copy link
Collaborator Author

/bot run --disable-fail-fast

venkywonka and others added 4 commits March 19, 2026 17:03
- Change enable_chunked_prefill default to True in LlmArgs and serve CLI
- Add --disable_chunked_prefill flag (mutually exclusive with --enable_chunked_prefill)
- Keep --enable_chunked_prefill for backward compatibility
- Add enable_chunked_prefill=False to get_model_defaults() for:
  - NemotronH (SSM/hybrid, chunked state unsupported)
  - Qwen3Next (SSM/hybrid, chunked state unsupported)
  - Gemma3 (bidirectional attention for image tokens)
- Update long-sequence docs to reflect new default

Signed-off-by: Venky <23023424+venkywonka@users.noreply.github.com>
- Switch --enable_chunked_prefill to --disable_chunked_prefill in
  quickstart_advanced.py, llm_sparse_attention.py, and lm_eval
- Add HunyuanDense get_model_defaults to conditionally opt out of
  chunked prefill when mamba=True
- Expand Gemma3 get_model_defaults docstring for consistency
- Add unit tests for _resolve_chunked_prefill CLI resolver
- Update DeepSeek V3, Nemotron Nano V2 VL, Nemotron Nano V3,
  EXAONE, and RocketKV docs to reflect new default

Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
Signed-off-by: Venky Ganesh <gvenkatarama@eos0019.eos.clusters.nvidia.com>
…nced tests

quickstart_advanced.py now uses --disable_chunked_prefill since chunked
prefill is enabled by default. Update all callers in test_e2e.py to drop
the obsolete --enable_chunked_prefill flag.

Fixes 7 failures in test_ptp_quickstart_advanced on RTXPro6000D-PyTorch-2.

Signed-off-by: Venky Ganesh <23023424+venkywonka@users.noreply.github.com>
Signed-off-by: Venky Ganesh <gvenkatarama@eos0048.eos.clusters.nvidia.com>
The C++ scheduler and Python runtime disagree on token counts for
one-model speculative decoding (e.g., MTP). The two-model drafter
path normalizes C++ draft_tokens to max_total_draft_tokens before
scheduling, but the one-model MTP path skipped this normalization.
The runtime's overlap extend path always materializes runtime_draft_len
tokens, causing total_num_tokens > max_num_tokens when the scheduler
under-budgets.

Add draft token normalization for one-model MTP that mirrors the
existing two-model drafter pattern. Also set enable_chunked_prefill=
False on 3 DeepSeek-V3-Lite nvfp4/MTP tests that relied on the old
default and add unit tests for the normalization logic.

Signed-off-by: Venky Ganesh <gvenkatarama@eos0115.eos.clusters.nvidia.com>
@venkywonka venkywonka force-pushed the venky/chunked-prefill-is-default branch from 44db50b to 6f42a6c Compare March 20, 2026 00:05
@venkywonka
Copy link
Collaborator Author

/bot run --disable-fail-fast

@tensorrt-cicd
Copy link
Collaborator

PR_Github #39649 [ run ] triggered by Bot. Commit: 6f42a6c Link to invocation

Tests that verify max_num_tokens rejection or construct mock AutoDeploy
executors relied on the old enable_chunked_prefill=False default. With
chunked prefill now enabled by default, these tests need explicit opt-out:

- test_create_ad_executor: mock engine lacks tokens_per_block int,
  causing TypeError in ContextChunkingConfig construction
- test_max_num_token_check: prompt-too-long rejection is skipped when
  chunked prefill handles the input via chunking instead
- _test_llm_capture_request_error: same max_num_tokens validation skip

Signed-off-by: venkywonka <23023424+venkywonka@users.noreply.github.com>
@venkywonka
Copy link
Collaborator Author

/bot run --disable-fail-fast

@tensorrt-cicd
Copy link
Collaborator

PR_Github #39684 [ run ] triggered by Bot. Commit: 46145b7 Link to invocation

@tensorrt-cicd
Copy link
Collaborator

PR_Github #39684 [ run ] completed with state SUCCESS. Commit: 46145b7
/LLM/main/L0_MergeRequest_PR pipeline #30883 completed with status: 'FAILURE'

CI Report

⚠️ Action Required:

  • Please check the failed tests and fix your PR
  • If you cannot view the failures, ask the CI triggerer to share details
  • Once fixed, request an NVIDIA team member to trigger CI again

Link to invocation

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.

6 participants