mirror of
https://github.com/PaddlePaddle/FastDeploy.git
synced 2026-04-23 00:17:25 +08:00
7707be8384
* [Feature][KVCache] Support cache manager v1 architecture Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com> * Update cache manager and related modules Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com> * chore: update cache_manager and related modules Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com> * fix: add node to evictable set in complete_swap_to_device When a node transitions from SWAP_TO_DEVICE to DEVICE via complete_swap_to_device, it was not being added to the _evictable_device set. This caused nodes with ref_count=0 to become "orphaned" - not appearing in any evictable set despite having cache_status=DEVICE. Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com> * feat: update cache manager v1 and related modules - Add new cache_manager.py with cache management functionality - Add radix_tree.py for prefix caching - Update block_pool.py and metadata.py - Update request.py and resource_manager_v1.py for scheduling - Update gpu_model_runner.py for GPU model execution Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com> * feat(cache): add cache controller v1 implementation - Add CacheController class for cache management - Update config.py with cache related configurations - Refactor gpu_model_runner.py for improved cache handling * feat(cache_manager): update cache manager v1 * fix(cache_manager): 修复 swap_cache H2D/D2H 方向的 block_ids 逻辑并清理 ForwardMeta ## Motivation 修复 swap_cache_optimized.cu 中 H2D 方向时 src/dst block_ids 使用错误的问题, 并清理 ForwardMeta 中已废弃的 cache_controller 字段。 ## Modifications - fix: swap_cache_optimized.cu 中根据 D2H 模板参数正确选取 src/dst block_ids, 修复 H2D 方向 src/dst 倒置 bug(同时修复 SwapCachePerLayerImpl 和 SwapCacheAllLayersBatchImpl) - refactor: cache_manager/v1/__init__.py 将 LayerSwapTimeoutError 导入从 cache_controller 改为 cache_utils(正确来源) - refactor: ForwardMeta 移除废弃的 cache_controller 字段 - refactor: gpu_model_runner.py 移除对应的 cache_controller 赋值语句 - test: 新增 tests/cache_manager/v1/test_swap_cache_ops.py 单元测试 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * feat(cache_manager): refactor cache manager v1 and optimize swap ops ## Motivation 对 cache manager v1 进行重构和优化,精简代码结构,提升可维护性。 ## Modifications - 重构 transfer_manager.py,大幅精简代码逻辑 - 优化 swap_cache_optimized.cu GPU 算子实现 - 调整 cache_manager.py、cache_controller.py 逻辑,修复 free_device_blocks 方法缺失问题 - 更新 block_pool.py、cache_utils.py、metadata.py、radix_tree.py - 精简 gpu_model_runner.py、forward_meta.py、attention.py 中相关调用 - 更新对应单元测试(test_cache_controller、test_swap_cache_ops、test_transfer_manager) - 调整 config.py 中相关配置项 * [KVCache][MTP] 支持 cache_manager_v1 下的 MTP KV Cache 初始化及多模态 hash ## Motivation 在 enable_cache_manager_v1 路径下,MTP(speculative decode)的 KV Cache 需要由 CacheController 统一管理,以复用 swap/transfer 能力,同时修复多模态场景下 block hash 未携带 multimodal extra_keys 的问题。 ## Modifications - `cache_controller.py` - 新增 `initialize_mtp_kv_cache`:通过 CacheController 初始化 MTP KV Cache, 并将其注册到 cache_kvs_map,使 transfer_manager 自动覆盖 MTP 层 - `initialize_host_cache` 中的 num_layers 改为包含 MTP 额外 cache 层数,保证 Host Cache 也为 MTP 分配足够空间 - `_free_gpu_cache` 改名为 `free_gpu_cache`(对外可调用) - `cache_utils.py` - 新增 `get_block_hash_extra_keys`:提取单个 block 内的多模态 hash 信息, 对齐 PrefixCacheManager 的 multimodal extra_keys 逻辑 - `get_request_block_hasher` 中在 hash_block_tokens 时携带 extra_keys, 修复多模态场景 prefix cache 命中率不准的问题 - `spec_decode/mtp.py` - `update_mtp_block_num` 新增 `skip_cache_init` 参数,避免 v1 cache manager 路径下重复初始化 MTP KV Cache - `gpu_model_runner.py` - `initialize_kv_cache(v1)` 路径:在主模型 cache 初始化后,调用 `cache_controller.initialize_mtp_kv_cache` 完成 MTP cache 创建 - `clear_cache` / `wakeup` / `reset` 等路径:respect `enable_cache_manager_v1` 标志,跳过重复的 proposer.initialize_kv_cache 调用 ## Usage or Command ```bash # 启动支持 MTP + cache_manager_v1 的推理服务(示例) bash run.sh ``` * fix(cache_manager): multi-GPU fix, mm hash boundary fix, and remove batch ops 1. Fix CuPy stream/event creation for multi-GPU: wrap all stream operations with cp.cuda.Device(device_id) context to ensure streams/events are bound to the correct device, preventing cross-device errors in multi-GPU setups. 2. Remove cudaSetDevice from SwapCacheAllLayers (handled by cupy context now). 3. Remove swap_cache_all_layers_batch op: simplified the implementation by removing the batch upload variant; all-layer transfers now use the standard swap_cache_all_layers with cupy device context. 4. Fix mm hash boundary comparison in get_block_hash_extra_keys: change strict less-than (<) to less-than-or-equal (<=) so that multimodal items ending exactly at block start are correctly excluded. 5. Extract config fields to KVCacheBase: model_config, cache_config, quant_config, parallel_config are now set in the base class __init__ to avoid duplication in CacheController and CacheManager subclasses. 6. Translate metadata.py docstrings from Chinese to English for broader contributor accessibility. 7. Add test_cache_utils.py: comprehensive unit tests for get_block_hash_extra_keys covering all boundary and overlap scenarios. 8. Expand test suite: test_request.py cache fields tests, test_radix_tree.py backup candidate tests, test_transfer_manager.py and test_cache_manager.py multi-GPU and concurrent operation tests. Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] fix List import and move write_policy normalization to CacheManager ## Motivation 修复两处问题: 1. `fastdeploy/engine/request.py` 中 `List` 未导入导致 pre-commit F821 报错 2. `write_policy` 归一化逻辑(`write_through` → `write_through_selective`)不应放在 `FDConfig`,移至 `CacheManager.__init__` 中,使其只影响 Cache Manager V1 的内部逻辑 ## Modifications - `fastdeploy/engine/request.py`: 在 `typing` 导入中补充 `List`,删除重复的 `CacheSwapMetadata` TYPE_CHECKING 导入,修复 F821/F811 - `fastdeploy/config.py`: 删除 `write_policy` 归一化逻辑 - `fastdeploy/cache_manager/v1/cache_manager.py`: 将归一化逻辑移入 `CacheManager.__init__` Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] fix pre-commit code style issues ## Motivation 修复 CI pre-commit 代码风格检查失败问题。 ## Modifications - `fastdeploy/engine/common_engine.py`: black 格式化 - `fastdeploy/worker/worker_process.py`: black 格式化 + isort 修复 - `fastdeploy/cache_manager/v1/storage/__init__.py`: isort 修复 - `fastdeploy/worker/gpu_worker.py`: isort 修复 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [Feature][KVCache] update cache_manager_v1 modules ## Motivation 更新 Cache Manager V1 相关模块,完善版权信息、改进模块结构与可维护性。 ## Modifications - `fastdeploy/cache_manager/v1/` 系列模块:补充版权 header,优化代码结构 - `fastdeploy/config.py`:配置项更新 - `fastdeploy/engine/sched/resource_manager_v1.py`:调度相关更新 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [Feature][KVCache] add BatchRequest.from_tasks and refactor worker task parsing ## Motivation 将 worker_process 中重复的 task 解析逻辑收敛到 BatchRequest,减少代码冗余,提升可维护性。 ## Modifications - `fastdeploy/engine/request.py`:新增 `BatchRequest.from_tasks()` 类方法,统一将 task_queue 任务分类为推理请求和控制请求 - `fastdeploy/worker/worker_process.py`:使用 `BatchRequest.from_tasks()` 替代内联解析逻辑,并修复重复的 control_reqs 处理块 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [Feature][KVCache] add NUMA affinity for host cache and skip swap cache tests ## Motivation 优化 Host cache 内存分配的 NUMA 亲和性,减少跨 NUMA 访问延迟; 同时跳过 swap cache ops 测试(当前环境不支持)。 ## Modifications - `fastdeploy/cache_manager/v1/cache_controller.py`: - 新增 `_get_numa_node_for_gpu()` 方法,通过 nvidia-smi 或 sysfs 获取 GPU 对应的 NUMA 节点 - 新增 `_bind_to_closest_numa_node()` 方法,绑定当前线程到 GPU 最近的 NUMA 节点 - 在 `initialize_host_cache()` 中调用 NUMA 绑定,优化 H2D 传输性能 - `tests/cache_manager/v1/test_swap_cache_ops.py`:跳过所有测试类(`TestSwapCacheAllLayersCorrectness`、`TestSwapCacheAllLayersPerformance`、`TestSwapCacheRandomBlockIndices`) Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] fix unittest failures for cache_manager_v1 三个单测因接口变更或 Mock 方式问题导致失败,需修复。 - tests/distributed/chunked_moe.py:`setup_model_runner` 使用 `__new__` 跳过 `__init__`,补加 `enable_cache_manager_v1 = False`,修复 `AttributeError` - tests/engine/test_resource_manager.py:`PrefixCacheManager` 为局部导入,`patch` 路径改为定义位置 `fastdeploy.cache_manager.prefix_cache_manager.PrefixCacheManager` - tests/v1/test_resource_manager_v1.py:`_trigger_preempt` 第四参数已由 `list` 改为 `BatchRequest`,更新测试传参和断言 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] remove debug logging code ## Modifications - fastdeploy/engine/request.py:删除调试用 logger 及 prompt_hashes 中的 debug 日志 - fastdeploy/worker/worker_process.py:删除 __main__ 中的调试 import 和 print 语句 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] fix cupy device id caching and pickle for _match_result ## Motivation 修复两个 bug: 1. `transfer_manager.py` 中每次调用 `cp.cuda.runtime.getDevice()` 存在隐患,应在初始化时缓存为实例变量,保证后续操作使用一致的设备 ID。 2. `request.py` 的 `__getstate__` 未跳过 `_match_result`,该字段包含 BlockNode 树的父子循环引用,pickle 时会触发 `RecursionError`;同时补充 `__setstate__` 确保 unpickle 后字段恢复为安全默认值。 ## Modifications - `transfer_manager.py`:初始化时调用 `cp.cuda.runtime.getDevice()` 并缓存到 `self._cupy_device_id`,后续 `with cp.cuda.Device(...)` 和日志均使用该缓存值。 - `request.py`: - `__getstate__` 中将 `_match_result` 加入跳过集合 `_SKIP_KEYS`,避免循环引用导致 pickle 失败。 - 新增 `__setstate__`,unpickle 后将 `_block_hasher` 和 `_match_result` 恢复为 `None`。 ## Usage or Command * fix(test): fix unit test errors for _trigger_preempt and wakeup with MTP - Use BatchRequest instead of list in test_trigger_preempt_records_tasks - Add missing enable_cache_manager_v1 attr in TestSleepWakeupBehavior._make_runner Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] fix gpu_free_block_list returning wrong block IDs ## Motivation `gpu_free_block_list` 的兼容 property 中误用了 `list(range(N))`, 将 `available_blocks()` 的返回值当作整数传给 `range()`, 导致返回 `[0, 1, ..., N-1]` 的假列表,而非真实的空闲 block ID。 ## Modifications - `cache_manager/v1/cache_manager.py`:将 `list(range(self._device_pool.available_blocks()))` 改为 `list(self._device_pool.available_blocks())` Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] 修复 gpu_free_block_list 返回 int 导致 TypeError ## Motivation gpu_free_block_list 属性中调用 BlockPool.available_blocks(), 该方法返回 int(空闲块数量),用 list() 包装 int 会触发 TypeError: 'int' object is not iterable。 ## Modifications 将 list(self._device_pool.available_blocks()) 改为 list(self._device_pool._free_blocks),直接返回空闲块索引列表。 Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [KVCache][CacheManager] 适配 V1 CacheManager 的 pause/sleep/free_cache 操作 ## Motivation V1 CacheManager 引入了新的 reset_cache() 接口,pause 和 sleep 操作需要适配, 同时 free_cache 需要支持可选的 clear_storage 参数。 ## Modifications - cache_controller.py: free_cache 新增 clear_storage 参数(默认 False), 仅当 clear_storage=True 时才调用 _clear_storage(),避免不必要的 storage 清空 - common_engine.py: pause 和 sleep 操作中,当 ENABLE_V1_KVCACHE_MANAGER 时 使用 cache_manager.reset_cache() 替代旧的 reset() 和 pause_transfer 逻辑 - gpu_model_runner.py: sleep 时仅在非 V1 cache manager 下执行 MTP cache 清除 ## Usage or Command # 启动服务(V1 CacheManager) python -m fastdeploy.entrypoints.openai.api_server \ --enable-v1-kvcache-manager \ ... * [BugFix][KVCache] fix missing enable_cache_manager_v1 in test mocks and remove unused select_blocks_for_backup - Remove unused `select_blocks_for_backup` method from radix_tree.py - Fix `match_prefix` default param `skip_storage=True` and log order in cache_manager.py - Sync test_gpu_model_runner.py with upstream/develop (add TestInsertTasksV1SplitwiseSuffix) - Add `enable_cache_manager_v1=False` to all mock runners to fix AttributeError in CI Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [BugFix][KVCache] simplify _free_blocks in ResourceManagerV1 for non-v1 path Remove redundant prefix_caching branch in else path; always call recycle_gpu_blocks with full block_tables for non-cache-manager-v1 case. Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com> * [KVCache][Optimization][BugFix] fix and optimize block_pool, cache_manager, transfer_manager, request ## Motivation 修复 cache_manager v1 中若干代码质量问题,提升性能并消除潜在的类型不一致 Bug。 ## Modifications 1. **block_pool.py**:`BlockPool.allocate` 将逐个 pop 循环替换为切片 + 批量 set.update,消除 Python 循环开销,O(n) → O(k)(C 层批量操作) 2. **cache_manager.py**:`match_prefix` 在 prefix caching 关闭时提前 return 前写入空 `MatchResult()`,避免调用方解引用 `_match_result=None` 崩溃 3. **transfer_manager.py**:`_build_device_layer_indices` 在 `_cache_kvs_map` 为空时也重置四个层索引列表,防止残留旧 tensor 被 swap 算子使用 4. **request.py**:`BatchRequest.append_swap_metadata` / `append_evict_metadata` 构造 `CacheSwapMetadata` 时将 `src_type`/`dst_type` 从字符串改为 `CacheLevel` 枚举,与字段类型声明一致;补充 `CacheLevel` 导入;`match_result` 属性返回类型标注修正为 `Optional[MatchResult]` 5. **resource_manager_v1.py**:`_allocate_gpu_blocks` 日志从 `INFO` 降级为 `DEBUG`,消除高频调度路径的日志噪音 6. **tests/engine/test_request.py**:同步更新 `src_type`/`dst_type` 断言为 `CacheLevel` 枚举值,补充 `CacheLevel` 导入 ## Usage or Command 单元测试: ```bash source .venv/py310/bin/activate cd baidu/FastDeploy python -m pytest tests/cache_manager/v1/test_cache_manager.py -v python -m pytest tests/cache_manager/v1/test_transfer_manager.py -v python -m pytest tests/engine/test_request.py -v ``` * [BugFix][KVCache] Fix BlockPool.allocate returns all blocks when num_blocks=0 ## Motivation 当 `allocate(num_blocks=0)` 被调用时,Python 负索引陷阱导致严重错误: `-0 == 0`,所以 `self._free_blocks[-0:]` 等价于 `self._free_blocks[0:]`, 会返回并清空整个空闲块列表,而非返回空列表。 ## Modifications 在 `BlockPool.allocate` 中增加对 `num_blocks == 0` 的提前判断,直接返回 `[]`, 避免触发 Python 负索引陷阱。 ## Usage or Command ```bash # 运行相关单元测试验证修复 python -m pytest tests/cache_manager/v1/test_cache_manager.py -vv -s ``` * [KVCache][Test] add unit tests for cache_manager v1 modules ## Motivation 补全 cache_manager/v1 各模块的单测覆盖,确保核心方法有完整的测试保障。 ## Modifications 新增/补充以下测试文件,全部 326 个用例通过: - tests/cache_manager/v1/test_block_pool.py(新建) 覆盖 BlockPool.get_metadata/set_metadata/resize、DeviceBlockPool/HostBlockPool - tests/cache_manager/v1/test_metadata.py(新建) 覆盖 BlockNode、RadixTreeStats、MatchResult、CacheSwapMetadata、AsyncTaskHandler - tests/cache_manager/v1/test_cache_utils.py(补充) 新增 hash_block_tokens、get_request_block_hasher、LayerDoneCounter 时间追踪及内部辅助方法 - tests/cache_manager/v1/test_radix_tree.py(补充) 新增 TestCompleteSwapToDevice 专项测试类(6 个用例) - tests/cache_manager/v1/test_cache_manager.py(补充) 新增 offload_to_host、load_from_host、pending backup 系列、prepare_prefetch_metadata - tests/cache_manager/v1/test_transfer_manager.py(补充) 新增 _swap_single_layer 校验路径、sync_input/output_stream、record_input_stream_event ## Usage or Command ```bash # 运行所有新增单测 source .venv/py310/bin/activate python -m pytest tests/cache_manager/v1/test_block_pool.py \ tests/cache_manager/v1/test_metadata.py \ tests/cache_manager/v1/test_cache_utils.py \ tests/cache_manager/v1/test_radix_tree.py \ tests/cache_manager/v1/test_cache_manager.py \ tests/cache_manager/v1/test_transfer_manager.py -v # 期望结果:326 passed ``` --------- Co-authored-by: Claude Opus 4.6 <noreply@anthropic.com> Co-authored-by: Jiang-Jia-Jun <163579578+Jiang-Jia-Jun@users.noreply.github.com>
1583 lines
55 KiB
Python
1583 lines
55 KiB
Python
"""
|
||
# Copyright (c) 2025 PaddlePaddle Authors. All Rights Reserved.
|
||
#
|
||
# Licensed under the Apache License, Version 2.0 (the "License"
|
||
# you may not use this file except in compliance with the License.
|
||
# You may obtain a copy of the License at
|
||
#
|
||
# http://www.apache.org/licenses/LICENSE-2.0
|
||
#
|
||
# Unless required by applicable law or agreed to in writing, software
|
||
# distributed under the License is distributed on an "AS IS" BASIS,
|
||
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
|
||
# See the License for the specific language governing permissions and
|
||
# limitations under the License.
|
||
"""
|
||
|
||
import argparse
|
||
import json
|
||
import os
|
||
from dataclasses import asdict, dataclass
|
||
from dataclasses import fields as dataclass_fields
|
||
from typing import Any, Dict, List, Optional, Union
|
||
|
||
from fastdeploy import envs
|
||
from fastdeploy.config import (
|
||
CacheConfig,
|
||
ConvertOption,
|
||
DeployModality,
|
||
EarlyStopConfig,
|
||
EPLBConfig,
|
||
FDConfig,
|
||
GraphOptimizationConfig,
|
||
LoadConfig,
|
||
ModelConfig,
|
||
ParallelConfig,
|
||
PlasAttentionConfig,
|
||
PoolerConfig,
|
||
RouterConfig,
|
||
RoutingReplayConfig,
|
||
RunnerOption,
|
||
SpeculativeConfig,
|
||
StructuredOutputsConfig,
|
||
TaskOption,
|
||
)
|
||
from fastdeploy.platforms import current_platform
|
||
from fastdeploy.scheduler.config import SchedulerConfig
|
||
from fastdeploy.utils import (
|
||
DeprecatedOptionWarning,
|
||
FlexibleArgumentParser,
|
||
console_logger,
|
||
find_free_ports,
|
||
is_port_available,
|
||
parse_ports,
|
||
parse_quantization,
|
||
)
|
||
|
||
|
||
def nullable_str(x: str) -> Optional[str]:
|
||
"""
|
||
Convert an empty string to None, preserving other string values.
|
||
"""
|
||
return x if x else None
|
||
|
||
|
||
def get_model_architecture(model: str, model_config_name: Optional[str] = "config.json") -> Optional[str]:
|
||
config_path = os.path.join(model, model_config_name)
|
||
if os.path.exists(config_path):
|
||
model_config = json.load(open(config_path, "r", encoding="utf-8"))
|
||
architecture = model_config["architectures"][0]
|
||
return architecture
|
||
else:
|
||
return model
|
||
|
||
|
||
@dataclass
|
||
class EngineArgs:
|
||
# Model configuration parameters
|
||
model: str = "baidu/ernie-45-turbo"
|
||
"""
|
||
The name or path of the model to be used.
|
||
"""
|
||
port: Optional[str] = None
|
||
"""
|
||
Port for api server.
|
||
"""
|
||
metrics_port: Optional[str] = None
|
||
"""
|
||
Port for metrics server.
|
||
"""
|
||
served_model_name: Optional[str] = None
|
||
"""
|
||
The name of the model being served.
|
||
"""
|
||
revision: Optional[str] = "master"
|
||
"""
|
||
The revision for downloading models.
|
||
"""
|
||
model_config_name: Optional[str] = "config.json"
|
||
"""
|
||
The name of the model configuration file.
|
||
"""
|
||
tokenizer: str = None
|
||
"""
|
||
The name or path of the tokenizer (defaults to model path if not provided).
|
||
"""
|
||
tokenizer_base_url: str = None
|
||
"""
|
||
The base URL of the remote tokenizer service (used instead of local tokenizer if provided).
|
||
"""
|
||
max_model_len: int = 2048
|
||
"""
|
||
Maximum context length supported by the model.
|
||
"""
|
||
tensor_parallel_size: int = 1
|
||
"""
|
||
Degree of tensor parallelism.
|
||
"""
|
||
block_size: int = 64
|
||
"""
|
||
Number of tokens in one processing block.
|
||
"""
|
||
task: TaskOption = "generate"
|
||
"""
|
||
The task to be executed by the model.
|
||
"""
|
||
runner: RunnerOption = "auto"
|
||
"""
|
||
The type of model runner to use.Each FD instance only supports one model runner.
|
||
even if the same model can be used for multiple types.
|
||
"""
|
||
convert: ConvertOption = "auto"
|
||
"""
|
||
Convert the model using adapters. The most common use case is to
|
||
adapt a text generation model to be used for pooling tasks.
|
||
"""
|
||
model_impl: str = "auto"
|
||
"""
|
||
The model implementation backend to use. Options: auto, fastdeploy, paddleformers.
|
||
'auto': Use native FastDeploy implementation when available, fallback to PaddleFormers.
|
||
'fastdeploy': Use only native FastDeploy implementations.
|
||
'paddleformers': Use PaddleFormers backend with FastDeploy optimizations.
|
||
"""
|
||
override_pooler_config: Optional[Union[dict, PoolerConfig]] = None
|
||
"""
|
||
Override configuration for the pooler.
|
||
"""
|
||
max_num_seqs: int = 8
|
||
"""
|
||
Maximum number of sequences per iteration.
|
||
"""
|
||
mm_processor_kwargs: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Additional keyword arguments for the multi-modal processor.
|
||
"""
|
||
limit_mm_per_prompt: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Limitation of numbers of multi-modal data.
|
||
"""
|
||
max_encoder_cache: int = -1
|
||
"""
|
||
Maximum number of tokens in the encoder cache.
|
||
"""
|
||
max_processor_cache: float = -1
|
||
"""
|
||
Maximum number of bytes(in GiB) in the processor cache.
|
||
"""
|
||
reasoning_parser: str = None
|
||
"""
|
||
specifies the reasoning parser to use for extracting reasoning content from the model output
|
||
"""
|
||
chat_template: str = None
|
||
"""
|
||
chat template or chat template file path
|
||
"""
|
||
tool_call_parser: str = None
|
||
"""
|
||
specifies the tool call parser to use for extracting tool call from the model output
|
||
"""
|
||
tool_parser_plugin: str = None
|
||
"""
|
||
tool parser plugin used to register user defined tool parsers
|
||
"""
|
||
enable_mm: bool = False
|
||
"""
|
||
Flags to enable multi-modal model
|
||
"""
|
||
speculative_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Configuration for speculative execution.
|
||
"""
|
||
dynamic_load_weight: bool = False
|
||
"""
|
||
dynamic load weight
|
||
"""
|
||
load_strategy: str = "normal"
|
||
"""
|
||
dynamic load weight strategy
|
||
"""
|
||
rsync_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
rsync weights config info
|
||
"""
|
||
quantization: Optional[Dict[str, Any]] = None
|
||
guided_decoding_backend: str = "off"
|
||
"""
|
||
Guided decoding backend.
|
||
"""
|
||
guided_decoding_disable_any_whitespace: bool = False
|
||
"""
|
||
Disable any whitespace in guided decoding.
|
||
"""
|
||
|
||
# Inference configuration parameters
|
||
gpu_memory_utilization: float = 0.9
|
||
"""
|
||
The fraction of GPU memory to be utilized.
|
||
"""
|
||
num_gpu_blocks_override: Optional[int] = None
|
||
"""
|
||
Override for the number of GPU blocks.
|
||
"""
|
||
max_num_batched_tokens: Optional[int] = None
|
||
"""
|
||
Maximum number of tokens to batch together.
|
||
"""
|
||
kv_cache_ratio: float = 0.75
|
||
"""
|
||
Ratio of tokens to process in a block.
|
||
"""
|
||
prealloc_dec_block_slot_num_threshold: int = 12
|
||
"""
|
||
Token slot threshold for preallocating decoder blocks.
|
||
"""
|
||
ips: Optional[List[str]] = None
|
||
"""
|
||
The ips of multinode deployment
|
||
|
||
"""
|
||
|
||
swap_space: float = None
|
||
"""
|
||
The amount of CPU memory to offload to.
|
||
"""
|
||
|
||
cache_queue_port: Optional[Union[int, str, list]] = None
|
||
"""
|
||
Port for cache queue.
|
||
"""
|
||
kvcache_storage_backend: str = None
|
||
"""
|
||
The storage backend for kvcache storage. If set, it will use the kvcache storage backend.
|
||
"""
|
||
write_policy: str = "write_through_selective"
|
||
"""
|
||
The policy of write cache to storage. Options: write_through (alias for write_through_selective with threshold=1), write_through_selective, write_back.
|
||
"""
|
||
write_through_threshold: int = 2
|
||
"""
|
||
The threshold of hit count for write_through_selective policy. Only effective when write_policy is write_through_selective.
|
||
"""
|
||
|
||
# System configuration parameters
|
||
use_warmup: int = 0
|
||
"""
|
||
Flag to indicate whether to use warm-up before inference.
|
||
"""
|
||
enable_prefix_caching: bool = True
|
||
"""
|
||
Flag to enable prefix caching.
|
||
"""
|
||
enable_output_caching: bool = True
|
||
"""
|
||
Flag to enable kv cache for output tokens, only valid in V1 scheduler.
|
||
"""
|
||
|
||
disable_custom_all_reduce: bool = False
|
||
"""
|
||
Flag to disable the custom all-reduce kernel.
|
||
"""
|
||
|
||
enable_flashinfer_allreduce_fusion: bool = False
|
||
"""
|
||
Flag to enable all reduce fusion kernel in flashinfer.
|
||
"""
|
||
|
||
use_internode_ll_two_stage: bool = False
|
||
"""
|
||
Flag to use the internode_ll_two_stage kernel.
|
||
"""
|
||
|
||
disable_sequence_parallel_moe: bool = False
|
||
"""
|
||
# The all_reduce at the end of attention (during o_proj) means that
|
||
# inputs are replicated across each rank of the tensor parallel group.
|
||
# If using expert-parallelism with DeepEP All2All ops, replicated
|
||
# tokens results in useless duplicate computation and communication.
|
||
#
|
||
# In this case, ensure the input to the experts is sequence parallel
|
||
# to avoid the excess work.
|
||
#
|
||
# This optimization is enabled by default, and can be disabled by using this flag.
|
||
"""
|
||
|
||
shutdown_comm_group_if_worker_idle: bool = None
|
||
"""
|
||
Whether to shutdown the comm group when the weight is cleared.
|
||
"""
|
||
|
||
engine_worker_queue_port: Optional[Union[int, str, list]] = None
|
||
"""
|
||
Port for worker queue communication.
|
||
"""
|
||
|
||
splitwise_role: str = "mixed"
|
||
"""
|
||
Splitwise role: prefill, decode or mixed
|
||
"""
|
||
|
||
data_parallel_size: int = 1
|
||
"""
|
||
Number of data parallelism.
|
||
"""
|
||
|
||
local_data_parallel_id: int = 0
|
||
"""
|
||
Local data parallel id.
|
||
"""
|
||
|
||
enable_expert_parallel: bool = False
|
||
"""
|
||
Enable expert parallelism.
|
||
"""
|
||
|
||
enable_chunked_moe: bool = False
|
||
"""
|
||
Whether use chunked moe.
|
||
"""
|
||
|
||
chunked_moe_size: int = 256
|
||
"""
|
||
Chunk size of moe input.
|
||
"""
|
||
|
||
cache_transfer_protocol: str = "ipc,rdma"
|
||
"""
|
||
Protocol to use for cache transfer.
|
||
"""
|
||
|
||
pd_comm_port: Optional[Union[int, str, list]] = None
|
||
"""
|
||
Port for splitwise communication.
|
||
"""
|
||
|
||
rdma_comm_ports: Optional[Union[int, str, list]] = None
|
||
"""
|
||
Ports for rdma communication.
|
||
"""
|
||
|
||
enable_chunked_prefill: bool = False
|
||
"""
|
||
Flag to enable chunked prefilling.
|
||
"""
|
||
max_num_partial_prefills: int = 1
|
||
"""
|
||
For chunked prefill, the max number of concurrent partial prefills.
|
||
"""
|
||
max_long_partial_prefills: int = 1
|
||
"""
|
||
For chunked prefill, the maximum number of prompts longer than –long-prefill-token-threshold
|
||
that will be prefilled concurrently.
|
||
"""
|
||
long_prefill_token_threshold: int = 0
|
||
"""
|
||
For chunked prefill, a request is considered long if the prompt is longer than this number of tokens.
|
||
"""
|
||
static_decode_blocks: int = 2
|
||
"""
|
||
additional decode block num
|
||
"""
|
||
disable_chunked_mm_input: bool = False
|
||
"""
|
||
Disable chunked_mm_input for multi-model inference.
|
||
"""
|
||
|
||
scheduler_name: str = "local"
|
||
"""
|
||
Scheduler name to be used
|
||
"""
|
||
scheduler_max_size: int = -1
|
||
"""
|
||
Size of scheduler
|
||
"""
|
||
scheduler_ttl: int = 900
|
||
"""
|
||
TTL of request
|
||
"""
|
||
scheduler_host: str = "127.0.0.1"
|
||
"""
|
||
Host of redis
|
||
"""
|
||
scheduler_port: int = 6379
|
||
"""
|
||
Port of redis
|
||
"""
|
||
scheduler_db: int = 0
|
||
"""
|
||
DB of redis
|
||
"""
|
||
scheduler_password: Optional[str] = None
|
||
"""
|
||
Password of redis
|
||
"""
|
||
scheduler_topic: str = "default"
|
||
"""
|
||
Topic of scheduler
|
||
"""
|
||
scheduler_min_load_score: float = 3
|
||
"""
|
||
Minimum load score for task assignment
|
||
"""
|
||
scheduler_load_shards_num: int = 1
|
||
"""
|
||
Number of shards for load balancing table
|
||
"""
|
||
scheduler_sync_period: int = 5
|
||
"""
|
||
SplitWise Use, node load sync period
|
||
"""
|
||
scheduler_expire_period: int = 3000
|
||
"""
|
||
SplitWise Use, node will not be scheduled after expire_period ms not sync load
|
||
"""
|
||
scheduler_release_load_expire_period: int = 600
|
||
"""
|
||
SplitWise Use, scheduler will release req load after expire period(s)
|
||
"""
|
||
scheduler_reader_parallel: int = 4
|
||
"""
|
||
SplitWise Use, Results Reader Sync Parallel
|
||
"""
|
||
scheduler_writer_parallel: int = 4
|
||
"""
|
||
SplitWise Use, Results Writer Sync Parallel
|
||
"""
|
||
scheduler_reader_batch_size: int = 200
|
||
"""
|
||
SplitWise Use, Results Reader Batch Size
|
||
"""
|
||
scheduler_writer_batch_size: int = 200
|
||
"""
|
||
SplitWise Use, Results Writer Batch Size
|
||
"""
|
||
enable_overlap_schedule: bool = True
|
||
"""
|
||
Flag to enable overlapping schedule. Default is False (disabled).
|
||
"""
|
||
graph_optimization_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Configuration for graph optimization backend execution.
|
||
"""
|
||
plas_attention_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Configuration for plas attention.
|
||
"""
|
||
|
||
enable_logprob: bool = False
|
||
"""
|
||
Flag to enable logprob output. Default is False (disabled).
|
||
Must be explicitly enabled via the `--enable-logprob` startup parameter to output logprob values.
|
||
"""
|
||
|
||
max_logprobs: int = 20
|
||
"""
|
||
Maximum number of log probabilities to return when `enable_logprob` is True. The default value comes the default for the
|
||
OpenAI Chat Completions API. -1 means no cap, i.e. all (output_length * vocab_size) logprobs are allowed to be returned and it may cause OOM.
|
||
"""
|
||
|
||
logprobs_mode: str = "raw_logprobs"
|
||
"""
|
||
Indicates the content returned in the logprobs.
|
||
Supported mode:
|
||
1) raw_logprobs, 2) processed_logprobs, 3) raw_logits, 4) processed_logits.
|
||
Raw means the values before applying logit processors, like bad words.
|
||
Processed means the values after applying such processors.
|
||
"""
|
||
|
||
seed: int = 0
|
||
"""
|
||
Random seed to use for initialization. If not set, defaults to 0.
|
||
"""
|
||
|
||
enable_early_stop: bool = False
|
||
"""
|
||
Flag to enable early stop. Default is False (disabled).
|
||
"""
|
||
|
||
early_stop_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Configuration for early stop.
|
||
"""
|
||
|
||
load_choices: str = "default_v1"
|
||
"""The format of the model weights to load.
|
||
Options include:
|
||
- "default": default loader.
|
||
- "default_v1": default_v1 loader.
|
||
"""
|
||
model_loader_extra_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Additional configuration options for the model loader.
|
||
Supports:
|
||
- enable_multithread_load (bool): Enable multi-threaded weight loading.
|
||
- num_threads (int): Number of threads for loading. Defaults to 8.
|
||
- disable_mmap (bool): Disable memory-mapped file access.
|
||
"""
|
||
|
||
lm_head_fp32: bool = False
|
||
"""
|
||
Flag to specify the dtype of lm_head as FP32. Default is False (Using model default dtype).
|
||
"""
|
||
|
||
moe_gate_fp32: bool = False
|
||
"""
|
||
Flag to specify the dtype of gate as FP32. Default is False (Using model default dtype).
|
||
"""
|
||
|
||
logits_processors: Optional[List[str]] = None
|
||
"""
|
||
A list of FQCNs (Fully Qualified Class Names) of logits processors supported by the service.
|
||
A fully qualified class name (FQCN) is a string that uniquely identifies a class within a Python module.
|
||
|
||
- To enable builtin logits processors, add builtin module paths and class names to the list. Currently support:
|
||
- fastdeploy.model_executor.logits_processor:LogitBiasLogitsProcessor
|
||
- To enable custom logits processors, add your dotted paths to module and class names to the list.
|
||
"""
|
||
|
||
router: Optional[str] = None
|
||
"""
|
||
Url for router server, such as `0.0.0.0:30000`.
|
||
"""
|
||
|
||
enable_eplb: bool = False
|
||
"""
|
||
Flag to enable eplb
|
||
"""
|
||
|
||
eplb_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Configuration for eplb.
|
||
"""
|
||
|
||
routing_replay_config: Optional[Dict[str, Any]] = None
|
||
"""
|
||
Flag to rollout routing replay(r3)
|
||
"""
|
||
|
||
skip_port_check: bool = False
|
||
"""
|
||
Whether to skip port availability check. Default is False (not skip).
|
||
"""
|
||
|
||
enable_entropy: bool = False
|
||
"""
|
||
Flag to enable entropy output. Default is False (disabled).
|
||
"""
|
||
|
||
ep_prefill_use_worst_num_tokens: bool = False
|
||
"""
|
||
Flag to enable prefill_use_worst_num_tokens. Default is False (disabled).
|
||
"""
|
||
|
||
deploy_modality: str = "mixed"
|
||
"""
|
||
Deployment modality for the serving engine. Options: mixed, text. Default is mixed.
|
||
"""
|
||
|
||
def __post_init__(self):
|
||
"""
|
||
Post-initialization processing to set default tokenizer if not provided.
|
||
"""
|
||
|
||
if not self.tokenizer:
|
||
self.tokenizer = self.model
|
||
if (
|
||
not current_platform.is_cuda()
|
||
and not current_platform.is_xpu()
|
||
and not current_platform.is_intel_hpu()
|
||
and not current_platform.is_maca()
|
||
):
|
||
self.enable_prefix_caching = False
|
||
if (
|
||
not current_platform.is_cuda()
|
||
or (self.speculative_config is not None and self.enable_logprob)
|
||
or self.splitwise_role == "prefill"
|
||
or self.dynamic_load_weight
|
||
):
|
||
self.enable_overlap_schedule = False
|
||
if self.enable_logprob:
|
||
if not current_platform.is_cuda() and not current_platform.is_xpu():
|
||
raise NotImplementedError("Only CUDA and XPU platforms support logprob.")
|
||
if self.speculative_config is not None and self.logprobs_mode.startswith("processed"):
|
||
raise NotImplementedError("processed_logprobs not support in speculative.")
|
||
if self.speculative_config is not None and self.max_logprobs == -1:
|
||
raise NotImplementedError("max_logprobs=-1 not support in speculative.")
|
||
if not envs.FD_USE_GET_SAVE_OUTPUT_V1 and (self.max_logprobs == -1 or self.max_logprobs > 20):
|
||
self.max_logprobs = 20
|
||
console_logger.warning("Set max_logprobs=20 when FD_USE_GET_SAVE_OUTPUT_V1=0")
|
||
if self.max_logprobs == -1 and not envs.ENABLE_V1_KVCACHE_SCHEDULER:
|
||
raise NotImplementedError("Only ENABLE_V1_KVCACHE_SCHEDULER=1 support max_logprobs=-1")
|
||
|
||
if self.splitwise_role != "mixed":
|
||
if self.scheduler_name == "splitwise":
|
||
raise ValueError(
|
||
"Setting scheduler_name as splitwise is not supported in pd deployment, "
|
||
"please use router as scheduler."
|
||
)
|
||
if self.scheduler_name == "local" and self.router is None:
|
||
console_logger.warning(
|
||
f"Running {self.splitwise_role} role with {self.scheduler_name} "
|
||
f"scheduler without --router. Router registration and request routing will be disabled."
|
||
)
|
||
|
||
if not (
|
||
current_platform.is_cuda()
|
||
or current_platform.is_xpu()
|
||
or current_platform.is_maca()
|
||
or current_platform.is_iluvatar()
|
||
or current_platform.is_intel_hpu()
|
||
):
|
||
envs.ENABLE_V1_KVCACHE_SCHEDULER = 0
|
||
|
||
if "PaddleOCR" in get_model_architecture(self.model, self.model_config_name):
|
||
envs.FD_ENABLE_MAX_PREFILL = 1
|
||
self.enable_prefix_caching = False
|
||
|
||
if self.kvcache_storage_backend is not None:
|
||
if not self.enable_prefix_caching:
|
||
raise NotImplementedError("kvcache_storage_backend is only supported when enable_prefix_caching=True")
|
||
if envs.ENABLE_V1_KVCACHE_SCHEDULER == 0:
|
||
raise NotImplementedError(
|
||
"kvcache_storage_backend is only supported when ENABLE_V1_KVCACHE_SCHEDULER=1"
|
||
)
|
||
|
||
valid_model_impls = ["auto", "fastdeploy", "paddleformers"]
|
||
if self.model_impl not in valid_model_impls:
|
||
raise NotImplementedError(
|
||
f"not support model_impl: '{self.model_impl}'. " f"Must be one of: {', '.join(valid_model_impls)}"
|
||
)
|
||
if envs.FD_ENABLE_RL == 1:
|
||
self.moe_gate_fp32 = True
|
||
|
||
self.post_init_all_ports()
|
||
|
||
def post_init_all_ports(self):
|
||
|
||
def post_init_ports(name: str, ports: list, num_total_ports: int):
|
||
ports = parse_ports(ports)
|
||
num_cur_dp_ports = num_total_ports
|
||
if envs.FD_ENABLE_MULTI_API_SERVER:
|
||
num_cur_dp_ports //= self.data_parallel_size
|
||
if ports is None:
|
||
ports = find_free_ports(num_ports=num_cur_dp_ports)
|
||
console_logger.info(
|
||
f"Parameter `{name}` is not specified, found available ports for possible use: {ports}"
|
||
)
|
||
else:
|
||
num_input_ports = len(ports)
|
||
if num_input_ports != num_total_ports:
|
||
ports = find_free_ports(num_ports=num_cur_dp_ports)
|
||
console_logger.warn(
|
||
f"Parameter `{name}` expects {num_total_ports} ports, but got {num_input_ports}. Ignore them and assign new ones: {ports}"
|
||
)
|
||
else:
|
||
console_logger.info(f"Using `{name}`: {ports}")
|
||
|
||
if not self.skip_port_check:
|
||
cur_dp_ports = ports[
|
||
num_cur_dp_ports
|
||
* self.local_data_parallel_id : num_cur_dp_ports
|
||
* (self.local_data_parallel_id + 1)
|
||
]
|
||
for port in cur_dp_ports:
|
||
assert is_port_available("0.0.0.0", port), f"Parameter `{name}`:{port} is already in use."
|
||
|
||
return ports
|
||
|
||
num_nodes = len(self.ips) if self.ips else 1
|
||
if self.data_parallel_size % num_nodes != 0:
|
||
raise ValueError(
|
||
f"data_parallel_size ({self.data_parallel_size}) must be divisible by num_nodes ({num_nodes})."
|
||
)
|
||
self.engine_worker_queue_port = post_init_ports(
|
||
"engine_worker_queue_port",
|
||
self.engine_worker_queue_port,
|
||
self.data_parallel_size // num_nodes,
|
||
)
|
||
self.cache_queue_port = post_init_ports(
|
||
"cache_queue_port",
|
||
self.cache_queue_port,
|
||
self.data_parallel_size // num_nodes,
|
||
)
|
||
self.rdma_comm_ports = post_init_ports(
|
||
"rdma_comm_ports",
|
||
self.rdma_comm_ports,
|
||
self.tensor_parallel_size * self.data_parallel_size // num_nodes,
|
||
)
|
||
self.pd_comm_port = post_init_ports(
|
||
"pd_comm_port",
|
||
self.pd_comm_port,
|
||
self.data_parallel_size // num_nodes,
|
||
)
|
||
|
||
@staticmethod
|
||
def add_cli_args(parser: FlexibleArgumentParser) -> FlexibleArgumentParser:
|
||
"""
|
||
Add command line interface arguments to the parser.
|
||
"""
|
||
# Model parameters group
|
||
model_group = parser.add_argument_group("Model Configuration")
|
||
model_group.add_argument(
|
||
"--model",
|
||
type=str,
|
||
default=EngineArgs.model,
|
||
help="Model name or path to be used.",
|
||
)
|
||
model_group.add_argument(
|
||
"--served-model-name",
|
||
type=nullable_str,
|
||
default=EngineArgs.served_model_name,
|
||
help="Served model name",
|
||
)
|
||
model_group.add_argument(
|
||
"--revision",
|
||
type=nullable_str,
|
||
default=EngineArgs.revision,
|
||
help="Revision for downloading models",
|
||
)
|
||
model_group.add_argument(
|
||
"--model-config-name",
|
||
type=nullable_str,
|
||
default=EngineArgs.model_config_name,
|
||
help="The model configuration file name.",
|
||
)
|
||
model_group.add_argument(
|
||
"--tokenizer",
|
||
type=nullable_str,
|
||
default=EngineArgs.tokenizer,
|
||
help="Tokenizer name or path (defaults to model path if not specified).",
|
||
)
|
||
model_group.add_argument(
|
||
"--tokenizer-base-url",
|
||
type=nullable_str,
|
||
default=EngineArgs.tokenizer_base_url,
|
||
help="The base URL of the remote tokenizer service (used instead of local tokenizer if provided).",
|
||
)
|
||
model_group.add_argument(
|
||
"--max-model-len",
|
||
type=int,
|
||
default=EngineArgs.max_model_len,
|
||
help="Maximum context length supported by the model.",
|
||
)
|
||
model_group.add_argument(
|
||
"--block-size",
|
||
type=int,
|
||
default=EngineArgs.block_size,
|
||
help="Number of tokens processed in one block.",
|
||
)
|
||
model_group.add_argument(
|
||
"--task",
|
||
type=str,
|
||
default=EngineArgs.task,
|
||
help="Task to be executed by the model.",
|
||
)
|
||
model_group.add_argument(
|
||
"--runner",
|
||
type=str,
|
||
default=EngineArgs.runner,
|
||
help="The type of model runner to use",
|
||
)
|
||
model_group.add_argument(
|
||
"--convert", type=str, default=EngineArgs.convert, help="Convert the model using adapters"
|
||
)
|
||
model_group.add_argument(
|
||
"--override-pooler-config",
|
||
type=json.loads,
|
||
default=EngineArgs.override_pooler_config,
|
||
help="Override the pooler configuration with a JSON string.",
|
||
)
|
||
model_group.add_argument(
|
||
"--use-warmup",
|
||
type=int,
|
||
default=EngineArgs.use_warmup,
|
||
help="Flag to indicate whether to use warm-up before inference.",
|
||
)
|
||
model_group.add_argument(
|
||
"--limit-mm-per-prompt",
|
||
default=EngineArgs.limit_mm_per_prompt,
|
||
type=json.loads,
|
||
help="Limitation of numbers of multi-modal data.",
|
||
)
|
||
model_group.add_argument(
|
||
"--mm-processor-kwargs",
|
||
default=EngineArgs.mm_processor_kwargs,
|
||
type=json.loads,
|
||
help="Additional keyword arguments for the multi-modal processor.",
|
||
)
|
||
model_group.add_argument(
|
||
"--max-encoder-cache",
|
||
default=EngineArgs.max_encoder_cache,
|
||
type=int,
|
||
help="Maximum encoder cache tokens(use 0 to disable).",
|
||
)
|
||
model_group.add_argument(
|
||
"--max-processor-cache",
|
||
default=EngineArgs.max_processor_cache,
|
||
type=float,
|
||
help="Maximum processor cache bytes(use 0 to disable).",
|
||
)
|
||
model_group.add_argument(
|
||
"--enable-mm",
|
||
action=DeprecatedOptionWarning,
|
||
default=EngineArgs.enable_mm,
|
||
help="Flag to enable multi-modal model.",
|
||
)
|
||
model_group.add_argument(
|
||
"--reasoning-parser",
|
||
type=str,
|
||
default=EngineArgs.reasoning_parser,
|
||
help="Flag specifies the reasoning parser to use for extracting "
|
||
"reasoning content from the model output",
|
||
)
|
||
model_group.add_argument(
|
||
"--chat-template",
|
||
type=str,
|
||
default=EngineArgs.chat_template,
|
||
help="chat template or chat template file path",
|
||
)
|
||
model_group.add_argument(
|
||
"--tool-call-parser",
|
||
type=str,
|
||
default=EngineArgs.tool_call_parser,
|
||
help="Flag specifies the tool call parser to use for extracting" "tool call from the model output",
|
||
)
|
||
model_group.add_argument(
|
||
"--tool-parser-plugin",
|
||
type=str,
|
||
default=EngineArgs.tool_parser_plugin,
|
||
help="tool parser plugin used to register user defined tool parsers",
|
||
)
|
||
model_group.add_argument(
|
||
"--speculative-config",
|
||
type=json.loads,
|
||
default=EngineArgs.speculative_config,
|
||
help="Configuration for speculative execution.",
|
||
)
|
||
model_group.add_argument(
|
||
"--dynamic-load-weight",
|
||
action="store_true",
|
||
default=EngineArgs.dynamic_load_weight,
|
||
help="Flag to indicate whether to load weight dynamically.",
|
||
)
|
||
model_group.add_argument(
|
||
"--load-strategy",
|
||
type=str,
|
||
default=EngineArgs.load_strategy,
|
||
help="Flag to dynamic load strategy.",
|
||
)
|
||
model_group.add_argument(
|
||
"--rsync-config",
|
||
type=json.loads,
|
||
default=EngineArgs.rsync_config,
|
||
help="Rsync weights config",
|
||
)
|
||
model_group.add_argument(
|
||
"--engine-worker-queue-port",
|
||
type=lambda s: s.split(",") if s else None,
|
||
default=EngineArgs.engine_worker_queue_port,
|
||
help="port for engine worker queue",
|
||
)
|
||
model_group.add_argument(
|
||
"--quantization",
|
||
type=parse_quantization,
|
||
default=EngineArgs.quantization,
|
||
help="Quantization config for the model. Can be a simple method name "
|
||
"(e.g. 'wint8', 'wint4') or a full JSON quantization_config string "
|
||
'(e.g. \'{"quantization": "mix_quant", "kv_cache_quant_type": "block_wise_fp8", '
|
||
'"dense_quant_type": "block_wise_fp8", "moe_quant_type": "block_wise_fp8"}\'). '
|
||
"When a JSON config is provided, it is processed the same way as "
|
||
"quantization_config in the model's config.json. "
|
||
"If both CLI and config.json specify quantization_config, "
|
||
"config.json takes higher priority. Default is None.",
|
||
)
|
||
model_group.add_argument(
|
||
"--graph-optimization-config",
|
||
type=json.loads,
|
||
default=EngineArgs.graph_optimization_config,
|
||
help="Configuration for graph optimization",
|
||
)
|
||
model_group.add_argument(
|
||
"--plas-attention-config",
|
||
type=json.loads,
|
||
default=EngineArgs.plas_attention_config,
|
||
help="",
|
||
)
|
||
model_group.add_argument(
|
||
"--guided-decoding-backend",
|
||
type=str,
|
||
default=EngineArgs.guided_decoding_backend,
|
||
help="Guided Decoding Backend",
|
||
)
|
||
model_group.add_argument(
|
||
"--guided-decoding-disable-any-whitespace",
|
||
type=str,
|
||
default=EngineArgs.guided_decoding_disable_any_whitespace,
|
||
help="Disabled any whitespaces when using guided decoding backend XGrammar.",
|
||
)
|
||
model_group.add_argument(
|
||
"--enable-logprob",
|
||
action="store_true",
|
||
default=EngineArgs.enable_logprob,
|
||
help="Enable output of token-level log probabilities.",
|
||
)
|
||
model_group.add_argument(
|
||
"--max-logprobs",
|
||
type=int,
|
||
default=EngineArgs.max_logprobs,
|
||
help="Maximum number of log probabilities.",
|
||
)
|
||
model_group.add_argument(
|
||
"--logprobs-mode",
|
||
type=str,
|
||
choices=["raw_logprobs", "raw_logits", "processed_logprobs", "processed_logits"],
|
||
default=EngineArgs.logprobs_mode,
|
||
help="Indicates the content returned in the logprobs.",
|
||
)
|
||
model_group.add_argument(
|
||
"--seed",
|
||
type=int,
|
||
default=EngineArgs.seed,
|
||
help="Random seed for initialization. If not specified, defaults to 0.",
|
||
)
|
||
model_group.add_argument(
|
||
"--enable-early-stop",
|
||
action="store_true",
|
||
default=EngineArgs.enable_early_stop,
|
||
help="Enable early stopping during generation.",
|
||
)
|
||
model_group.add_argument(
|
||
"--early-stop-config",
|
||
type=json.loads,
|
||
default=EngineArgs.early_stop_config,
|
||
help="the config for early stop.",
|
||
)
|
||
model_group.add_argument(
|
||
"--lm_head-fp32",
|
||
action="store_true",
|
||
default=EngineArgs.lm_head_fp32,
|
||
help="Specify the dtype of lm_head weight as float32.",
|
||
)
|
||
model_group.add_argument(
|
||
"--moe-gate-fp32",
|
||
action="store_true",
|
||
default=EngineArgs.moe_gate_fp32,
|
||
help="Specify the dtype of gate weight as float32.",
|
||
)
|
||
model_group.add_argument(
|
||
"--logits-processors",
|
||
type=str,
|
||
nargs="+",
|
||
default=EngineArgs.logits_processors,
|
||
help="FQCNs (Fully Qualified Class Names) of logits processors supported by the service.",
|
||
)
|
||
model_group.add_argument(
|
||
"--enable-entropy",
|
||
action="store_true",
|
||
default=EngineArgs.enable_entropy,
|
||
help="Enable output of token-level entropy.",
|
||
)
|
||
model_group.add_argument(
|
||
"--model-impl",
|
||
type=str,
|
||
choices=["auto", "fastdeploy", "paddleformers"],
|
||
default=EngineArgs.model_impl,
|
||
help=(
|
||
"Model implementation backend. "
|
||
"'auto': Use native FastDeploy when available, fallback to PaddleFormers. "
|
||
"'fastdeploy': Use only native FastDeploy implementations. "
|
||
"'paddleformers': Use PaddleFormers backend with FastDeploy optimizations."
|
||
),
|
||
)
|
||
|
||
# Parallel processing parameters group
|
||
parallel_group = parser.add_argument_group("Parallel Configuration")
|
||
parallel_group.add_argument(
|
||
"--tensor-parallel-size",
|
||
"-tp",
|
||
type=int,
|
||
default=EngineArgs.tensor_parallel_size,
|
||
help="Degree of tensor parallelism.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--disable-custom-all-reduce",
|
||
action="store_true",
|
||
default=EngineArgs.disable_custom_all_reduce,
|
||
help="Flag to disable custom all-reduce.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--enable-flashinfer-allreduce-fusion",
|
||
action="store_true",
|
||
default=EngineArgs.enable_flashinfer_allreduce_fusion,
|
||
help="Flag to enable all reduce fusion kernel in flashinfer.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--use-internode-ll-two-stage",
|
||
action="store_true",
|
||
default=EngineArgs.use_internode_ll_two_stage,
|
||
help="Flag to use the internode_ll_two_stage kernel.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--disable-sequence-parallel-moe",
|
||
action="store_true",
|
||
default=EngineArgs.disable_sequence_parallel_moe,
|
||
help="Flag to disable disable the sequence parallel moe.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--max-num-seqs",
|
||
type=int,
|
||
default=EngineArgs.max_num_seqs,
|
||
help="Maximum number of sequences per iteration.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--num-gpu-blocks-override",
|
||
type=int,
|
||
default=EngineArgs.num_gpu_blocks_override,
|
||
help="Override for the number of GPU blocks.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--max-num-batched-tokens",
|
||
type=int,
|
||
default=EngineArgs.max_num_batched_tokens,
|
||
help="Maximum number of tokens to batch together.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--gpu-memory-utilization",
|
||
type=float,
|
||
default=EngineArgs.gpu_memory_utilization,
|
||
help="Fraction of GPU memory to be utilized.",
|
||
)
|
||
|
||
parallel_group.add_argument(
|
||
"--data-parallel-size",
|
||
type=int,
|
||
default=EngineArgs.data_parallel_size,
|
||
help="Degree of data parallelism.",
|
||
)
|
||
|
||
parallel_group.add_argument(
|
||
"--local-data-parallel-id",
|
||
type=int,
|
||
default=EngineArgs.local_data_parallel_id,
|
||
help="the rank of data parallelism.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--enable-expert-parallel",
|
||
action="store_true",
|
||
default=EngineArgs.enable_expert_parallel,
|
||
help="Enable expert parallelism.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--enable-eplb",
|
||
action="store_true",
|
||
default=EngineArgs.enable_eplb,
|
||
help="Enable eplb.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--eplb-config",
|
||
type=json.loads,
|
||
default=EngineArgs.eplb_config,
|
||
help="Config of eplb.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--routing-replay-config",
|
||
type=json.loads,
|
||
default=EngineArgs.routing_replay_config,
|
||
help="Flag of rollout routing replay(r3).",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--enable-chunked-moe",
|
||
action="store_true",
|
||
default=EngineArgs.enable_chunked_moe,
|
||
help="Use chunked moe.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--chunked-moe-size",
|
||
type=int,
|
||
default=EngineArgs.chunked_moe_size,
|
||
help="Chunked size of moe input.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--shutdown-comm-group-if-worker-idle",
|
||
action=argparse.BooleanOptionalAction,
|
||
default=EngineArgs.shutdown_comm_group_if_worker_idle,
|
||
help="Shutdown communication group when worker is idle.",
|
||
)
|
||
parallel_group.add_argument(
|
||
"--ep-prefill-use-worst-num-tokens",
|
||
action="store_true",
|
||
default=EngineArgs.ep_prefill_use_worst_num_tokens,
|
||
help="Enable prefill use worst num tokens for EP.",
|
||
)
|
||
|
||
# Load group
|
||
load_group = parser.add_argument_group("Load Configuration")
|
||
load_group.add_argument(
|
||
"--load-choices",
|
||
type=str,
|
||
default=EngineArgs.load_choices,
|
||
help="The format of the model weights to load.\
|
||
default/default_v1/dummy.",
|
||
)
|
||
|
||
load_group.add_argument(
|
||
"--model-loader-extra-config",
|
||
type=json.loads,
|
||
default=EngineArgs.model_loader_extra_config,
|
||
help="Additional configuration for model loader (JSON format). "
|
||
'e.g., \'{"enable_multithread_load": true, "num_threads": 8}\'',
|
||
)
|
||
|
||
# CacheConfig parameters group
|
||
cache_group = parser.add_argument_group("Cache Configuration")
|
||
|
||
cache_group.add_argument(
|
||
"--kv-cache-ratio",
|
||
type=float,
|
||
default=EngineArgs.kv_cache_ratio,
|
||
help="Ratio of tokens to process in a block.",
|
||
)
|
||
|
||
cache_group.add_argument(
|
||
"--swap-space", type=float, default=EngineArgs.swap_space, help="The amount of CPU memory to offload to."
|
||
)
|
||
|
||
cache_group.add_argument(
|
||
"--prealloc-dec-block-slot-num-threshold",
|
||
type=int,
|
||
default=EngineArgs.prealloc_dec_block_slot_num_threshold,
|
||
help="Number of token slot threadshold to allocate next blocks for decoding.",
|
||
)
|
||
|
||
cache_group.add_argument(
|
||
"--cache-queue-port",
|
||
type=lambda s: [int(item.strip()) for item in s.split(",")] if s else None,
|
||
default=EngineArgs.cache_queue_port,
|
||
help="port for cache queue",
|
||
)
|
||
cache_group.add_argument(
|
||
"--static-decode-blocks",
|
||
type=int,
|
||
default=EngineArgs.static_decode_blocks,
|
||
help="Static decoding blocks num.",
|
||
)
|
||
|
||
cache_group.add_argument(
|
||
"--kvcache-storage-backend",
|
||
type=nullable_str,
|
||
choices=["mooncake", "attention_store", "file"],
|
||
default=EngineArgs.kvcache_storage_backend,
|
||
help="The storage backend for kvcache storage. Leave empty to disable.",
|
||
)
|
||
|
||
cache_group.add_argument(
|
||
"--write-policy",
|
||
type=str,
|
||
choices=["write_through", "write_through_selective", "write_back"],
|
||
default=EngineArgs.write_policy,
|
||
help="KVCache write policy",
|
||
)
|
||
|
||
cache_group.add_argument(
|
||
"--write-through-threshold",
|
||
type=int,
|
||
default=EngineArgs.write_through_threshold,
|
||
help="Hit count threshold for write_through_selective policy. Only effective when write_policy is write_through_selective.",
|
||
)
|
||
|
||
# Cluster system parameters group
|
||
system_group = parser.add_argument_group("System Configuration")
|
||
system_group.add_argument(
|
||
"--ips",
|
||
type=lambda s: s.split(",") if s else None,
|
||
default=EngineArgs.ips,
|
||
help="IP addresses of all nodes participating in distributed inference.",
|
||
)
|
||
|
||
# Performance tuning parameters group
|
||
perf_group = parser.add_argument_group("Performance Tuning")
|
||
perf_group.add_argument(
|
||
"--enable-prefix-caching",
|
||
action=argparse.BooleanOptionalAction,
|
||
default=EngineArgs.enable_prefix_caching,
|
||
help="Flag to enable prefix caching.",
|
||
)
|
||
|
||
perf_group.add_argument(
|
||
"--enable-output-caching",
|
||
action=argparse.BooleanOptionalAction,
|
||
default=EngineArgs.enable_output_caching,
|
||
help="Flag to enable output caching.",
|
||
)
|
||
|
||
perf_group.add_argument(
|
||
"--enable-chunked-prefill",
|
||
action="store_true",
|
||
default=EngineArgs.enable_chunked_prefill,
|
||
help="Flag to enable chunked prefill.",
|
||
)
|
||
perf_group.add_argument(
|
||
"--max-num-partial-prefills",
|
||
type=int,
|
||
default=EngineArgs.max_num_partial_prefills,
|
||
help="For chunked prefill, Maximum number \
|
||
of concurrent partial prefill requests.",
|
||
)
|
||
perf_group.add_argument(
|
||
"--max-long-partial-prefills",
|
||
type=int,
|
||
default=EngineArgs.max_long_partial_prefills,
|
||
help=(
|
||
"For chunked prefill, the maximum number of prompts longer than long-prefill-token-threshold"
|
||
"that will be prefilled concurrently."
|
||
),
|
||
)
|
||
perf_group.add_argument(
|
||
"--long-prefill-token-threshold",
|
||
type=int,
|
||
default=EngineArgs.long_prefill_token_threshold,
|
||
help=("For chunked prefill, the threshold number of" " tokens for a prompt to be considered long."),
|
||
)
|
||
|
||
# Splitwise deployment parameters group
|
||
splitwise_group = parser.add_argument_group("Splitwise Deployment")
|
||
splitwise_group.add_argument(
|
||
"--splitwise-role",
|
||
type=str,
|
||
default=EngineArgs.splitwise_role,
|
||
help="Role of splitwise. Default is \
|
||
'mixed'. (prefill, decode, mixed)",
|
||
)
|
||
|
||
splitwise_group.add_argument(
|
||
"--cache-transfer-protocol",
|
||
type=str,
|
||
default=EngineArgs.cache_transfer_protocol,
|
||
help="support protocol list (ipc or rdma), comma separated, default is ipc",
|
||
)
|
||
|
||
splitwise_group.add_argument(
|
||
"--pd-comm-port",
|
||
type=lambda s: s.split(",") if s else None,
|
||
default=EngineArgs.pd_comm_port,
|
||
help="port for splitwise communication.",
|
||
)
|
||
|
||
splitwise_group.add_argument(
|
||
"--rdma-comm-ports",
|
||
type=lambda s: s.split(",") if s else None,
|
||
default=EngineArgs.rdma_comm_ports,
|
||
help="ports for rdma communication.",
|
||
)
|
||
|
||
perf_group.add_argument(
|
||
"--disable-chunked-mm-input",
|
||
action="store_true",
|
||
default=EngineArgs.disable_chunked_mm_input,
|
||
help="Disable chunked mm input.",
|
||
)
|
||
|
||
# Router parameters group
|
||
router_group = parser.add_argument_group("Router")
|
||
router_group.add_argument(
|
||
"--router",
|
||
type=str,
|
||
default=EngineArgs.router,
|
||
help="url for router server.",
|
||
)
|
||
|
||
# Scheduler parameters group
|
||
scheduler_group = parser.add_argument_group("Scheduler")
|
||
scheduler_group.add_argument(
|
||
"--scheduler-name",
|
||
default=EngineArgs.scheduler_name,
|
||
help=f"Scheduler name to be used. Default is {EngineArgs.scheduler_name}. (local,global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-max-size",
|
||
type=int,
|
||
default=EngineArgs.scheduler_max_size,
|
||
help=f"Size of scheduler. Default is {EngineArgs.scheduler_max_size}. (Local)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-ttl",
|
||
type=int,
|
||
default=EngineArgs.scheduler_ttl,
|
||
help=f"TTL of request. Default is {EngineArgs.scheduler_ttl} seconds. (local,global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-host",
|
||
default=EngineArgs.scheduler_host,
|
||
help=f"Host address of redis. Default is {EngineArgs.scheduler_host}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-port",
|
||
type=int,
|
||
default=EngineArgs.scheduler_port,
|
||
help=f"Port of redis. Default is {EngineArgs.scheduler_port}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-db",
|
||
type=int,
|
||
default=EngineArgs.scheduler_db,
|
||
help=f"DB of redis. Default is {EngineArgs.scheduler_db}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-password",
|
||
default=EngineArgs.scheduler_password,
|
||
help=f"Password of redis. Default is {EngineArgs.scheduler_password}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-topic",
|
||
default=EngineArgs.scheduler_topic,
|
||
help=f"Topic of scheduler. Default is {EngineArgs.scheduler_topic}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-min-load-score",
|
||
type=float,
|
||
default=EngineArgs.scheduler_min_load_score,
|
||
help=f"Minimum load score for task assignment. Default is {EngineArgs.scheduler_min_load_score} (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-load-shards-num",
|
||
type=int,
|
||
default=EngineArgs.scheduler_load_shards_num,
|
||
help=(
|
||
"Number of shards for load balancing table. Default is "
|
||
f"{EngineArgs.scheduler_load_shards_num} (global)"
|
||
),
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-sync-period",
|
||
type=int,
|
||
default=EngineArgs.scheduler_sync_period,
|
||
help=f"SplitWise Use, node load sync period, "
|
||
f"Default is {EngineArgs.scheduler_sync_period}ms. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-expire-period",
|
||
type=int,
|
||
default=EngineArgs.scheduler_expire_period,
|
||
help=f"SplitWise Use, node will not be scheduled after "
|
||
f"expire-period ms not sync load, Default is "
|
||
f"{EngineArgs.scheduler_expire_period}ms. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-release-load-expire-period",
|
||
type=int,
|
||
default=EngineArgs.scheduler_release_load_expire_period,
|
||
help=f"SplitWise Use, scheduler will release req load after "
|
||
f"expire period(s). Default is "
|
||
f"{EngineArgs.scheduler_release_load_expire_period}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-reader-parallel",
|
||
type=int,
|
||
default=EngineArgs.scheduler_reader_parallel,
|
||
help=f"SplitWise Use, Results Reader Sync Parallel, "
|
||
f"Default is {EngineArgs.scheduler_reader_parallel}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-writer-parallel",
|
||
type=int,
|
||
default=EngineArgs.scheduler_writer_parallel,
|
||
help=f"SplitWise Use, Results Writer Sync Parallel, "
|
||
f"Default is {EngineArgs.scheduler_writer_parallel}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-reader-batch-size",
|
||
type=int,
|
||
default=EngineArgs.scheduler_reader_batch_size,
|
||
help=f"SplitWise Use, Results Reader Batch Size, "
|
||
f"Default is {EngineArgs.scheduler_reader_batch_size}. (global)",
|
||
)
|
||
scheduler_group.add_argument(
|
||
"--scheduler-writer-batch-size",
|
||
type=int,
|
||
default=EngineArgs.scheduler_writer_batch_size,
|
||
help=f"SplitWise Use, Results Writer Batch Size, "
|
||
f"Default is {EngineArgs.scheduler_writer_batch_size}. (global)",
|
||
)
|
||
|
||
scheduler_group.add_argument(
|
||
"--enable-overlap-schedule",
|
||
action=argparse.BooleanOptionalAction,
|
||
default=EngineArgs.enable_overlap_schedule,
|
||
help="Enable overlapping schedule.",
|
||
)
|
||
|
||
model_group.add_argument(
|
||
"--deploy-modality",
|
||
type=str,
|
||
choices=["mixed", "text"],
|
||
default=EngineArgs.deploy_modality,
|
||
help="Deployment modality. 'mixed' for multimodal (text+image+audio), 'text' for text-only. Default is mixed.",
|
||
)
|
||
|
||
return parser
|
||
|
||
@classmethod
|
||
def from_cli_args(cls, args: FlexibleArgumentParser, skip_port_check=False) -> "EngineArgs":
|
||
"""
|
||
Create an instance of EngineArgs from command line arguments.
|
||
"""
|
||
args_dict = {}
|
||
for field in dataclass_fields(cls):
|
||
if hasattr(args, field.name):
|
||
args_dict[field.name] = getattr(args, field.name)
|
||
return cls(**args_dict, skip_port_check=skip_port_check)
|
||
|
||
def create_speculative_config(self) -> SpeculativeConfig:
|
||
""" """
|
||
speculative_args = asdict(self)
|
||
if self.speculative_config is not None:
|
||
for k, v in self.speculative_config.items():
|
||
speculative_args[k] = v
|
||
|
||
return SpeculativeConfig(speculative_args)
|
||
|
||
def create_scheduler_config(self) -> SchedulerConfig:
|
||
"""
|
||
Create and return a SchedulerConfig object based on the current settings.
|
||
"""
|
||
prefix = "scheduler_"
|
||
prefix_len = len(prefix)
|
||
|
||
all = asdict(self)
|
||
all.pop("port") # port and scheduler_port are not the same
|
||
params = dict()
|
||
for k, v in all.items():
|
||
if k[:prefix_len] == prefix:
|
||
params[k[prefix_len:]] = v
|
||
else:
|
||
params[k] = v
|
||
return SchedulerConfig(params)
|
||
|
||
def create_graph_optimization_config(self) -> GraphOptimizationConfig:
|
||
"""
|
||
Create and retuan a GraphOptimizationConfig object based on the current settings.
|
||
"""
|
||
graph_optimization_args = asdict(self)
|
||
if self.graph_optimization_config is not None:
|
||
for k, v in self.graph_optimization_config.items():
|
||
graph_optimization_args[k] = v
|
||
return GraphOptimizationConfig(graph_optimization_args)
|
||
|
||
def create_plas_attention_config(self) -> PlasAttentionConfig:
|
||
"""
|
||
Create and retuan a PlasAttentionConfig object based on the current settings.
|
||
"""
|
||
attention_args = asdict(self)
|
||
if self.plas_attention_config is not None:
|
||
for k, v in self.plas_attention_config.items():
|
||
attention_args[k] = v
|
||
return PlasAttentionConfig(attention_args)
|
||
else:
|
||
return PlasAttentionConfig(None)
|
||
|
||
def create_early_stop_config(self) -> EarlyStopConfig:
|
||
"""
|
||
Create and retuan an EarlyStopConfig object based on the current settings.
|
||
"""
|
||
early_stop_args = asdict(self)
|
||
if self.early_stop_config is not None:
|
||
for k, v in self.early_stop_config.items():
|
||
early_stop_args[k] = v
|
||
return EarlyStopConfig(early_stop_args)
|
||
|
||
def create_eplb_config(self) -> EPLBConfig:
|
||
"""
|
||
Create and retuan an EPLBConfig object based on the current settings.
|
||
"""
|
||
eplb_args = asdict(self)
|
||
if self.eplb_config is not None:
|
||
for k, v in self.eplb_config.items():
|
||
eplb_args[k] = v
|
||
eplb_args["enable_eplb"] = self.enable_eplb
|
||
return EPLBConfig(eplb_args)
|
||
|
||
def create_routing_repaly_config(self) -> RoutingReplayConfig:
|
||
""" """
|
||
routing_replay_args = asdict(self)
|
||
if self.routing_replay_config is not None:
|
||
for k, v in self.routing_replay_config.items():
|
||
routing_replay_args[k] = v
|
||
return RoutingReplayConfig(routing_replay_args)
|
||
|
||
def create_engine_config(self) -> FDConfig:
|
||
"""
|
||
Create and return a Config object based on the current settings.
|
||
"""
|
||
all_dict = asdict(self)
|
||
model_cfg = ModelConfig(all_dict)
|
||
|
||
if not model_cfg.is_unified_ckpt and hasattr(model_cfg, "tensor_parallel_size"):
|
||
self.tensor_parallel_size = model_cfg.tensor_parallel_size
|
||
|
||
speculative_cfg = self.create_speculative_config()
|
||
if not self.enable_chunked_prefill:
|
||
if (current_platform.is_cuda() or current_platform.is_maca()) and self.splitwise_role == "mixed":
|
||
# default enable chunked prefill
|
||
self.enable_chunked_prefill = True
|
||
|
||
self.disable_chunked_prefill = int(envs.FD_DISABLE_CHUNKED_PREFILL)
|
||
if self.disable_chunked_prefill:
|
||
self.enable_chunked_prefill = False
|
||
|
||
if self.max_num_batched_tokens is None:
|
||
if int(envs.ENABLE_V1_KVCACHE_SCHEDULER):
|
||
if (
|
||
int(envs.FD_DISABLE_CHUNKED_PREFILL)
|
||
or current_platform.is_maca()
|
||
or current_platform.is_iluvatar()
|
||
):
|
||
self.max_num_batched_tokens = self.max_model_len
|
||
else:
|
||
self.max_num_batched_tokens = 8192 # if set to max_model_len, it's easy to be OOM
|
||
else:
|
||
if self.enable_chunked_prefill:
|
||
self.max_num_batched_tokens = 2048
|
||
else:
|
||
self.max_num_batched_tokens = self.max_model_len
|
||
|
||
all_dict = asdict(self)
|
||
all_dict["model_cfg"] = model_cfg
|
||
cache_cfg = CacheConfig(all_dict)
|
||
load_cfg = LoadConfig(all_dict)
|
||
parallel_cfg = ParallelConfig(all_dict)
|
||
scheduler_cfg = self.create_scheduler_config()
|
||
graph_opt_cfg = self.create_graph_optimization_config()
|
||
plas_attention_config = self.create_plas_attention_config()
|
||
eplb_cfg = self.create_eplb_config()
|
||
routing_replay_config = self.create_routing_repaly_config()
|
||
router_config = RouterConfig(all_dict)
|
||
|
||
early_stop_cfg = self.create_early_stop_config()
|
||
early_stop_cfg.update_enable_early_stop(self.enable_early_stop)
|
||
structured_outputs_config: StructuredOutputsConfig = StructuredOutputsConfig(args=all_dict)
|
||
|
||
return FDConfig(
|
||
model_config=model_cfg,
|
||
scheduler_config=scheduler_cfg,
|
||
tokenizer=self.tokenizer,
|
||
cache_config=cache_cfg,
|
||
load_config=load_cfg,
|
||
parallel_config=parallel_cfg,
|
||
speculative_config=speculative_cfg,
|
||
eplb_config=eplb_cfg,
|
||
structured_outputs_config=structured_outputs_config,
|
||
router_config=router_config,
|
||
ips=self.ips,
|
||
use_warmup=self.use_warmup,
|
||
limit_mm_per_prompt=self.limit_mm_per_prompt,
|
||
mm_processor_kwargs=self.mm_processor_kwargs,
|
||
tool_parser=self.tool_call_parser,
|
||
max_num_partial_prefills=self.max_num_partial_prefills,
|
||
max_long_partial_prefills=self.max_long_partial_prefills,
|
||
long_prefill_token_threshold=self.long_prefill_token_threshold,
|
||
graph_opt_config=graph_opt_cfg,
|
||
plas_attention_config=plas_attention_config,
|
||
early_stop_config=early_stop_cfg,
|
||
routing_replay_config=routing_replay_config,
|
||
deploy_modality=DeployModality.from_str(self.deploy_modality),
|
||
)
|