swiftide_core/prompt.rs
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
//! Prompts templating and management
//!
//! Prompts are first class citizens in Swiftide and use [tera] under the hood. tera
//! uses jinja style templates which allows for a lot of flexibility.
//!
//! Conceptually, a [Prompt] is something you send to i.e.
//! [`SimplePrompt`][crate::SimplePrompt]. A prompt can have
//! added context for substitution and other templating features.
//!
//! Transformers in Swiftide come with default prompts, and they can be customized or replaced as
//! needed.
//!
//! [`Template`] can be added with [`Template::try_compiled_from_str`]. Prompts can also be
//! created on the fly from anything that implements [`Into<String>`]. Compiled prompts are stored in
//! an internal repository.
//!
//! Additionally, `Template::String` and `Template::Static` can be used to create
//! templates on the fly as well.
//!
//! It's recommended to precompile your templates.
//!
//! # Example
//!
//! ```
//! #[tokio::main]
//! # async fn main() {
//! # use swiftide_core::template::Template;
//! let template = Template::try_compiled_from_str("hello {{world}}").await.unwrap();
//! let prompt = template.to_prompt().with_context_value("world", "swiftide");
//!
//! assert_eq!(prompt.render().await.unwrap(), "hello swiftide");
//! # }
//! ```
use anyhow::Result;
use crate::{node::Node, template::Template};
/// A Prompt can be used with large language models to prompt.
#[derive(Clone, Debug)]
pub struct Prompt {
template: Template,
context: Option<tera::Context>,
}
#[deprecated(
since = "0.16.0",
note = "Use `Template` instead; they serve a more general purpose"
)]
pub type PromptTemplate = Template;
impl Prompt {
/// Adds an `ingestion::Node` to the context of the Prompt
#[must_use]
pub fn with_node(mut self, node: &Node) -> Self {
let context = self.context.get_or_insert_with(tera::Context::default);
context.insert("node", &node);
self
}
/// Adds anything that implements [Into<tera::Context>], like `Serialize` to the Prompt
#[must_use]
pub fn with_context(mut self, new_context: impl Into<tera::Context>) -> Self {
let context = self.context.get_or_insert_with(tera::Context::default);
context.extend(new_context.into());
self
}
/// Adds a key-value pair to the context of the Prompt
#[must_use]
pub fn with_context_value(mut self, key: &str, value: impl Into<tera::Value>) -> Self {
let context = self.context.get_or_insert_with(tera::Context::default);
context.insert(key, &value.into());
self
}
/// Renders a prompt
///
/// # Errors
///
/// See `Template::render`
pub async fn render(&self) -> Result<String> {
if let Some(context) = &self.context {
self.template.render(context).await
} else {
self.template.render(&tera::Context::default()).await
}
}
}
impl From<&'static str> for Prompt {
fn from(prompt: &'static str) -> Self {
Prompt {
template: Template::Static(prompt),
context: None,
}
}
}
impl From<String> for Prompt {
fn from(prompt: String) -> Self {
Prompt {
template: Template::String(prompt),
context: None,
}
}
}
impl From<&Template> for Prompt {
fn from(template: &Template) -> Self {
Prompt {
template: template.clone(),
context: None,
}
}
}
#[cfg(test)]
mod test {
use super::*;
#[tokio::test]
async fn test_prompt() {
let template = Template::try_compiled_from_str("hello {{world}}")
.await
.unwrap();
let prompt = template.to_prompt().with_context_value("world", "swiftide");
assert_eq!(prompt.render().await.unwrap(), "hello swiftide");
}
#[tokio::test]
async fn test_prompt_with_node() {
let template = Template::try_compiled_from_str("hello {{node.chunk}}")
.await
.unwrap();
let node = Node::new("test");
let prompt = template.to_prompt().with_node(&node);
assert_eq!(prompt.render().await.unwrap(), "hello test");
}
#[tokio::test]
async fn test_one_off_from_string() {
let mut prompt: Prompt = "hello {{world}}".into();
prompt = prompt.with_context_value("world", "swiftide");
assert_eq!(prompt.render().await.unwrap(), "hello swiftide");
}
#[tokio::test]
async fn test_extending_with_custom_repository() {
let mut custom_tera = tera::Tera::new("**/some/prompts.md").unwrap();
custom_tera
.add_raw_template("hello", "hello {{world}}")
.unwrap();
Template::extend(&custom_tera).await.unwrap();
let prompt = Template::from_compiled_template_name("hello")
.to_prompt()
.with_context_value("world", "swiftide");
assert_eq!(prompt.render().await.unwrap(), "hello swiftide");
}
#[tokio::test]
async fn test_coercion_to_prompt() {
// str
let raw: &str = "hello {{world}}";
let prompt: Prompt = raw.into();
assert_eq!(
prompt
.with_context_value("world", "swiftide")
.render()
.await
.unwrap(),
"hello swiftide"
);
let prompt: Prompt = raw.to_string().into();
assert_eq!(
prompt
.with_context_value("world", "swiftide")
.render()
.await
.unwrap(),
"hello swiftide"
);
}
#[tokio::test]
async fn test_coercion_to_template() {
let raw: &str = "hello {{world}}";
let prompt: Template = raw.into();
assert_eq!(
prompt
.to_prompt()
.with_context_value("world", "swiftide")
.render()
.await
.unwrap(),
"hello swiftide"
);
let prompt: Template = raw.to_string().into();
assert_eq!(
prompt
.to_prompt()
.with_context_value("world", "swiftide")
.render()
.await
.unwrap(),
"hello swiftide"
);
}
}