mirror of
https://github.com/huggingface/text-generation-inference.git
synced 2025-09-12 04:44:52 +00:00
feat: leverage serde for conditional deser
This commit is contained in:
parent
4ba5e74efc
commit
d759a7f492
@ -7,9 +7,11 @@ pub(crate) use health::HealthCheck;
|
|||||||
use crate::validation::{ValidGenerateRequest, Validation, ValidationError};
|
use crate::validation::{ValidGenerateRequest, Validation, ValidationError};
|
||||||
use crate::{
|
use crate::{
|
||||||
ChatTemplateInputs, ChatTemplateVersions, FinishReason, GenerateRequest, HubProcessorConfig,
|
ChatTemplateInputs, ChatTemplateVersions, FinishReason, GenerateRequest, HubProcessorConfig,
|
||||||
HubTokenizerConfig, Message, MessageChunk, PrefillToken, Text, TextMessage, Token,
|
HubTokenizerConfig, Message, MessageChunk, PrefillToken, TextMessage, Token,
|
||||||
|
};
|
||||||
|
use crate::{
|
||||||
|
FunctionRef, FunctionsMap, GrammarType, Properties, TokenizerConfigToken, Tool, ToolType, Tools,
|
||||||
};
|
};
|
||||||
use crate::{FunctionRef, FunctionsMap, GrammarType, Properties, Tool, ToolType, Tools};
|
|
||||||
use futures::future::try_join_all;
|
use futures::future::try_join_all;
|
||||||
use minijinja::{Environment, ErrorKind, Template};
|
use minijinja::{Environment, ErrorKind, Template};
|
||||||
use minijinja_contrib::pycompat;
|
use minijinja_contrib::pycompat;
|
||||||
@ -270,7 +272,11 @@ struct ChatTemplate {
|
|||||||
}
|
}
|
||||||
|
|
||||||
impl ChatTemplate {
|
impl ChatTemplate {
|
||||||
fn new(template: String, bos_token: Option<String>, eos_token: Option<String>) -> Self {
|
fn new(
|
||||||
|
template: String,
|
||||||
|
bos_token: Option<TokenizerConfigToken>,
|
||||||
|
eos_token: Option<TokenizerConfigToken>,
|
||||||
|
) -> Self {
|
||||||
let mut env = Box::new(Environment::new());
|
let mut env = Box::new(Environment::new());
|
||||||
// enable things like .strip() or .capitalize()
|
// enable things like .strip() or .capitalize()
|
||||||
env.set_unknown_method_callback(pycompat::unknown_method_callback);
|
env.set_unknown_method_callback(pycompat::unknown_method_callback);
|
||||||
@ -287,8 +293,20 @@ impl ChatTemplate {
|
|||||||
|
|
||||||
Self {
|
Self {
|
||||||
template,
|
template,
|
||||||
bos_token,
|
bos_token: match bos_token {
|
||||||
eos_token,
|
Some(token) => match token {
|
||||||
|
TokenizerConfigToken::String(token) => Some(token),
|
||||||
|
TokenizerConfigToken::Object { content } => Some(content),
|
||||||
|
},
|
||||||
|
None => None,
|
||||||
|
},
|
||||||
|
eos_token: match eos_token {
|
||||||
|
Some(token) => match token {
|
||||||
|
TokenizerConfigToken::String(token) => Some(token),
|
||||||
|
TokenizerConfigToken::Object { content } => Some(content),
|
||||||
|
},
|
||||||
|
None => None,
|
||||||
|
},
|
||||||
use_default_tool_template,
|
use_default_tool_template,
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -301,9 +319,9 @@ impl ChatTemplate {
|
|||||||
if self.use_default_tool_template {
|
if self.use_default_tool_template {
|
||||||
if let Some(last_message) = messages.last_mut() {
|
if let Some(last_message) = messages.last_mut() {
|
||||||
if let Some((GrammarType::Json(tools), tool_prompt)) = grammar_with_prompt {
|
if let Some((GrammarType::Json(tools), tool_prompt)) = grammar_with_prompt {
|
||||||
last_message.content.push(MessageChunk::Text(Text {
|
last_message.content.push(MessageChunk::Text {
|
||||||
text: format!("\n---\n{}\n{}", tool_prompt, tools),
|
text: format!("\n---\n{}\n{}", tool_prompt, tools),
|
||||||
}));
|
});
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -340,6 +358,14 @@ impl ToolGrammar {
|
|||||||
.unwrap_or_else(|| panic!("Tool with name {} not found", name))
|
.unwrap_or_else(|| panic!("Tool with name {} not found", name))
|
||||||
.clone()]
|
.clone()]
|
||||||
}
|
}
|
||||||
|
ToolType::Function { function } => {
|
||||||
|
let tool = req_tools
|
||||||
|
.iter()
|
||||||
|
.find(|tool| tool.function.name == function.name)
|
||||||
|
.unwrap_or_else(|| panic!("Tool with name {} not found", function.name))
|
||||||
|
.clone();
|
||||||
|
vec![tool]
|
||||||
|
}
|
||||||
ToolType::OneOf => req_tools.to_owned(),
|
ToolType::OneOf => req_tools.to_owned(),
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -53,6 +53,8 @@ pub enum ChatTemplateVersions {
|
|||||||
Multiple(Vec<ChatTemplate>),
|
Multiple(Vec<ChatTemplate>),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
use std::path::Path;
|
||||||
|
|
||||||
#[derive(Debug, Clone, Deserialize, Default)]
|
#[derive(Debug, Clone, Deserialize, Default)]
|
||||||
pub struct HubTokenizerConfig {
|
pub struct HubTokenizerConfig {
|
||||||
pub chat_template: Option<ChatTemplateVersions>,
|
pub chat_template: Option<ChatTemplateVersions>,
|
||||||
@ -67,9 +69,26 @@ pub struct HubTokenizerConfig {
|
|||||||
}
|
}
|
||||||
|
|
||||||
impl HubTokenizerConfig {
|
impl HubTokenizerConfig {
|
||||||
pub fn from_file<P: AsRef<std::path::Path>>(filename: P) -> Option<Self> {
|
pub fn from_file<P: AsRef<Path>>(filename: P) -> Option<Self> {
|
||||||
let content = std::fs::read_to_string(filename).ok()?;
|
std::fs::read_to_string(filename)
|
||||||
serde_json::from_str(&content).ok()
|
.ok()
|
||||||
|
.and_then(|content| serde_json::from_str(&content).ok())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Clone, Deserialize, Serialize, PartialEq)]
|
||||||
|
#[serde(untagged)]
|
||||||
|
pub enum TokenizerConfigToken {
|
||||||
|
String(String),
|
||||||
|
Object { content: String },
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<TokenizerConfigToken> for String {
|
||||||
|
fn from(token: TokenizerConfigToken) -> Self {
|
||||||
|
match token {
|
||||||
|
TokenizerConfigToken::String(s) => s,
|
||||||
|
TokenizerConfigToken::Object { content } => content,
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -100,9 +119,10 @@ pub struct HubProcessorConfig {
|
|||||||
}
|
}
|
||||||
|
|
||||||
impl HubProcessorConfig {
|
impl HubProcessorConfig {
|
||||||
pub fn from_file<P: AsRef<std::path::Path>>(filename: P) -> Option<Self> {
|
pub fn from_file<P: AsRef<Path>>(filename: P) -> Option<Self> {
|
||||||
let content = std::fs::read_to_string(filename).ok()?;
|
std::fs::read_to_string(filename)
|
||||||
serde_json::from_str(&content).ok()
|
.ok()
|
||||||
|
.and_then(|content| serde_json::from_str(&content).ok())
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -121,35 +141,6 @@ pub(crate) enum GrammarType {
|
|||||||
Regex(String),
|
Regex(String),
|
||||||
}
|
}
|
||||||
|
|
||||||
mod token_serde {
|
|
||||||
use super::*;
|
|
||||||
use serde::de;
|
|
||||||
use serde::Deserializer;
|
|
||||||
use serde_json::Value;
|
|
||||||
|
|
||||||
pub fn deserialize<'de, D>(deserializer: D) -> Result<Option<String>, D::Error>
|
|
||||||
where
|
|
||||||
D: Deserializer<'de>,
|
|
||||||
{
|
|
||||||
let value = Value::deserialize(deserializer)?;
|
|
||||||
|
|
||||||
match value {
|
|
||||||
Value::String(s) => Ok(Some(s)),
|
|
||||||
Value::Object(map) => {
|
|
||||||
if let Some(content) = map.get("content").and_then(|v| v.as_str()) {
|
|
||||||
Ok(Some(content.to_string()))
|
|
||||||
} else {
|
|
||||||
Err(de::Error::custom(
|
|
||||||
"content key not found in structured token",
|
|
||||||
))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Value::Null => Ok(None),
|
|
||||||
_ => Err(de::Error::custom("invalid token format")),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Clone, Debug, Serialize, ToSchema)]
|
#[derive(Clone, Debug, Serialize, ToSchema)]
|
||||||
pub struct Info {
|
pub struct Info {
|
||||||
/// Model info
|
/// Model info
|
||||||
@ -359,30 +350,33 @@ fn default_parameters() -> GenerateParameters {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
mod prompt_serde {
|
#[derive(Clone, Deserialize, Serialize, ToSchema, Debug)]
|
||||||
use serde::{self, Deserialize, Deserializer};
|
#[serde(try_from = "PromptDeserializer")]
|
||||||
use serde_json::Value;
|
pub struct Prompt(pub Vec<String>);
|
||||||
|
|
||||||
pub fn deserialize<'de, D>(deserializer: D) -> Result<Vec<String>, D::Error>
|
#[derive(Deserialize)]
|
||||||
where
|
#[serde(untagged)]
|
||||||
D: Deserializer<'de>,
|
enum PromptDeserializer {
|
||||||
{
|
Single(String),
|
||||||
let value = Value::deserialize(deserializer)?;
|
Multiple(Vec<String>),
|
||||||
|
}
|
||||||
|
|
||||||
|
impl TryFrom<PromptDeserializer> for Prompt {
|
||||||
|
type Error = String;
|
||||||
|
|
||||||
|
fn try_from(value: PromptDeserializer) -> Result<Self, Self::Error> {
|
||||||
match value {
|
match value {
|
||||||
Value::String(s) => Ok(vec![s]),
|
PromptDeserializer::Single(s) => Ok(Prompt(vec![s])),
|
||||||
Value::Array(arr) if arr.is_empty() => Err(serde::de::Error::custom(
|
PromptDeserializer::Multiple(v) => {
|
||||||
"Empty array detected. Do not use an empty array for the prompt.",
|
if v.is_empty() {
|
||||||
)),
|
Err(
|
||||||
Value::Array(arr) => arr
|
"Empty array detected. Do not use an empty array for the prompt."
|
||||||
.iter()
|
.to_string(),
|
||||||
.map(|v| match v {
|
)
|
||||||
Value::String(s) => Ok(s.to_owned()),
|
} else {
|
||||||
_ => Err(serde::de::Error::custom("Expected a string")),
|
Ok(Prompt(v))
|
||||||
})
|
}
|
||||||
.collect(),
|
}
|
||||||
_ => Err(serde::de::Error::custom(
|
|
||||||
"Expected a string or an array of strings",
|
|
||||||
)),
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -396,8 +390,7 @@ pub struct CompletionRequest {
|
|||||||
|
|
||||||
/// The prompt to generate completions for.
|
/// The prompt to generate completions for.
|
||||||
#[schema(example = "What is Deep Learning?")]
|
#[schema(example = "What is Deep Learning?")]
|
||||||
#[serde(deserialize_with = "prompt_serde::deserialize")]
|
pub prompt: Prompt,
|
||||||
pub prompt: Vec<String>,
|
|
||||||
|
|
||||||
/// The maximum number of tokens that can be generated in the chat completion.
|
/// The maximum number of tokens that can be generated in the chat completion.
|
||||||
#[serde(default)]
|
#[serde(default)]
|
||||||
@ -824,7 +817,6 @@ pub(crate) struct ChatRequest {
|
|||||||
/// A specific tool to use. If not provided, the model will default to use any of the tools provided in the tools parameter.
|
/// A specific tool to use. If not provided, the model will default to use any of the tools provided in the tools parameter.
|
||||||
#[serde(default)]
|
#[serde(default)]
|
||||||
#[schema(nullable = true, example = "null")]
|
#[schema(nullable = true, example = "null")]
|
||||||
#[serde(deserialize_with = "deserialize_tool_choice::deserialize")]
|
|
||||||
pub tool_choice: Option<ToolType>,
|
pub tool_choice: Option<ToolType>,
|
||||||
|
|
||||||
/// Response format constraints for the generation.
|
/// Response format constraints for the generation.
|
||||||
@ -840,44 +832,41 @@ fn default_tool_prompt() -> Option<String> {
|
|||||||
"\nYou will be presented with a JSON schema representing a set of tools.\nIf the user request lacks of sufficient information to make a precise tool selection: Do not invent any tool's properties, instead notify with an error message.\n\nJSON Schema:\n".to_string(),
|
"\nYou will be presented with a JSON schema representing a set of tools.\nIf the user request lacks of sufficient information to make a precise tool selection: Do not invent any tool's properties, instead notify with an error message.\n\nJSON Schema:\n".to_string(),
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
#[derive(Clone, Deserialize, ToSchema, Serialize)]
|
|
||||||
enum ToolType {
|
#[derive(Clone, Debug, Deserialize, PartialEq, Serialize, ToSchema)]
|
||||||
FunctionName(String),
|
#[serde(untagged)]
|
||||||
|
pub enum ToolType {
|
||||||
OneOf,
|
OneOf,
|
||||||
|
FunctionName(String),
|
||||||
|
Function { function: FunctionName },
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Deserialize the tool choice from the JSON input or from the function name ("none" is allowed but mapped to None)
|
#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)]
|
||||||
mod deserialize_tool_choice {
|
pub struct FunctionName {
|
||||||
use super::*;
|
pub name: String,
|
||||||
use serde::de;
|
}
|
||||||
use serde::Deserializer;
|
|
||||||
use serde_json::Value;
|
|
||||||
|
|
||||||
pub fn deserialize<'de, D>(deserializer: D) -> Result<Option<ToolType>, D::Error>
|
#[derive(Debug, Clone, PartialEq, Serialize, Deserialize)]
|
||||||
where
|
#[serde(from = "ToolTypeDeserializer")]
|
||||||
D: Deserializer<'de>,
|
pub struct ToolChoice(pub Option<ToolType>);
|
||||||
{
|
|
||||||
let value = Value::deserialize(deserializer)?;
|
|
||||||
|
|
||||||
|
#[derive(Deserialize)]
|
||||||
|
#[serde(untagged)]
|
||||||
|
enum ToolTypeDeserializer {
|
||||||
|
None(Option<String>),
|
||||||
|
Some(ToolType),
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<ToolTypeDeserializer> for ToolChoice {
|
||||||
|
fn from(value: ToolTypeDeserializer) -> Self {
|
||||||
match value {
|
match value {
|
||||||
Value::String(s) => match s.as_str() {
|
ToolTypeDeserializer::None(opt) => match opt.as_deref() {
|
||||||
"none" => Ok(None),
|
Some("none") => ToolChoice(None),
|
||||||
"auto" => Ok(Some(ToolType::OneOf)),
|
Some("auto") => ToolChoice(Some(ToolType::OneOf)),
|
||||||
_ => Ok(Some(ToolType::FunctionName(s))),
|
Some(s) => ToolChoice(Some(ToolType::FunctionName(s.to_string()))),
|
||||||
|
None => ToolChoice(Some(ToolType::OneOf)),
|
||||||
},
|
},
|
||||||
Value::Object(map) => {
|
ToolTypeDeserializer::Some(tool_type) => ToolChoice(Some(tool_type)),
|
||||||
if let Some(content) = map
|
|
||||||
.get("function")
|
|
||||||
.and_then(|v| v.get("name"))
|
|
||||||
.and_then(|v| v.as_str())
|
|
||||||
{
|
|
||||||
Ok(Some(ToolType::FunctionName(content.to_string())))
|
|
||||||
} else {
|
|
||||||
Err(de::Error::custom("function key not found in tool choice"))
|
|
||||||
}
|
|
||||||
}
|
|
||||||
Value::Null => Ok(Some(ToolType::OneOf)),
|
|
||||||
_ => Err(de::Error::custom("invalid token format")),
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -953,26 +942,16 @@ pub(crate) struct ToolCall {
|
|||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
||||||
struct Url {
|
pub struct Url {
|
||||||
url: String,
|
url: String,
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
|
||||||
struct ImageUrl {
|
|
||||||
image_url: Url,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
|
||||||
struct Text {
|
|
||||||
text: String,
|
|
||||||
}
|
|
||||||
|
|
||||||
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
||||||
#[serde(tag = "type")]
|
#[serde(tag = "type")]
|
||||||
#[serde(rename_all = "snake_case")]
|
#[serde(rename_all = "snake_case")]
|
||||||
enum MessageChunk {
|
pub enum MessageChunk {
|
||||||
Text(Text),
|
Text { text: String },
|
||||||
ImageUrl(ImageUrl),
|
ImageUrl { image_url: Url },
|
||||||
}
|
}
|
||||||
|
|
||||||
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
#[derive(Clone, Deserialize, ToSchema, Serialize, Debug, PartialEq)]
|
||||||
@ -980,35 +959,31 @@ pub struct Message {
|
|||||||
#[schema(example = "user")]
|
#[schema(example = "user")]
|
||||||
role: String,
|
role: String,
|
||||||
#[schema(example = "My name is David and I")]
|
#[schema(example = "My name is David and I")]
|
||||||
#[serde(deserialize_with = "message_content_serde::deserialize")]
|
pub content: MessageContent,
|
||||||
content: Vec<MessageChunk>,
|
|
||||||
#[serde(default, skip_serializing_if = "Option::is_none")]
|
#[serde(default, skip_serializing_if = "Option::is_none")]
|
||||||
#[schema(example = "\"David\"")]
|
#[schema(example = "\"David\"")]
|
||||||
name: Option<String>,
|
name: Option<String>,
|
||||||
}
|
}
|
||||||
|
|
||||||
mod message_content_serde {
|
#[derive(Clone, Deserialize, Serialize, ToSchema, Debug, PartialEq)]
|
||||||
use super::*;
|
|
||||||
use serde::{Deserialize, Deserializer};
|
|
||||||
|
|
||||||
pub fn deserialize<'de, D>(deserializer: D) -> Result<Vec<MessageChunk>, D::Error>
|
|
||||||
where
|
|
||||||
D: Deserializer<'de>,
|
|
||||||
{
|
|
||||||
#[derive(Deserialize)]
|
|
||||||
#[serde(untagged)]
|
#[serde(untagged)]
|
||||||
enum Message {
|
pub enum MessageContent {
|
||||||
Text(String),
|
SingleText(String),
|
||||||
Chunks(Vec<MessageChunk>),
|
MultipleChunks(Vec<MessageChunk>),
|
||||||
|
}
|
||||||
|
|
||||||
|
// Pushing a chunk to a single text message will convert it to a multiple chunks message
|
||||||
|
impl MessageContent {
|
||||||
|
pub fn push(&mut self, chunk: MessageChunk) {
|
||||||
|
match self {
|
||||||
|
MessageContent::SingleText(text) => {
|
||||||
|
*self =
|
||||||
|
MessageContent::MultipleChunks(vec![MessageChunk::Text { text: text.clone() }]);
|
||||||
|
}
|
||||||
|
MessageContent::MultipleChunks(chunks) => {
|
||||||
|
chunks.push(chunk);
|
||||||
}
|
}
|
||||||
let message: Message = Deserialize::deserialize(deserializer)?;
|
|
||||||
let chunks = match message {
|
|
||||||
Message::Text(text) => {
|
|
||||||
vec![MessageChunk::Text(Text { text })]
|
|
||||||
}
|
}
|
||||||
Message::Chunks(s) => s,
|
|
||||||
};
|
|
||||||
Ok(chunks)
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -1024,18 +999,17 @@ impl From<Message> for TextMessage {
|
|||||||
fn from(value: Message) -> Self {
|
fn from(value: Message) -> Self {
|
||||||
TextMessage {
|
TextMessage {
|
||||||
role: value.role,
|
role: value.role,
|
||||||
content: value
|
content: match value.content {
|
||||||
.content
|
MessageContent::SingleText(text) => text,
|
||||||
|
MessageContent::MultipleChunks(chunks) => chunks
|
||||||
.into_iter()
|
.into_iter()
|
||||||
.map(|c| match c {
|
.map(|chunk| match chunk {
|
||||||
MessageChunk::Text(Text { text }) => text,
|
MessageChunk::Text { text } => text,
|
||||||
MessageChunk::ImageUrl(image) => {
|
MessageChunk::ImageUrl { image_url } => format!("", image_url.url),
|
||||||
let url = image.image_url.url;
|
|
||||||
format!("")
|
|
||||||
}
|
|
||||||
})
|
})
|
||||||
.collect::<Vec<_>>()
|
.collect::<Vec<_>>()
|
||||||
.join(""),
|
.join(""),
|
||||||
|
},
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -1243,9 +1217,16 @@ mod tests {
|
|||||||
);
|
);
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
config.bos_token,
|
config.bos_token,
|
||||||
Some("<|begin▁of▁sentence|>".to_string())
|
Some(TokenizerConfigToken::String(
|
||||||
|
"<|begin▁of▁sentence|>".to_string()
|
||||||
|
))
|
||||||
|
);
|
||||||
|
assert_eq!(
|
||||||
|
config.eos_token,
|
||||||
|
Some(TokenizerConfigToken::String(
|
||||||
|
"<|end▁of▁sentence|>".to_string()
|
||||||
|
))
|
||||||
);
|
);
|
||||||
assert_eq!(config.eos_token, Some("<|end▁of▁sentence|>".to_string()));
|
|
||||||
|
|
||||||
// in this case we expect the tokens to be encoded as structured tokens
|
// in this case we expect the tokens to be encoded as structured tokens
|
||||||
// we want the content of the structured token
|
// we want the content of the structured token
|
||||||
@ -1278,9 +1259,16 @@ mod tests {
|
|||||||
);
|
);
|
||||||
assert_eq!(
|
assert_eq!(
|
||||||
config.bos_token,
|
config.bos_token,
|
||||||
Some("<|begin▁of▁sentence|>".to_string())
|
Some(TokenizerConfigToken::Object {
|
||||||
|
content: "<|begin▁of▁sentence|>".to_string()
|
||||||
|
})
|
||||||
|
);
|
||||||
|
assert_eq!(
|
||||||
|
config.eos_token,
|
||||||
|
Some(TokenizerConfigToken::Object {
|
||||||
|
content: "<|end▁of▁sentence|>".to_string()
|
||||||
|
})
|
||||||
);
|
);
|
||||||
assert_eq!(config.eos_token, Some("<|end▁of▁sentence|>".to_string()));
|
|
||||||
}
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
@ -1298,9 +1286,7 @@ mod tests {
|
|||||||
request.messages[0],
|
request.messages[0],
|
||||||
Message {
|
Message {
|
||||||
role: "user".to_string(),
|
role: "user".to_string(),
|
||||||
content: vec![MessageChunk::Text(Text {
|
content: MessageContent::SingleText("What is Deep Learning?".to_string()),
|
||||||
text: "What is Deep Learning?".to_string()
|
|
||||||
}),],
|
|
||||||
name: None
|
name: None
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
@ -1324,10 +1310,10 @@ mod tests {
|
|||||||
request.messages[0],
|
request.messages[0],
|
||||||
Message{
|
Message{
|
||||||
role: "user".to_string(),
|
role: "user".to_string(),
|
||||||
content: vec![
|
content: MessageContent::MultipleChunks(vec![
|
||||||
MessageChunk::Text(Text { text: "Whats in this image?".to_string() }),
|
MessageChunk::Text { text: "Whats in this image?".to_string() },
|
||||||
MessageChunk::ImageUrl(ImageUrl { image_url: Url { url: "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rabbit.png".to_string() } })
|
MessageChunk::ImageUrl { image_url: Url { url: "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rabbit.png".to_string() }},
|
||||||
],
|
]),
|
||||||
name: None
|
name: None
|
||||||
}
|
}
|
||||||
);
|
);
|
||||||
@ -1337,10 +1323,10 @@ mod tests {
|
|||||||
fn text_message_convert() {
|
fn text_message_convert() {
|
||||||
let message = Message{
|
let message = Message{
|
||||||
role: "user".to_string(),
|
role: "user".to_string(),
|
||||||
content: vec![
|
content: MessageContent::MultipleChunks(vec![
|
||||||
MessageChunk::Text(Text { text: "Whats in this image?".to_string() }),
|
MessageChunk::Text { text: "Whats in this image?".to_string() },
|
||||||
MessageChunk::ImageUrl(ImageUrl { image_url: Url { url: "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rabbit.png".to_string() } })
|
MessageChunk::ImageUrl { image_url: Url { url: "https://huggingface.co/datasets/huggingface/documentation-images/resolve/main/transformers/rabbit.png".to_string() } }
|
||||||
],
|
]),
|
||||||
name: None
|
name: None
|
||||||
};
|
};
|
||||||
let textmsg: TextMessage = message.into();
|
let textmsg: TextMessage = message.into();
|
||||||
|
@ -636,7 +636,7 @@ async fn completions(
|
|||||||
));
|
));
|
||||||
}
|
}
|
||||||
|
|
||||||
if req.prompt.len() > info.max_client_batch_size {
|
if req.prompt.0.len() > info.max_client_batch_size {
|
||||||
metrics::increment_counter!("tgi_request_failure", "err" => "validation");
|
metrics::increment_counter!("tgi_request_failure", "err" => "validation");
|
||||||
return Err((
|
return Err((
|
||||||
StatusCode::UNPROCESSABLE_ENTITY,
|
StatusCode::UNPROCESSABLE_ENTITY,
|
||||||
@ -652,6 +652,7 @@ async fn completions(
|
|||||||
|
|
||||||
let generate_requests: Vec<GenerateRequest> = req
|
let generate_requests: Vec<GenerateRequest> = req
|
||||||
.prompt
|
.prompt
|
||||||
|
.0
|
||||||
.iter()
|
.iter()
|
||||||
.map(|prompt| GenerateRequest {
|
.map(|prompt| GenerateRequest {
|
||||||
inputs: prompt.to_string(),
|
inputs: prompt.to_string(),
|
||||||
|
Loading…
Reference in New Issue
Block a user