KEMBAR78
[None][feat] Add Tencent HunYuanDenseV1 model support by sorenwu · Pull Request #7081 · NVIDIA/TensorRT-LLM · GitHub
Skip to content

Conversation

@sorenwu
Copy link
Contributor

@sorenwu sorenwu commented Aug 20, 2025

Summary by CodeRabbit

  • New Features
    • Added support for configuring and running a HunYuan dense causal language model, with options for attention variants, KV heads, rotary embeddings, and normalization choices.
    • Publicly exposed the new model for easy use via the standard API.
    • Introduced optional decode-time debugging to dump per-layer tensor statistics for troubleshooting.

Description

Currently, the Hunyuan inference team supports the Hunyuan-0.5B/1.8B/4B/7B model. By adding the modeling_hunyuan_dense.py related files, it supports the model of HunYuanDenseV1ForCausalLM.

We have validated the accuracy of this PR,HunYuan (new Dense LLM model from Tencent) will open source these days.

Thanks~

Test Coverage

GitHub Bot Help

/bot [-h] ['run', 'kill', 'skip', 'reuse-pipeline'] ...

Provide a user friendly way for developers to interact with a Jenkins server.

Run /bot [-h|--help] to print this help message.

See details below for each supported subcommand.

run [--reuse-test (optional)pipeline-id --disable-fail-fast --skip-test --stage-list "A10-PyTorch-1, xxx" --gpu-type "A30, H100_PCIe" --test-backend "pytorch, cpp" --add-multi-gpu-test --only-multi-gpu-test --disable-multi-gpu-test --post-merge --extra-stage "H100_PCIe-TensorRT-Post-Merge-1, xxx" --detailed-log --debug(experimental)]

Launch build/test pipelines. All previously running jobs will be killed.

--reuse-test (optional)pipeline-id (OPTIONAL) : Allow the new pipeline to reuse build artifacts and skip successful test stages from a specified pipeline or the last pipeline if no pipeline-id is indicated. If the Git commit ID has changed, this option will be always ignored. The DEFAULT behavior of the bot is to reuse build artifacts and successful test results from the last pipeline.

--disable-reuse-test (OPTIONAL) : Explicitly prevent the pipeline from reusing build artifacts and skipping successful test stages from a previous pipeline. Ensure that all builds and tests are run regardless of previous successes.

--disable-fail-fast (OPTIONAL) : Disable fail fast on build/tests/infra failures.

--skip-test (OPTIONAL) : Skip all test stages, but still run build stages, package stages and sanity check stages. Note: Does NOT update GitHub check status.

--stage-list "A10-PyTorch-1, xxx" (OPTIONAL) : Only run the specified test stages. Examples: "A10-PyTorch-1, xxx". Note: Does NOT update GitHub check status.

--gpu-type "A30, H100_PCIe" (OPTIONAL) : Only run the test stages on the specified GPU types. Examples: "A30, H100_PCIe". Note: Does NOT update GitHub check status.

--test-backend "pytorch, cpp" (OPTIONAL) : Skip test stages which don't match the specified backends. Only support [pytorch, cpp, tensorrt, triton]. Examples: "pytorch, cpp" (does not run test stages with tensorrt or triton backend). Note: Does NOT update GitHub pipeline status.

--only-multi-gpu-test (OPTIONAL) : Only run the multi-GPU tests. Note: Does NOT update GitHub check status.

--disable-multi-gpu-test (OPTIONAL) : Disable the multi-GPU tests. Note: Does NOT update GitHub check status.

--add-multi-gpu-test (OPTIONAL) : Force run the multi-GPU tests in addition to running L0 pre-merge pipeline.

--post-merge (OPTIONAL) : Run the L0 post-merge pipeline instead of the ordinary L0 pre-merge pipeline.

--extra-stage "H100_PCIe-TensorRT-Post-Merge-1, xxx" (OPTIONAL) : Run the ordinary L0 pre-merge pipeline and specified test stages. Examples: --extra-stage "H100_PCIe-TensorRT-Post-Merge-1, xxx".

--detailed-log (OPTIONAL) : Enable flushing out all logs to the Jenkins console. This will significantly increase the log volume and may slow down the job.

--debug (OPTIONAL) : Experimental feature. Enable access to the CI container for debugging purpose. Note: Specify exactly one stage in the stage-list parameter to access the appropriate container environment. Note: Does NOT update GitHub check status.

For guidance on mapping tests to stage names, see docs/source/reference/ci-overview.md
and the scripts/test_to_stage_mapping.py helper.

kill

kill

Kill all running builds associated with pull request.

skip

skip --comment COMMENT

Skip testing for latest commit on pull request. --comment "Reason for skipping build/test" is required. IMPORTANT NOTE: This is dangerous since lack of user care and validation can cause top of tree to break.

reuse-pipeline

reuse-pipeline

Reuse a previous pipeline to validate current commit. This action will also kill all currently running builds associated with the pull request. IMPORTANT NOTE: This is dangerous since lack of user care and validation can cause top of tree to break.

@sorenwu sorenwu requested review from a team as code owners August 20, 2025 07:19
@coderabbitai
Copy link
Contributor

coderabbitai bot commented Aug 20, 2025

📝 Walkthrough

Walkthrough

Adds a new HunYuan configuration class and a full dense HunYuan causal LM implementation. Exposes the model via the models package. Implements attention, MLP, decoder layers, model assembly, logits head, weight-loading logic (including TP KV duplication), input validation, and optional decode-time debug dumping.

Changes

Cohort / File(s) Summary of Changes
HunYuan config
tensorrt_llm/_torch/model_config.py
Introduces HunYuanPretrainedConfig extending PretrainedConfig with HunYuan-specific hyperparameters, defaults, token ID wiring, rope scaling validator (present but not invoked), and model_type/keys_to_ignore_at_inference.
Model export wiring
tensorrt_llm/_torch/models/__init__.py
Imports and exports HunYuanDenseV1ForCausalLM; updates all.
HunYuan dense model
tensorrt_llm/_torch/models/modeling_hunyuan_dense.py
Adds full dense HunYuan implementation: rotary embedding class, attention with optional QK norm and rope, MLP (dense/MoE/shared variants), decoder layer, model assembly, CausalLM wrapper with forward and load_weights, tensor-stat helpers, and optional decode-step debug dump hooks.

Sequence Diagram(s)

sequenceDiagram
  autonumber
  actor U as User Code
  participant LM as HunYuanDenseV1ForCausalLM
  participant M as HunYuanModel
  participant E as Embeddings
  participant L as DecoderLayer[n]
  participant A as HunYuanAttention
  participant F as HunYuanMLP
  participant N as FinalNorm
  participant H as LM Head

  U->>LM: forward(attn_metadata, input_ids | inputs_embeds, position_ids, ...)
  alt input_ids provided
    LM->>M: forward(input_ids, position_ids, attn_metadata, ...)
    M->>E: lookup(input_ids)
  else inputs_embeds provided
    LM->>M: forward(inputs_embeds, position_ids, attn_metadata, ...)
  end
  loop for each layer
    M->>L: forward(hidden_states, attn_metadata, position_ids, ...)
    L->>A: self-attn(qkv, rope, optional QK norm)
    A-->>L: attn_output
    L->>F: mlp(attn_output)
    F-->>L: mlp_output
    L-->>M: hidden_states
  end
  M->>N: normalize(hidden_states)
  N-->>LM: features
  LM->>H: project_to_vocab(features)
  H-->>U: logits

  note over LM,U: Optional: if DUMP_DECODE_STEP > 0, attach hooks and emit JSONL stats
Loading
sequenceDiagram
  autonumber
  actor U as Loader
  participant LM as HunYuanDenseV1ForCausalLM
  participant W as Weights Dict
  participant Map as Mapping Logic

  U->>LM: load_weights(W)
  LM->>Map: filter/route module weights
  Map-->>LM: assign module params
  opt tensor-parallel
    LM->>LM: duplicate KV weights per TP policy
  end
  opt tie_word_embeddings
    LM->>LM: skip lm_head loading as needed
  end
  LM-->>U: load complete
Loading

Estimated code review effort

🎯 4 (Complex) | ⏱️ ~75 minutes

Tip

🔌 Remote MCP (Model Context Protocol) integration is now available!

Pro plan users can now connect to remote MCP servers from the Integrations page. Connect with popular remote MCPs such as Notion and Linear to add more context to your reviews and chats.

✨ Finishing Touches
  • 📝 Generate Docstrings
🧪 Generate unit tests
  • Create PR with unit tests
  • Post copyable unit tests in a comment

Thanks for using CodeRabbit! It's free for OSS, and your support helps us grow. If you like it, consider giving us a shout-out.

❤️ Share
🪧 Tips

Chat

There are 3 ways to chat with CodeRabbit:

  • Review comments: Directly reply to a review comment made by CodeRabbit. Example:
    • I pushed a fix in commit <commit_id>, please review it.
    • Open a follow-up GitHub issue for this discussion.
  • Files and specific lines of code (under the "Files changed" tab): Tag @coderabbitai in a new review comment at the desired location with your query.
  • PR comments: Tag @coderabbitai in a new PR comment to ask questions about the PR branch. For the best results, please provide a very specific query, as very limited context is provided in this mode. Examples:
    • @coderabbitai gather interesting stats about this repository and render them as a table. Additionally, render a pie chart showing the language distribution in the codebase.
    • @coderabbitai read the files in the src/scheduler package and generate a class diagram using mermaid and a README in the markdown format.

Support

Need help? Create a ticket on our support page for assistance with any issues or questions.

CodeRabbit Commands (Invoked using PR/Issue comments)

Type @coderabbitai help to get the list of available commands.

Other keywords and placeholders

  • Add @coderabbitai ignore anywhere in the PR description to prevent this PR from being reviewed.
  • Add @coderabbitai summary to generate the high-level summary at a specific location in the PR description.
  • Add @coderabbitai or @coderabbitai title anywhere in the PR title to generate the title automatically.

Status, Documentation and Community

  • Visit our Status Page to check the current availability of CodeRabbit.
  • Visit our Documentation for detailed information on how to use CodeRabbit.
  • Join our Discord Community to get help, request features, and share feedback.
  • Follow us on X/Twitter for updates and announcements.

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: 7

Caution

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

⚠️ Outside diff range comments (3)
tensorrt_llm/_torch/model_config.py (2)

1-1: Add NVIDIA copyright header.

All source files should start with the current-year NVIDIA copyright header per repository guidelines.

Apply this diff at the top of the file:

+# Copyright (c) 2025, NVIDIA CORPORATION.  All rights reserved.
+#
+```

---

`11-16`: **Remove duplicate/conflicting logger import.**

`logger` is imported twice (from different locations), which is redundant and can be confusing. Keep the explicit import from `tensorrt_llm.logger`.

Apply this diff:

```diff
-from tensorrt_llm import logger
 from tensorrt_llm._torch.pyexecutor.config_utils import is_nemotron_hybrid
 from tensorrt_llm._utils import get_sm_version, torch_dtype_to_binding
 from tensorrt_llm.bindings import LayerType as LayerTypeCpp
 from tensorrt_llm.functional import AllReduceStrategy
 from tensorrt_llm.logger import logger
tensorrt_llm/_torch/models/__init__.py (1)

1-1: Add NVIDIA copyright header.

Add the required NVIDIA copyright header at the top.

Apply this diff:

+# Copyright (c) 2025, NVIDIA CORPORATION.  All rights reserved.
+#
🧹 Nitpick comments (8)
tensorrt_llm/_torch/model_config.py (3)

244-247: Enable rope_scaling validation early.

You define _rope_scaling_validation() but never call it. Enabling it in __init__ will catch invalid configs early.

Apply this diff:

         self.rope_theta = rope_theta
         self.rope_scaling = rope_scaling
-        # self._rope_scaling_validation()   # TODO: Need validation?
+        self._rope_scaling_validation()

If strictness is a concern, you can guard this call behind an env flag or parameter.


34-116: Docstring defaults and descriptions are out of sync with the implementation.

Examples:

  • vocab_size doc says 32000, code defaults to 290943.
  • rms_norm_eps doc says 1e-06, code uses 1e-5.
  • moe_intermediate_size doc says defaults to 11008, code defaults to None.
  • attention_bias has duplicated “defaults to False”.

Please align the docstring with the actual defaults to avoid confusion for users.


352-383: Be less strict about rope_scaling keys.

The current validation requires the dict to have exactly two keys (len(...) != 2 check). In practice, configs may carry auxiliary fields; this strictness can cause unnecessary breakage. Consider validating presence and type of required keys without constraining the total number of keys.

tensorrt_llm/_torch/models/modeling_hunyuan_dense.py (5)

9-12: Use project logger instead of print and add logger import.

This module emits print statements later. Prefer the project logger for consistency and log-level control.

Apply this diff to import the logger:

 from tqdm import tqdm
 
 from tensorrt_llm._torch.distributed import AllReduceParams
 from tensorrt_llm.functional import PositionEmbeddingType
+from tensorrt_llm.logger import logger

And see further comments for replacing print calls below.


250-255: Consider using HunYuanMLP instead of the generic GatedMLP.

You introduced HunYuanMLP to encapsulate HunYuan-specific sizing and MoE/shared-MLP choices, but the layer currently instantiates GatedMLP directly. Replace with HunYuanMLP to honor moe_intermediate_size, num_shared_expert, etc.

Apply this diff:

-        self.mlp = GatedMLP(hidden_size=config.hidden_size,
-                            intermediate_size=config.intermediate_size,
-                            bias=config.mlp_bias,
-                            dtype=config.torch_dtype,
-                            config=model_config)
+        self.mlp = HunYuanMLP(
+            model_config=model_config,
+            layer_idx=layer_idx,
+            is_shared_mlp=False,
+            is_moe=(getattr(config, "num_experts", 1) != 1),
+        )

If shared-MLP is part of your design, set is_shared_mlp=True based on config.


444-456: Avoid hard-coded internal paths in debug dump directory.

Defaulting TRT_MODEL_DUMP_DIR to an internal path leaks internal infra details. Use a safe local default (e.g., ./trt_model_dumps or /tmp/trt_model_dumps).

Apply this diff:

                 self.dump_modules_file = os.path.join(
                     os.environ.get(
-                        "TRT_MODEL_DUMP_DIR",
-                        "/apdcephfs_jn/share_302216743/jiarunliu/trt_model_dumps"
+                        "TRT_MODEL_DUMP_DIR",
+                        os.path.join(os.getcwd(), "trt_model_dumps"),
                     ),
                     f"trt_modules_{time.strftime('%Y%m%d_%H%M%S')}_{id(self):x}.jsonl"
                 )

572-573: Use logger and English messages for debug prints.

Replace print with logger.info and avoid non-English logs to keep consistent logging conventions and CI log readability.

Apply this diff:

-                    print(f"已完成第{self.decode_step - 3}次decode的数据收集,hook已移除")
+                    logger.info("Removed debug hooks after collecting decode step %d", self.decode_step - 3)
...
-                print(
-                    f"第{self.decode_step - 2}次decode的模块信息已dump到: {self.dump_modules_file}"
-                )
+                logger.info(
+                    "Dumped module info for decode step %d to %s",
+                    self.decode_step - 2,
+                    self.dump_modules_file,
+                )

Also applies to: 593-595


29-73: Localize or translate comments/docstrings.

Function docstrings and inline comments here are partly in Chinese. For consistency and maintainability across the project, translate them to English (Google-style docstrings preferred).

📜 Review details

Configuration used: .coderabbit.yaml
Review profile: CHILL
Plan: Pro

💡 Knowledge Base configuration:

  • MCP integration is disabled by default for public repositories
  • Jira integration is disabled by default for public repositories
  • Linear integration is disabled by default for public repositories

You can enable these sources in your CodeRabbit configuration.

📥 Commits

Reviewing files that changed from the base of the PR and between 020fed9 and 3e58b2b.

📒 Files selected for processing (3)
  • tensorrt_llm/_torch/model_config.py (2 hunks)
  • tensorrt_llm/_torch/models/__init__.py (2 hunks)
  • tensorrt_llm/_torch/models/modeling_hunyuan_dense.py (1 hunks)
🧰 Additional context used
📓 Path-based instructions (2)
**/*.py

📄 CodeRabbit Inference Engine (CODING_GUIDELINES.md)

**/*.py: Python code must target Python 3.8+
Python indentation: 4 spaces, no tabs
Maintain module namespace in imports (from package.subpackage import foo; then use foo.SomeClass())
Python file names use snake_case
Python class names use PascalCase
Python functions/methods and local variables use snake_case; variables starting with a number get k_ prefix (e.g., k_99th_percentile)
Global variables use G_ prefixed UPPER_SNAKE_CASE (e.g., G_MY_GLOBAL)
Constants use UPPER_SNAKE_CASE in Python
Avoid shadowing variables from outer scopes in Python
Initialize all externally visible members of a Python class in init
Prefer docstrings for interfaces used outside a file; comments for local code
Use Google-style docstrings for classes and functions (Sphinx-parsable)
Document attributes/variables inline with short docstrings
Avoid reflection when simple alternatives exist (e.g., prefer explicit parameters over dict(**locals()))
In try/except, catch the narrowest exceptions possible
For duck-typing with try/except, keep try body minimal and put logic in else

Files:

  • tensorrt_llm/_torch/models/__init__.py
  • tensorrt_llm/_torch/models/modeling_hunyuan_dense.py
  • tensorrt_llm/_torch/model_config.py
**/*.{cpp,cxx,cc,cu,h,hpp,hxx,hh,cuh,py}

📄 CodeRabbit Inference Engine (CODING_GUIDELINES.md)

Prepend NVIDIA copyright header (current year) to all source files

Files:

  • tensorrt_llm/_torch/models/__init__.py
  • tensorrt_llm/_torch/models/modeling_hunyuan_dense.py
  • tensorrt_llm/_torch/model_config.py
🪛 Ruff (0.12.2)
tensorrt_llm/_torch/models/modeling_hunyuan_dense.py

121-121: Comparison to None should be cond is not None

Replace with cond is not None

(E711)


483-483: Line too long (129 > 120)

(E501)


488-488: Line too long (134 > 120)

(E501)


496-496: Line too long (134 > 120)

(E501)


510-510: Line too long (164 > 120)

(E501)

tensorrt_llm/_torch/model_config.py

103-103: Line too long (130 > 120)

(E501)


113-113: Line too long (139 > 120)

(E501)

🔇 Additional comments (2)
tensorrt_llm/_torch/models/__init__.py (1)

11-11: Expose HunYuanDenseV1ForCausalLM (LGTM).

Import and export additions look correct and align with the new model implementation.

Also applies to: 43-44

tensorrt_llm/_torch/models/modeling_hunyuan_dense.py (1)

340-347: Fix XOR logic for input validation.

Current check raises when exactly one of input_ids or inputs_embeds is provided. You want to raise when both are provided or both are missing.

Apply this diff:

-        if (input_ids is None) ^ (inputs_embeds is not None):
-            raise ValueError(
-                "You cannot specify both input_ids and inputs_embeds at the same time, and must specify either one"
-            )
+        # Require exactly one of {input_ids, inputs_embeds}
+        if (input_ids is None) == (inputs_embeds is None):
+            raise ValueError(
+                "You must pass exactly one of input_ids or inputs_embeds."
+            )

Likely an incorrect or invalid review comment.

@svc-trtllm-gh-bot svc-trtllm-gh-bot added the Community want to contribute PRs initiated from Community label Aug 20, 2025
Signed-off-by: jianweiwu <sorenwu@tencent.com>
@sorenwu
Copy link
Contributor Author

sorenwu commented Sep 3, 2025

Summary by CodeRabbit

  • New Features

    • Added support for configuring and running a HunYuan dense causal language model, with options for attention variants, KV heads, rotary embeddings, MoE/shared MLP, and normalization choices.
    • Publicly exposed the new model for easy use via the standard API.
    • Introduced optional decode-time debugging to dump per-layer tensor statistics for troubleshooting.

Description

Currently, the Hunyuan inference team supports the Hunyuan-0.5B/1.8B/4B/7B model. By adding the modeling_hunyuan_dense.py related files, it supports the model of HunYuanDenseV1ForCausalLM.

We have validated the accuracy of this PR,HunYuan (new Dense LLM model from Tencent) will open source these days.

Thanks~

Test Coverage

GitHub Bot Help

/bot [-h] ['run', 'kill', 'skip', 'reuse-pipeline'] ...

Provide a user friendly way for developers to interact with a Jenkins server.

Run /bot [-h|--help] to print this help message.

See details below for each supported subcommand.

@sorenwu sorenwu closed this Sep 3, 2025
@sorenwu sorenwu reopened this Sep 3, 2025
@sorenwu sorenwu changed the title [None][feat]Add Tencent HunYuanDenseV1 model support [None][feat] Add Tencent HunYuanDenseV1 model support Sep 3, 2025
Signed-off-by: sorenwu <sorenwu@tencent.com>
Copy link
Collaborator

@syuoni syuoni left a comment

Choose a reason for hiding this comment

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

Hi @sorenwu , thanks for the contribution! Please see the comments.

Signed-off-by: sorenwu <sorenwu@tencent.com>
…dense.py

Signed-off-by: sorenwu <sorenwu@tencent.com>
Copy link
Collaborator

@syuoni syuoni left a comment

Choose a reason for hiding this comment

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

LGYM, thanks!

Signed-off-by: Enwei Zhu <21126786+syuoni@users.noreply.github.com>
@syuoni
Copy link
Collaborator

syuoni commented Sep 4, 2025

This model requires transformers>=4.56.0, waiting for #7523

@syuoni
Copy link
Collaborator

syuoni commented Sep 22, 2025

/bot run

@tensorrt-cicd
Copy link
Collaborator

PR_Github #19601 [ run ] triggered by Bot

@tensorrt-cicd
Copy link
Collaborator

PR_Github #19601 [ run ] completed with state SUCCESS
/LLM/main/L0_MergeRequest_PR pipeline #14742 completed with status: 'SUCCESS'

@syuoni syuoni merged commit 9da4203 into NVIDIA:main Sep 23, 2025
5 checks passed
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment

Labels

Community want to contribute PRs initiated from Community

Projects

None yet

Development

Successfully merging this pull request may close these issues.

4 participants