1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240
//! Tools to run the generation loop for an auto-regressive model.
use std::error::Error;
use std::fmt;
use std::ops::Range;
use rten::{Dimension, Input, InputOrOutput, NodeId, Output};
use rten_tensor::prelude::*;
use rten_tensor::{NdTensor, Tensor};
#[cfg(feature = "text-decoder")]
use rten_text::tokenizers::{Tokenizer, TokenizerError};
use crate::metrics::Metrics;
use crate::model::Model;
use crate::sampler::{ArgMaxSampler, Sampler};
#[cfg(feature = "text-decoder")]
use crate::text_decoder::TextDecoder;
/// Errors that occur when creating or running a [`Generator`].
#[derive(Debug)]
pub enum GeneratorError {
/// An expected model input was not found.
InputNotFound(String),
/// An expected model output was not found.
OutputNotFound(String),
/// An input or output did not have the expected shape.
ShapeMismatch(String),
/// An error occurred while generating the next token.
GenerateError(Box<dyn Error>),
/// An error occurred while decoding tokens.
#[cfg(feature = "text-decoder")]
DecodeError(TokenizerError),
}
/// Integer type used to represent token IDs.
pub type TokenId = u32;
impl fmt::Display for GeneratorError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
GeneratorError::InputNotFound(name) => write!(f, "model input not found: {}", name),
GeneratorError::OutputNotFound(name) => write!(f, "model output not found: {}", name),
GeneratorError::ShapeMismatch(err) => write!(f, "shape mismatch: {}", err),
GeneratorError::GenerateError(err) => write!(f, "generation error: {}", err),
#[cfg(feature = "text-decoder")]
GeneratorError::DecodeError(err) => write!(f, "decode error: {}", err),
}
}
}
impl Error for GeneratorError {}
enum KvCacheData {
/// Key-value cache with shape `[batch, seq_len, channels]`.
///
/// In this configuration the channels for all heads are combined into the
/// last dimension.
BatchSeqChans(NdTensor<f32, 3>),
/// Key-value cache with shape `[batch, heads, seq_len, channels]`.
BatchHeadSeqChans(NdTensor<f32, 4>),
}
/// Key-value cache for a single layer of a transformer model.
struct KvCache {
/// Input ID for this cache entry.
input_id: NodeId,
/// Output ID for this cache entry.
output_id: NodeId,
/// The cached keys and values. This is set to `None` during inference, as
/// the model temporarily takes ownership of it.
cache: Option<KvCacheData>,
}
/// Specifies a pattern for the name of a key-value cache input or output.
///
/// These inputs are expected to have the form `{prefix}{layer_number}{suffix}`,
/// with one input and output per layer for the key cache and the value cache.
pub struct KVCachePattern<'a> {
pub prefix: &'a str,
pub suffix: &'a str,
}
impl<'a> From<(&'a str, &'a str)> for KVCachePattern<'a> {
/// Construct a [`KVCachePattern`] from a `(prefix, suffix)` tuple.
fn from(value: (&'a str, &'a str)) -> Self {
let (prefix, suffix) = value;
KVCachePattern { prefix, suffix }
}
}
/// Specifies a pair of patterns for corresponding input and output key-value
/// cache entries.
pub struct KVCachePair<'a> {
/// The pattern for the model input name.
pub input: KVCachePattern<'a>,
/// The pattern for the model output name.
pub output: KVCachePattern<'a>,
/// Specifies whether this cache is used for a cross-attention ("encoder")
/// KV cache.
///
/// Encoder KV-cache entries are computed only on the first run of the
/// model and reused in subsequent runs.
pub encoder: bool,
}
/// Specifies the names of model inputs and outputs.
///
/// The [`Default`] impl for this struct returns an instance whose names
/// follow the configuration of Hugging Face's Optimum tool.
///
/// Any inputs that are not present in the model are ignored.
pub struct ModelInputsConfig<'a> {
/// Model input that contains the token IDs of the prompt and output
/// generated so far.
pub input_ids: &'a str,
/// Model output that contains logits.
pub logits: &'a str,
/// Model input that contains an attention mask.
pub attention_mask: &'a str,
/// Model input that contains position IDs for each position.
pub position_ids: &'a str,
/// Patterns for inputs and outputs used for key-value caches.
pub kv_caches: Vec<KVCachePair<'a>>,
/// Boolean input that is set to false on the first run and true on
/// subsequent runs.
pub use_cache_flag: &'a str,
}
/// Contains essential configuration needed for a `Generator` to execute a
/// model, such as the roles of different inputs and outputs.
pub struct GeneratorConfig<'a> {
/// Specifies names and roles of model inputs and outputs.
pub model_inputs: ModelInputsConfig<'a>,
}
impl<'a> Default for ModelInputsConfig<'a> {
/// Return default model input names.
///
/// These are based on [Hugging Face's
/// Optimum](https://huggingface.co/docs/optimum/en/index) model exporter.
fn default() -> Self {
ModelInputsConfig {
input_ids: "input_ids",
logits: "logits",
attention_mask: "attention_mask",
position_ids: "position_ids",
use_cache_flag: "use_cache_branch",
// Patterns are matched in order, so patterns with longer prefixes/
// suffixes are listed first to ensure we match them.
kv_caches: [
// "Merged" decoders exported by Optimum for encoder-decoder
// models. These have KV caches for both the self-attention and
// cross-attention modules.
KVCachePair {
input: ("past_key_values.", ".decoder.key").into(),
output: ("present.", ".decoder.key").into(),
encoder: false,
},
KVCachePair {
input: ("past_key_values.", ".decoder.value").into(),
output: ("present.", ".decoder.value").into(),
encoder: false,
},
KVCachePair {
input: ("past_key_values.", ".encoder.key").into(),
output: ("present.", ".encoder.key").into(),
encoder: true,
},
KVCachePair {
input: ("past_key_values.", ".encoder.value").into(),
output: ("present.", ".encoder.value").into(),
encoder: true,
},
// Decoder-only models exported by Optimum.
KVCachePair {
input: ("past_key_values.", ".key").into(),
output: ("present.", ".key").into(),
encoder: false,
},
KVCachePair {
input: ("past_key_values.", ".value").into(),
output: ("present.", ".value").into(),
encoder: false,
},
]
.into(),
}
}
}
/// Generates a token ID sequence using a transformer decoder model.
///
/// This is an iterator that runs the model on each call to [`Iterator::next`]
/// and yields a result containing the next token ID or an error.
///
/// The token ID sequence can be converted to text using the
/// [`decode`](GeneratorUtils::decode) method of the [`GeneratorUtils`] trait.
///
/// The `GeneratorUtils` trait also provides useful wrappers for the output,
/// such as stopping generation when an end-of-text token is reached. You can
/// also use all of the standard iterator adapters. For example
/// `generator.take(30)` will return an iterator that stops generation after 30
/// tokens have been produced).
///
/// ## Sampling
///
/// The token ID is sampled from the outputs of the model (the "logits") using
/// a [`Sampler`]. By default this is an [`ArgMaxSampler`] which simply chooses
/// the token with the highest probability. The sampler can be configured using
/// [`with_sampler`](Self::with_sampler).
///
/// ## Key-value caches and generation performance
///
/// To enable efficient decoding, the model should have inputs and outputs for
/// the [key-value
/// cache](https://peterchng.com/blog/2024/06/11/what-is-the-transformer-kv-cache/).
/// The generator will work with models that do not have cache inputs, but
/// decoding of long output sequences will be much slower.
pub struct Generator<'a> {
model: &'a dyn Model,
/// Additional constant model inputs (eg. encoder outputs) passed to the
/// model at each step.
constant_inputs: Vec<(NodeId, InputOrOutput<'a>)>,
/// Additional model inputs computed using constant propagation. This
/// effectively caches parts of the graph that don't change in each
/// generation step. This is `None` if the cache is out of date.
constant_prop_inputs: Option<Vec<(NodeId, Output)>>,
/// Additional varying model inputs computed and passed to the model at
/// each step. The functions receive `(batch_size, sequence_positions)` as inputs.
#[allow(clippy::type_complexity)]
varying_inputs: Vec<(NodeId, &'a dyn Fn(usize, Range<usize>) -> InputOrOutput<'a>)>,
/// Input token IDs for the next run of the model.
input_ids: Vec<TokenId>,
// Input node IDs
input_ids_input: NodeId,
// Output node IDs
logits_output: NodeId,
// Sampler used to get the next token ID from the output logits.
sampler: Box<dyn Sampler>,
/// Length of the sequence generated so far.
seq_len: u32,
/// Self-attention key-value cache. This is extended on each iteration.
kv_cache: Vec<KvCache>,
/// Cross-attention key-value cache.
///
/// This is used by encoder-decoder models. The cross-attention values
/// are computed on the first run and reused in subsequent runs.
encoder_kv_cache: Vec<KvCache>,
}
impl<'a> Generator<'a> {
/// Create a generator that iteratively produces tokens using a model.
///
/// This function assumes default names for model inputs and outputs
/// based on the conventions of Hugging Face's Optimum exporter. These
/// can be customized using [`from_model_config`](Self::from_model_config).
///
/// The model must have the required inputs:
///
/// - `input_ids` - (batch, sequence) tensor of token IDs
///
/// The model may have the optional inputs:
///
/// - `attention_mask` - (batch, sequence) tensor of booleans
/// - `position_ids` - (batch, sequence) tensor of position indices
/// - `past_key_values.N.key` - (batch, head, past_seq_len, size) key vector cache
/// where `N` is the layer index
/// - `past_key_values.N.value` - (batch, head, past_key_values, size) value vector cache,
/// where `N` is the layer index
///
/// **Warning:** Generation of long sequences will be much slower in models without
/// key-value caches.
///
/// The model must have the outputs:
///
/// - `logits` - output (batch, sequence, vocab) tensor of next token probabilities
///
/// The model may have the optional outputs:
///
/// - `present.N.key` - (batch, head, past_seq_len + 1, size) updated key vector cache
/// - `present.N.value` - (batch, head, past_seq_len + 1, size) updated value vector cache
pub fn from_model(model: &'a dyn Model) -> Result<Generator<'a>, GeneratorError> {
let config = GeneratorConfig {
model_inputs: ModelInputsConfig::default(),
};
Self::from_model_config(model, config)
}
/// Create a generator that iteratively produces tokens using a model.
///
/// This is a variant of [`from_model`](Self::from_model) that allows
/// specifying custom names for model inputs.
pub fn from_model_config(
model: &'a dyn Model,
config: GeneratorConfig,
) -> Result<Generator<'a>, GeneratorError> {
let model_inputs = &config.model_inputs;
let input_ids_input =
model
.find_node(model_inputs.input_ids)
.ok_or(GeneratorError::InputNotFound(
model_inputs.input_ids.to_string(),
))?;
let logits_output =
model
.find_node(model_inputs.logits)
.ok_or(GeneratorError::OutputNotFound(
model_inputs.logits.to_string(),
))?;
// Find inputs and corresponding outputs for key-value cache.
let batch_size = 1;
let mut kv_cache = Vec::new();
let mut encoder_kv_cache = Vec::new();
for &input_id in model.input_ids() {
let input_info = model
.node_info(input_id)
.ok_or(GeneratorError::InputNotFound(format!(
"input ID {}",
input_id
)))?;
let name = input_info.name();
let Some(kv_pattern) = model_inputs
.kv_caches
.iter()
.find(|pat| name.starts_with(pat.input.prefix) && name.ends_with(pat.input.suffix))
else {
continue;
};
let (n_heads, size) = match *input_info.shape() {
[_, Dimension::Fixed(n_heads), _, Dimension::Fixed(size)] => (Some(n_heads), size),
[_, _, Dimension::Fixed(size)] => (None, size),
_ => {
return Err(GeneratorError::ShapeMismatch(format!("input \"{}\" has unexpected shape. expected (batch, past_seq_len, chans) or (batch, heads, past_seq_len, chans) where `heads` and `size` are fixed", name)));
}
};
let prefix = kv_pattern.input.prefix;
let layer_index_start = prefix.len();
let layer_index_end = name.len() - kv_pattern.input.suffix.len();
let layer_index_str = &name[layer_index_start..layer_index_end];
let Ok(layer_index) = layer_index_str.parse::<u32>() else {
continue;
};
let output_prefix = kv_pattern.output.prefix;
let output_suffix = kv_pattern.output.suffix;
let output_name = format!("{}{}{}", output_prefix, layer_index, output_suffix);
let output_id = model
.find_node(&output_name)
.ok_or(GeneratorError::OutputNotFound(output_name))?;
// This value should be configurable.
let max_seq_len = 512;
let kv_cache_entry = KvCache {
input_id,
output_id,
cache: if let Some(n_heads) = n_heads {
Some(KvCacheData::BatchHeadSeqChans(NdTensor::with_capacity(
[batch_size, n_heads, max_seq_len, size],
2, /* seq dim */
)))
} else {
Some(KvCacheData::BatchSeqChans(NdTensor::with_capacity(
[batch_size, max_seq_len, size],
1, /* seq dim */
)))
},
};
if kv_pattern.encoder {
encoder_kv_cache.push(kv_cache_entry);
} else {
kv_cache.push(kv_cache_entry);
}
}
let mut generator = Generator {
model,
constant_inputs: Vec::new(),
varying_inputs: Vec::new(),
// Constant propagation is performed as a graph optimization when
// the model is loaded, so we only need to re-do it if additional
// constant inputs are added.
constant_prop_inputs: Some(Vec::new()),
input_ids: vec![],
input_ids_input,
logits_output,
kv_cache,
encoder_kv_cache,
seq_len: 0,
sampler: Box::new(ArgMaxSampler {}),
};
let attention_mask_input = model.find_node(model_inputs.attention_mask);
if let Some(attention_mask_input) = attention_mask_input {
generator = generator
.with_varying_input(attention_mask_input, &|batch_size, positions| {
NdTensor::full([batch_size, positions.end], 1i32).into()
});
}
let position_ids_input = model.find_node(model_inputs.position_ids);
if let Some(position_ids_input) = position_ids_input {
generator =
generator.with_varying_input(position_ids_input, &|batch_size, positions| {
NdTensor::from_fn([batch_size, positions.len()], |[_batch, pos]| {
(positions.start + pos) as i32
})
.into()
});
}
let use_cache_input = model.find_node(model_inputs.use_cache_flag);
if let Some(use_cache_input) = use_cache_input {
generator = generator.with_varying_input(use_cache_input, &|_batch_size, positions| {
Tensor::from(if positions.start == 0 { 0i32 } else { 1 }).into()
});
}
Ok(generator)
}
/// Set the initial sequence of tokens (aka. the prompt) passed to the model
/// when it is first run.
///
/// To add new inputs after the initial generation, use
/// [`append_prompt`](Self::append_prompt) instead.
pub fn with_prompt(mut self, prompt: &[TokenId]) -> Self {
self.input_ids = prompt.to_vec();
self
}
/// Add input tokens to be included in the next iteration of the model.
///
/// This is useful in applications such as chat where the model's input
/// alternates between encoded user input and model-generated output.
pub fn append_prompt(&mut self, prompt: &[TokenId]) {
self.input_ids.extend(prompt);
}
/// Add a constant input which is provided to the model at each iteration.
///
/// A common use case is to pass the outputs of an encoder model to
/// an auto-regressive decoder.
pub fn with_constant_input(mut self, input_id: NodeId, value: Input<'a>) -> Self {
self.constant_prop_inputs = None;
self.constant_inputs.push((input_id, value.into()));
self
}
/// Add an input which varies with the sequence position.
///
/// `value_fn` receives `(batch_size, sequence_positions)` as input and
/// computes the value for the input at the given positions.
///
/// A common use case is to pass position embeddings, if they are not
/// computed internally by the model.
pub fn with_varying_input<F: Fn(usize, Range<usize>) -> InputOrOutput<'a>>(
mut self,
input_id: NodeId,
value_fn: &'a F,
) -> Self {
self.varying_inputs.push((input_id, value_fn));
self
}
/// Set the sampler used to sample the next token ID from the output logits.
pub fn with_sampler<S: Sampler + 'static>(mut self, sampler: S) -> Self {
self.sampler = Box::new(sampler);
self
}
/// Run the model and generate the next token.
fn generate_next_token(&mut self) -> Result<TokenId, GeneratorError> {
fn wrap_error<E>(e: E) -> GeneratorError
where
E: Into<Box<dyn Error>>,
{
GeneratorError::GenerateError(e.into())
}
let batch_size = 1;
let input_ids: NdTensor<i32, 2> = self
.input_ids
.iter()
.map(|id| *id as i32)
.collect::<Tensor<_>>()
.into_shape([batch_size, self.input_ids.len()]);
let seq_range = (self.seq_len as usize)..(self.seq_len as usize + self.input_ids.len());
let mut model_inputs: Vec<(NodeId, InputOrOutput)> =
vec![(self.input_ids_input, input_ids.view().into())];
// Propagate constants on the first run.
if self.constant_prop_inputs.is_none() {
let inputs = match self
.model
.partial_run(self.constant_inputs.clone(), &[self.logits_output])
{
Ok(inputs) => inputs,
Err(err) => {
return Err(wrap_error(err));
}
};
self.constant_prop_inputs = Some(inputs);
}
if let Some(constants) = self.constant_prop_inputs.as_ref() {
model_inputs.extend(
constants
.iter()
.map(|(node_id, output)| (*node_id, output.as_input().into())),
);
}
if !self.varying_inputs.is_empty() {
model_inputs.extend(
self.varying_inputs
.iter()
.map(|(node_id, value_fn)| (*node_id, value_fn(batch_size, seq_range.clone()))),
);
}
// Add key-value cache from previous run. The model takes ownership
// of the KV-cache tensor during the run so it can efficiently append
// the entry for the current step, without copying the existing buffer.
for entry in self.kv_cache.iter_mut() {
let cache = entry.cache.take();
match cache {
Some(KvCacheData::BatchSeqChans(cache)) => {
model_inputs.push((entry.input_id, cache.into()));
}
Some(KvCacheData::BatchHeadSeqChans(cache)) => {
model_inputs.push((entry.input_id, cache.into()));
}
None => {}
}
}
// Add cross-attention key-value cache.
for entry in self.encoder_kv_cache.iter() {
match &entry.cache {
Some(KvCacheData::BatchSeqChans(cache)) => {
model_inputs.push((entry.input_id, cache.into()));
}
Some(KvCacheData::BatchHeadSeqChans(cache)) => {
model_inputs.push((entry.input_id, cache.into()));
}
None => {}
}
}
// Run the model and collect outputs and updated KV cache.
let model_outputs: Vec<NodeId> = [self.logits_output]
.into_iter()
.chain(self.kv_cache.iter().map(|entry| entry.output_id))
.chain(self.encoder_kv_cache.iter().map(|entry| entry.output_id))
.collect();
let mut outputs = self
.model
.run(model_inputs, &model_outputs)
.map_err(wrap_error)?;
// Sample output token.
let logits: NdTensor<f32, 3> = outputs.remove(0).try_into().map_err(wrap_error)?;
let next_id = self.sampler.sample(logits.slice::<1, _>((0, -1)));
// Update the self-attention key-value cache.
//
// The KV cache tensors returned from the model should be the same as
// the passed in tensors, but extended by one element along the sequence
// axis.
for cache_entry in self.kv_cache.iter_mut() {
let output = outputs.remove(0);
let kv_cache = match output.ndim() {
3 => KvCacheData::BatchSeqChans(output.try_into().map_err(wrap_error)?),
4 => KvCacheData::BatchHeadSeqChans(output.try_into().map_err(wrap_error)?),
_ => {
return Err(wrap_error("expected KV cache output to have 3 or 4 dims"));
}
};
cache_entry.cache = Some(kv_cache);
}
// Update the cross-attention key-value cache.
for cache_entry in self.encoder_kv_cache.iter_mut() {
let output = outputs.remove(0);
if output.is_empty() {
// Optimum-exported models only return encoder KV-cache tensors
// on the first run and dummy empty tensors on subsequent runs.
// Ignore these and continue to use the value from the first run.
continue;
}
let kv_cache = match output.ndim() {
3 => KvCacheData::BatchSeqChans(output.try_into().map_err(wrap_error)?),
4 => KvCacheData::BatchHeadSeqChans(output.try_into().map_err(wrap_error)?),
_ => {
return Err(wrap_error("expected KV cache output to have 3 or 4 dims"));
}
};
cache_entry.cache = Some(kv_cache);
}
// Update the token IDs and sequence offset for the next iteration.
if !self.kv_cache.is_empty() {
self.seq_len += self.input_ids.len() as u32;
self.input_ids = vec![next_id];
} else {
self.input_ids.push(next_id);
}
Ok(next_id)
}
}
/// Output items from a [`Generator`].
pub type GeneratorItem = Result<TokenId, GeneratorError>;
impl<'a> Iterator for Generator<'a> {
type Item = Result<TokenId, GeneratorError>;
/// Run the model and generate the next output token.
fn next(&mut self) -> Option<Self::Item> {
Some(self.generate_next_token())
}
}
/// Iterator utilities that wrap a [`Generator`] to perform common tasks such
/// as stopping generation when an end-of-text token is encountered.
pub trait GeneratorUtils: Iterator<Item = GeneratorItem> + Sized {
/// Stop the generator when any token in `eos_tokens` is encountered.
fn stop_on_tokens<A: AsRef<[u32]>>(self, eos_tokens: A) -> impl Iterator<Item = GeneratorItem> {
self.take_while(move |tok| match tok {
Ok(tok_id) => !eos_tokens.as_ref().contains(tok_id),
_ => true,
})
}
/// Decode the tokens to text using a tokenizer.
#[cfg(feature = "text-decoder")]
fn decode(self, tokenizer: &Tokenizer) -> TextDecoder<Self> {
TextDecoder::wrap(self, tokenizer)
}
/// Record timing metrics.
///
/// Metrics such as the number of tokens generated per second will be
/// available from `metrics` after generation has finished.
fn profile(self, metrics: &mut Metrics) -> impl Iterator<Item = Self::Item> {
Profiler::wrap(self, metrics)
}
}
impl<I: Iterator<Item = GeneratorItem>> GeneratorUtils for I {}
/// Wraps a [`Generator`] to record timing metrics into a [`Metrics`] struct.
struct Profiler<'a, G: Iterator> {
generator: G,
metrics: &'a mut Metrics,
}
impl<'a, G: Iterator> Profiler<'a, G> {
fn wrap(generator: G, metrics: &'a mut Metrics) -> Profiler<'a, G> {
Profiler { generator, metrics }
}
}
impl<'a, G: Iterator> Iterator for Profiler<'a, G> {
type Item = G::Item;
fn next(&mut self) -> Option<Self::Item> {
let start = std::time::Instant::now();
let item = self.generator.next()?;
self.metrics.add_step_duration(start.elapsed());
Some(item)
}
}
#[cfg(test)]
mod tests {
use std::cell::{Cell, RefCell};
use std::collections::HashMap;
use std::error::Error;
use rten::{Dimension, InputOrOutput, NodeId, Output};
use rten_tensor::prelude::*;
use rten_tensor::NdTensor;
use super::{Generator, GeneratorUtils};
use crate::metrics::Metrics;
use crate::model::{Model, NodeInfo};
struct FakeModel {
nodes: Vec<NodeInfo>,
input_ids: Vec<NodeId>,
output_ids: Vec<NodeId>,
// Next inference step
step: Cell<usize>,
// Inference outputs for each step
outputs: Vec<HashMap<NodeId, Output>>,
// Inference inputs for each step
inputs: RefCell<Vec<HashMap<NodeId, Output>>>,
}
impl FakeModel {
/// Return a model with a given set of inputs and outputs.
fn with_inputs_and_outputs(inputs: &[NodeInfo], outputs: &[NodeInfo]) -> FakeModel {
let node_infos = [inputs, outputs].concat();
let input_ids = (0..inputs.len()).collect();
let output_ids = (inputs.len()..(inputs.len() + outputs.len())).collect();
FakeModel {
input_ids,
output_ids,
nodes: node_infos,
step: Cell::new(0),
inputs: RefCell::new(vec![]),
outputs: vec![],
}
}
/// Add inference outputs for one run of the model.
fn add_outputs(&mut self, outputs: HashMap<NodeId, Output>) {
self.outputs.push(outputs)
}
/// Get an input for the `step`th run of the model.
fn get_inputs(&self, step: usize, node_id: NodeId) -> Option<Output> {
self.inputs
.borrow()
.get(step)
.map(|step_inputs| step_inputs.get(&node_id))
.flatten()
.cloned()
}
}
impl Model for FakeModel {
fn find_node(&self, name: &str) -> Option<NodeId> {
self.nodes.iter().position(|info| info.name() == name)
}
fn node_info(&self, id: NodeId) -> Option<NodeInfo> {
self.nodes.get(id).cloned()
}
fn input_ids(&self) -> &[NodeId] {
&self.input_ids
}
fn run(
&self,
inputs: Vec<(NodeId, InputOrOutput)>,
outputs: &[NodeId],
) -> Result<Vec<Output>, Box<dyn Error>> {
if let Some((input_id, _)) = inputs.iter().find(|(id, _)| !self.input_ids.contains(id))
{
return Err(format!("invalid input ID {}", input_id).into());
}
for &expected_input in self.input_ids.iter() {
if !inputs.iter().any(|&(id, _)| id == expected_input) {
return Err(format!("missing input ID {}", expected_input).into());
}
}
if let Some(output_id) = outputs.iter().find(|id| !self.output_ids.contains(id)) {
return Err(format!("invalid output ID {}", output_id).into());
}
self.inputs.borrow_mut().push(
inputs
.into_iter()
.map(|(id, input_or_output)| (id, input_or_output.to_output()))
.collect(),
);
let result = outputs
.iter()
.map(|id| {
let step_outputs = self
.outputs
.get(self.step.get())
.expect("outputs not specified for step");
step_outputs
.get(id)
.cloned()
.expect("invalid output node ID")
})
.collect();
self.step.set(self.step.get() + 1);
Ok(result)
}
fn partial_run(
&self,
_inputs: Vec<(NodeId, InputOrOutput)>,
_outputs: &[NodeId],
) -> Result<Vec<(NodeId, Output)>, Box<dyn Error>> {
Ok(Vec::new())
}
}
/// Generate `[batch, sequence, n_vocab]` tensor for `logits` output.
fn generate_logits(n_vocab: usize, token_ids: &[u32]) -> NdTensor<f32, 3> {
let mut logits = NdTensor::zeros([1, token_ids.len(), n_vocab]);
for (idx, id) in token_ids.iter().copied().enumerate() {
logits[[0, idx, id as usize]] = 1.0;
}
logits
}
#[derive(Copy, Clone, PartialEq)]
struct TransformerParams {
/// Number of layers. This determines the number of KV-cache inputs
/// and outputs.
n_layers: usize,
n_heads: usize,
n_embed: usize,
/// Vocabulary size. This is the size of the last dimension of the
/// logits output.
n_vocab: usize,
}
impl Default for TransformerParams {
fn default() -> Self {
Self {
n_layers: 5,
n_heads: 3,
n_vocab: 5,
n_embed: 8,
}
}
}
#[derive(Copy, Clone, PartialEq)]
enum KvCacheType {
/// Add KV-cache inputs and outputs for self-attention.
Decoder,
/// Add KV-cache inputs and outputs for self-attention and cross-
/// attention.
EncoderDecoder,
}
/// Create a fake transformer model using the default names for inputs and
/// outputs.
fn fake_transformer_model(
params: TransformerParams,
kv_cache: Option<KvCacheType>,
prompt_len: usize,
output_token_ids: &[u32],
) -> FakeModel {
let TransformerParams {
n_layers,
n_heads,
n_vocab,
n_embed,
} = params;
// Add inputs and outputs using the standard names.
let mut inputs = vec![
NodeInfo::from_name_shape("input_ids", &[]),
NodeInfo::from_name_shape("position_ids", &[]),
NodeInfo::from_name_shape("attention_mask", &[]),
];
let mut outputs = vec![NodeInfo::from_name_shape("logits", &[])];
// Add KV-cache inputs and outputs.
let mut kv_cache_output_names = Vec::new();
if let Some(kv_cache_type) = kv_cache {
let dims = [
Dimension::Symbolic("batch".to_string()),
Dimension::Fixed(n_heads as usize),
Dimension::Symbolic("seq".to_string()),
Dimension::Fixed(n_embed),
];
let make_name_info = |name: &str| NodeInfo::from_name_shape(name, &dims);
for layer in 0..n_layers {
let past_names: Vec<String>;
let present_names: Vec<String>;
match kv_cache_type {
KvCacheType::Decoder => {
past_names = [
format!("past_key_values.{}.key", layer),
format!("past_key_values.{}.value", layer),
]
.into();
present_names = [
format!("present.{}.key", layer),
format!("present.{}.value", layer),
]
.into();
}
KvCacheType::EncoderDecoder => {
past_names = [
format!("past_key_values.{}.decoder.key", layer),
format!("past_key_values.{}.decoder.value", layer),
format!("past_key_values.{}.encoder.key", layer),
format!("past_key_values.{}.encoder.value", layer),
]
.into();
present_names = [
format!("present.{}.decoder.key", layer),
format!("present.{}.decoder.value", layer),
format!("present.{}.encoder.key", layer),
format!("present.{}.encoder.value", layer),
]
.into();
}
}
inputs.extend(past_names.iter().map(|name| make_name_info(&name)));
outputs.extend(present_names.iter().map(|name| make_name_info(&name)));
kv_cache_output_names.extend(present_names);
}
if kv_cache_type == KvCacheType::EncoderDecoder {
inputs.push(NodeInfo::from_name_shape("use_cache_branch", &[]));
}
}
let mut model = FakeModel::with_inputs_and_outputs(&inputs, &outputs);
let logits_id = model.find_node("logits").unwrap();
for (step, output_token_id) in output_token_ids.iter().copied().enumerate() {
assert!(
output_token_id < n_vocab as u32,
"token ID is invalid for vocab size"
);
let logits = if kv_cache.is_some() {
generate_logits(n_vocab, &[output_token_id])
} else {
generate_logits(n_vocab, &output_token_ids[..=step])
};
let mut outputs = HashMap::new();
outputs.insert(logits_id, Output::FloatTensor(logits.into()));
// Add KV cache outputs
for kv_output in kv_cache_output_names.iter() {
let kv_output_id = model.find_node(&kv_output).unwrap();
let context_len = if step == 0 {
prompt_len
} else {
prompt_len + step - 1
};
let is_encoder = model
.node_info(kv_output_id)
.as_ref()
.map(|ni| ni.name())
.unwrap_or("")
.contains("encoder");
let output_n_embed = if is_encoder && step > 0 {
// Encoder KV cache outputs are only used on the first run.
// On subsequent runs return a dummy output, which should
// be ignored.
0
} else {
n_embed
};
outputs.insert(
kv_output_id,
Output::FloatTensor(
NdTensor::zeros([1, n_heads, context_len, output_n_embed]).into(),
),
);
}
model.add_outputs(outputs);
}
model
}
fn test_generator_impl(kv_cache_type: Option<KvCacheType>) -> Result<(), Box<dyn Error>> {
let params = TransformerParams::default();
let expected_token_ids = [0, 1, 2, 3, 4, 0, 1, 2, 3, 4, 0, 0, 0];
let prompt = [1, 2, 3, 1, 2, 3];
let model =
fake_transformer_model(params, kv_cache_type, prompt.len(), &expected_token_ids);
let generator = Generator::from_model(&model)?;
let generation_len = 10;
let output_token_ids: Vec<_> = generator
.with_prompt(&prompt)
.take(generation_len)
.map(|id| id.expect("generation failed"))
.collect();
// Check generator outputs
assert_eq!(output_token_ids.len(), generation_len);
assert_eq!(output_token_ids, &expected_token_ids[..generation_len]);
// Check model inputs
let input_id = model.find_node("input_ids").unwrap();
let position_ids = model.find_node("position_ids").unwrap();
let attention_mask = model.find_node("attention_mask").unwrap();
let cache_branch = model.find_node("use_cache_branch");
for step in 0..generation_len {
let step_inputs = model.get_inputs(step, input_id).unwrap();
let step_inputs: NdTensor<i32, 2> = step_inputs.try_into().unwrap();
let step_pos_ids = model.get_inputs(step, position_ids).unwrap();
let step_pos_ids: NdTensor<i32, 2> = step_pos_ids.try_into().unwrap();
let step_attn_mask = model.get_inputs(step, attention_mask).unwrap();
let step_attn_mask: NdTensor<i32, 2> = step_attn_mask.try_into().unwrap();
let cache_branch = cache_branch.map(|cb_id| {
let cb = model.get_inputs(step, cb_id).unwrap();
let cb: NdTensor<i32, 0> = cb.try_into().unwrap();
cb
});
if step == 0 {
assert_eq!(step_inputs.size(1), prompt.len());
assert!(step_inputs
.iter()
.map(|x| *x as u32)
.eq(prompt.iter().copied()));
assert_eq!(step_attn_mask.size(1), prompt.len());
assert!(step_attn_mask.iter().all(|x| *x == 1));
assert_eq!(step_pos_ids.size(1), prompt.len());
assert!(step_pos_ids.iter().map(|x| *x as usize).eq(0..prompt.len()));
if let Some(cache_branch) = cache_branch {
assert_eq!(cache_branch.item(), Some(&0));
}
} else if kv_cache_type.is_some() {
assert_eq!(step_inputs.size(1), 1);
assert_eq!(step_inputs[[0, 0]] as u32, expected_token_ids[step - 1]);
assert_eq!(step_attn_mask.size(1), prompt.len() + step);
assert_eq!(step_attn_mask[[0, 0]], 1);
assert_eq!(step_pos_ids.size(1), 1);
assert_eq!(step_pos_ids[[0, 0]], (prompt.len() + step - 1) as i32);
if let Some(cache_branch) = cache_branch {
assert_eq!(cache_branch.item(), Some(&1));
}
} else {
let expected_inputs: Vec<i32> = prompt
.iter()
.copied()
.chain(expected_token_ids)
.take(prompt.len() + step)
.map(|x| x as i32)
.collect();
assert_eq!(
step_inputs,
NdTensor::from_data([1, expected_inputs.len()], expected_inputs)
);
let expected_attn_mask = vec![1i32; prompt.len() + step];
assert_eq!(
step_attn_mask,
NdTensor::from_data([1, expected_attn_mask.len()], expected_attn_mask)
);
let expected_pos_ids: Vec<i32> =
(0..prompt.len() + step).map(|x| x as i32).collect();
assert_eq!(
step_pos_ids,
NdTensor::from_data([1, expected_pos_ids.len()], expected_pos_ids)
);
}
}
Ok(())
}
#[test]
fn test_generator_with_decoder_kv_cache() -> Result<(), Box<dyn Error>> {
test_generator_impl(Some(KvCacheType::Decoder))
}
#[test]
fn test_generator_with_encoder_decoder_kv_cache() -> Result<(), Box<dyn Error>> {
test_generator_impl(Some(KvCacheType::EncoderDecoder))
}
#[test]
fn test_generator_without_kv_cache() -> Result<(), Box<dyn Error>> {
test_generator_impl(None)
}
#[test]
fn test_generator_append_prompt() -> Result<(), Box<dyn Error>> {
let mut params = TransformerParams::default();
params.n_vocab = 110;
let output_token_ids = [0, 1, 2, 3, 4, 5, 6, 7, 8];
let prompt = [99];
let model = fake_transformer_model(
params,
Some(KvCacheType::Decoder),
prompt.len(),
&output_token_ids,
);
let mut generator = Generator::from_model(&model)?.with_prompt(&prompt);
generator.next();
generator.append_prompt(&[100]);
generator.next();
generator.append_prompt(&[101, 102]);
generator.next();
let input_id = model.find_node("input_ids").unwrap();
// The input to the first step is just the prompt.
let inputs = model.get_inputs(0, input_id).unwrap();
let inputs: NdTensor<i32, 2> = inputs.try_into().unwrap();
assert_eq!(inputs, NdTensor::from([[99]]));
// The inputs for the next steps are the output followed by the inputs
// added with `append_prompt`.
let inputs = model.get_inputs(1, input_id).unwrap();
let inputs: NdTensor<i32, 2> = inputs.try_into().unwrap();
assert_eq!(inputs, NdTensor::from([[0, 100]]));
let inputs = model.get_inputs(2, input_id).unwrap();
let inputs: NdTensor<i32, 2> = inputs.try_into().unwrap();
assert_eq!(inputs, NdTensor::from([[1, 101, 102]]));
Ok(())
}
#[test]
fn test_stop_on_tokens() -> Result<(), Box<dyn Error>> {
let params = TransformerParams::default();
let expected_token_ids = [0, 1, 2, 3, 4, 0, 1, 2, 3, 4, 0, 0, 0];
let prompt = [1, 2, 3, 1, 2, 3];
let model = fake_transformer_model(
params,
Some(KvCacheType::Decoder),
prompt.len(),
&expected_token_ids,
);
let generator = Generator::from_model(&model)?;
let output_token_ids: Vec<_> = generator
.with_prompt(&prompt)
.stop_on_tokens([4])
.map(|id| id.expect("generation failed"))
.collect();
assert_eq!(output_token_ids, &[0, 1, 2, 3]);
Ok(())
}
#[test]
fn test_profile() -> Result<(), Box<dyn Error>> {
let params = TransformerParams::default();
let expected_token_ids = [0, 1, 2, 3, 4];
let prompt = [1, 2, 3, 1, 2, 3];
let model = fake_transformer_model(
params,
Some(KvCacheType::Decoder),
prompt.len(),
&expected_token_ids,
);
let generator = Generator::from_model(&model)?;
let mut metrics = Metrics::new();
let output_token_ids: Vec<_> = generator
.with_prompt(&prompt)
.profile(&mut metrics)
.take(expected_token_ids.len())
.map(|id| id.expect("generation failed"))
.collect();
assert_eq!(output_token_ids, expected_token_ids);
assert!(metrics.warmup_duration().is_some());
assert_eq!(metrics.step_durations().len(), output_token_ids.len() - 1);
Ok(())
}
}