πͺ Filter Function: Modify Inputs and Outputs
Welcome to the comprehensive guide on Filter Functions in Open WebUI! Filters are a flexible and powerful plugin system for modifying data before it's sent to the Large Language Model (LLM) (input) or after itβs returned from the LLM (output). Whether youβre transforming inputs for better context or cleaning up outputs for improved readability, Filter Functions let you do it all.
This guide will break down what Filters are, how they work, their structure, and everything you need to know to build powerful and user-friendly filters of your own. Letβs dig in, and donβt worryβIβll use metaphors, examples, and tips to make everything crystal clear! π
π What Are Filters in Open WebUI?β
Imagine Open WebUI as a stream of water flowing through pipes:
- User inputs and LLM outputs are the water.
- Filters are the water treatment stages that clean, modify, and adapt the water before it reaches the final destination.
Filters sit in the middle of the flowβlike checkpointsβwhere you decide what needs to be adjusted.
Hereβs a quick summary of what Filters do:
- Modify User Inputs (Inlet Function): Tweak the input data before it reaches the AI model. This is where you enhance clarity, add context, sanitize text, or reformat messages to match specific requirements.
- Modify Model Outputs (Outlet Function): Adjust the AI's response after itβs processed, before showing it to the user. This can help refine, log, or adapt the data for a cleaner user experience.
Key Concept: Filters are not standalone models but tools that enhance or transform the data traveling to and from models.
Filters are like translators or editors in the AI workflow: you can intercept and change the conversation without interrupting the flow.
πΊοΈ Structure of a Filter Function: The Skeletonβ
Let's start with the simplest representation of a Filter Function. Don't worry if some parts feel technical at firstβweβll break it all down step by step!
𦴠Basic Skeleton of a Filterβ
from pydantic import BaseModel
from typing import Optional
class Filter:
# Valves: Configuration options for the filter
class Valves(BaseModel):
pass
def __init__(self):
# Initialize valves (optional configuration for the Filter)
self.valves = self.Valves()
def inlet(self, body: dict) -> dict:
# This is where you manipulate user inputs.
print(f"inlet called: {body}")
return body
def outlet(self, body: dict) -> None:
# This is where you manipulate model outputs.
print(f"outlet called: {body}")
π― Key Components Explainedβ
1οΈβ£ Valves
Class (Optional Settings)β
Think of Valves as the knobs and sliders for your filter. If you want to give users configurable options to adjust your Filterβs behavior, you define those here.
class Valves(BaseModel):
OPTION_NAME: str = "Default Value"
For example:
If you're creating a filter that converts responses into uppercase, you might allow users to configure whether every output gets totally capitalized via a valve like TRANSFORM_UPPERCASE: bool = True/False
.
2οΈβ£ inlet
Function (Input Pre-Processing)β
The inlet
function is like prepping food before cooking. Imagine youβre a chef: before the ingredients go into the recipe (the LLM in this case), you might wash vegetables, chop onions, or season the meat. Without this step, your final dish could lack flavor, have unwashed produce, or simply be inconsistent.
In the world of Open WebUI, the inlet
function does this important prep work on the user input before itβs sent to the model. It ensures the input is as clean, contextual, and helpful as possible for the AI to handle.
π₯ Input:
body
: The raw input from Open WebUI to the model. It is in the format of a chat-completion request (usually a dictionary that includes fields like the conversation's messages, model settings, and other metadata). Think of this as your recipe ingredients.
π Your Task:
Modify and return the body
. The modified version of the body
is what the LLM works with, so this is your chance to bring clarity, structure, and context to the input.
π³ Why Would You Use the inlet
?β
-
Adding Context: Automatically append crucial information to the userβs input, especially if their text is vague or incomplete. For example, you might add "You are a friendly assistant" or "Help this user troubleshoot a software bug."
-
Formatting Data: If the input requires a specific format, like JSON or Markdown, you can transform it before sending it to the model.
-
Sanitizing Input: Remove unwanted characters, strip potentially harmful or confusing symbols (like excessive whitespace or emojis), or replace sensitive information.
-
Streamlining User Input: If your modelβs output improves with additional guidance, you can use the
inlet
to inject clarifying instructions automatically!
π‘ Example Use Cases: Build on Food Prepβ
π₯ Example 1: Adding System Contextβ
Letβs say the LLM is a chef preparing a dish for Italian cuisine, but the user hasnβt mentioned "This is for Italian cooking." You can ensure the message is clear by appending this context before sending the data to the model.
def inlet(self, body: dict, __user__: Optional[dict] = None) -> dict:
# Add system message for Italian context in the conversation
context_message = {
"role": "system",
"content": "You are helping the user prepare an Italian meal."
}
# Insert the context at the beginning of the chat history
body.setdefault("messages", []).insert(0, context_message)
return body
π What Happens?
- Any user input like "What are some good dinner ideas?" now carries the Italian theme because weβve set the system context! Cheesecake might not show up as an answer, but pasta sure will.
πͺ Example 2: Cleaning Input (Remove Odd Characters)β
Suppose the input from the user looks messy or includes unwanted symbols like !!!
, making the conversation inefficient or harder for the model to parse. You can clean it up while preserving the core content.
def inlet(self, body: dict, __user__: Optional[dict] = None) -> dict:
# Clean the last user input (from the end of the 'messages' list)
last_message = body["messages"][-1]["content"]
body["messages"][-1]["content"] = last_message.replace("!!!", "").strip()
return body
π What Happens?
- Before:
"How can I debug this issue!!!"
β‘οΈ Sent to the model as"How can I debug this issue"
Note: The user feels the same, but the model processes a cleaner and easier-to-understand query.
π How inlet
Helps Optimize Input for the LLM:β
- Improves accuracy by clarifying ambiguous queries.
- Makes the AI more efficient by removing unnecessary noise like emojis, HTML tags, or extra punctuation.
- Ensures consistency by formatting user input to match the modelβs expected patterns or schemas (like, say, JSON for a specific use case).
π Think of inlet
as the sous-chef in your kitchenβensuring everything that goes into the model (your AI "recipe") has been prepped, cleaned, and seasoned to perfection. The better the input, the better the output!
3οΈβ£ outlet
Function (Output Post-Processing)β
The outlet
function is like a proofreader: tidy up the AI's response (or make final changes) after itβs processed by the LLM.
π€ Input:
body
: This contains all current messages in the chat (user history + LLM replies).
π Your Task: Modify this body
. You can clean, append, or log changes, but be mindful of how each adjustment impacts the user experience.
π‘ Best Practices:
- Prefer logging over direct edits in the outlet (e.g., for debugging or analytics).
- If heavy modifications are needed (like formatting outputs), consider using the pipe function instead.
π‘ Example Use Case: Strip out sensitive API responses you don't want the user to see:
def outlet(self, body: dict, __user__: Optional[dict] = None) -> dict:
for message in body["messages"]:
message["content"] = message["content"].replace("<API_KEY>", "[REDACTED]")
return body
π Filters in Action: Building Practical Examplesβ
Letβs build some real-world examples to see how youβd use Filters!
π Example #1: Add Context to Every User Inputβ
Want the LLM to always know it's assisting a customer in troubleshooting software bugs? You can add instructions like "You're a software troubleshooting assistant" to every user query.
class Filter:
def inlet(self, body: dict, __user__: Optional[dict] = None) -> dict:
context_message = {
"role": "system",
"content": "You're a software troubleshooting assistant."
}
body.setdefault("messages", []).insert(0, context_message)
return body
π Example #2: Highlight Outputs for Easy Readingβ
Returning output in Markdown or another formatted style? Use the outlet
function!
class Filter:
def outlet(self, body: dict, __user__: Optional[dict] = None) -> dict:
# Add "highlight" markdown for every response
for message in body["messages"]:
if message["role"] == "assistant": # Target model response
message["content"] = f"**{message['content']}**" # Highlight with Markdown
return body
π§ Potential Confusion: Clear FAQ πβ
Q: How Are Filters Different From Pipe Functions?β
Filters modify data going to and coming from models but do not significantly interact with logic outside of these phases. Pipes, on the other hand:
- Can integrate external APIs or significantly transform how the backend handles operations.
- Expose custom logic as entirely new "models."
Q: Can I Do Heavy Post-Processing Inside outlet
?β
You can, but itβs not the best practice.:
- Filters are designed to make lightweight changes or apply logging.
- If heavy modifications are required, consider a Pipe Function instead.
π Recap: Why Build Filter Functions?β
By now, youβve learned:
- Inlet manipulates user inputs (pre-processing).
- Outlet tweaks AI outputs (post-processing).
- Filters are best for lightweight, real-time alterations to the data flow.
- With Valves, you empower users to configure Filters dynamically for tailored behavior.
π Your Turn: Start experimenting! What small tweak or context addition could elevate your Open WebUI experience? Filters are fun to build, flexible to use, and can take your models to the next level!
Happy coding! β¨