文档
结构化响应
您可以通过向 .respond()
方法提供 JSON schema 来强制 LLM 返回特定的响应格式。这可以保证模型的输出符合您提供的 schema。
JSON schema 可以直接提供,也可以通过提供实现 lmstudio.ModelSchema
协议的对象来提供,例如 pydantic.BaseModel
或 lmstudio.BaseModel
。
lmstudio.ModelSchema
协议定义如下:
@runtime_checkable class ModelSchema(Protocol): """Protocol for classes that provide a JSON schema for their model.""" @classmethod def model_json_schema(cls) → DictSchema: """Return a JSON schema dict describing this model.""" ...
当提供 schema 时,预测结果的 parsed
字段将包含一个字符串键的字典,该字典符合给定的 schema(对于非结构化结果,此字段是一个字符串字段,包含与 content
相同的值)。
如果您希望模型生成满足给定 schema 的 JSON,建议使用诸如 pydantic
或 msgspec
之类的库来提供基于类的 schema 定义。
Pydantic 模型原生实现了 lmstudio.ModelSchema
协议,而 lmstudio.BaseModel
是实现了 .model_json_schema()
的 msgspec.Struct
子类。
from pydantic import BaseModel
# A class based schema for a book
class BookSchema(BaseModel):
title: str
author: str
year: int
result = model.respond("Tell me about The Hobbit", response_format=BookSchema)
book = result.parsed
print(book)
# ^
# Note that `book` is correctly typed as { title: string, author: string, year: number }
您也可以使用 JSON schema 来强制结构化响应。
# A JSON schema for a book schema = { "type": "object", "properties": { "title": { "type": "string" }, "author": { "type": "string" }, "year": { "type": "integer" }, }, "required": ["title", "author", "year"], }
result = model.respond("Tell me about The Hobbit", response_format=schema)
book = result.parsed
print(book)
# ^
# Note that `book` is correctly typed as { title: string, author: string, year: number }