Skip to content

Commit 751c68e

Browse files
authoredJan 27, 2025··
Utilities abstraction (#18)
Abstract tools, middleware, jobs, and hooks into MagmaUtilities Remove MagmaFlow for now Update README.md
1 parent 963ad28 commit 751c68e

18 files changed

+255
-773
lines changed
 

‎README.md

+64-71
Original file line numberDiff line numberDiff line change
@@ -34,55 +34,34 @@ npm i @pompeii-labs/magma
3434
```ts
3535
import { MagmaAgent } from "@pompeii-labs/magma";
3636

37-
// That's it! You've got a working agent
38-
const agent = new MagmaAgent();
39-
40-
// Want to give it some personality? Add system prompts:
41-
agent.fetchSystemPrompts = () => [{
42-
role: "system",
43-
content: "You are a friendly assistant who loves dad jokes"
44-
}];
45-
46-
// Need the agent to do something? Add tools:
47-
agent.fetchTools = () => [{
48-
name: "tell_joke",
49-
description: "Tell a dad joke",
50-
target: async () => {
51-
return "Why don't eggs tell jokes? They'd crack up! 🥚";
37+
// Magma Agents are class based, so you can extend them with your own methods
38+
class MyAgent extends MagmaAgent {
39+
40+
// Want to give it some personality? Add system prompts:
41+
getSystemPrompts() {
42+
return [{
43+
role: "system",
44+
content: "You are a friendly assistant who loves dad jokes"
45+
}];
5246
}
53-
}];
47+
}
48+
49+
// That's it! You've got a working agent
50+
const myAgent = new MyAgent();
5451

5552
// Run it:
56-
const reply = await agent.main();
53+
const reply = await myAgent.main();
5754
console.log(reply.content);
5855
```
5956

6057
## 🔥 Key Features
6158

6259
- **Simple**: Build agents in minutes with minimal code
6360
- **Flexible**: Use any AI provider (OpenAI, Anthropic, Groq)
64-
- **Hosted**: Deploy your agents in seconds with the MagmaDeploy platform (coming soon)
61+
- **Hosted**: Deploy your agents in seconds with the [MagmaDeploy platform](https://magmadeploy.com)
6562
- **Powerful**: Add tools and middleware when you need them
6663
- **Observable**: See exactly what your agent is doing
6764

68-
## 🚀 MagmaFlow
69-
70-
Want even more power? MagmaFlow gives you instant access to:
71-
- Voice input/output
72-
- Streaming responses
73-
- Tool execution
74-
- Usage tracking
75-
- And more!
76-
77-
78-
```ts
79-
const agent = new MagmaAgent({
80-
apiKey: "mf_..." // Get your key at magmaflow.dev
81-
});
82-
```
83-
84-
> 🎉 MagmaFlow is currently in private beta! [Join the waitlist](https://magmaflow.dev) to get early access.
85-
8665
## 🛠 Examples
8766

8867
### Add Tools
@@ -118,7 +97,10 @@ class MyAgent extends MagmaAgent {
11897
})
11998
async searchDatabase(call: MagmaToolCall) {
12099
const { query, filters } = call.fn_args;
121-
// Implementation
100+
101+
const results = await this.searchDatabase(query, filters);
102+
103+
return "Here are the results of your search: " + JSON.stringify(results);
122104
}
123105
}
124106
```
@@ -128,9 +110,22 @@ Middleware is a novel concept to Magma. It allows you to add custom logic to you
128110

129111
This is a great way to add custom logging, validation, data sanitization, etc.
130112

113+
**Types**:
114+
- "preCompletion": Runs before the LLM call is made, takes in a MagmaUserMessage
115+
- "onCompletion": Runs after the agent generates a text response, takes in a MagmaAssistantMessage
116+
- "preToolExecution": Runs before a tool is executed, takes in a MagmaToolCall
117+
- "onToolExecution": Runs after a tool is executed, takes in a MagmaToolResult
118+
131119
**Important Notes**:
132120
- You can have unlimited middleware methods
133-
- Middleware methods must return a string
121+
- Middleware methods can manipulate the message they take in
122+
- Middleware methods can throw errors to adjust the flow of the agent
123+
124+
**Error Handling**:
125+
- If preCompletion middleware throws an error, the error message is supplied as if it were the assistant message. The user and assistant messages are also removed from the conversation history
126+
- If onCompletion middleware throws an error, the error message is supplied to the LLM, and it tries to regenerate a response. The assistant message is not added to the conversation history
127+
- If preToolExecution middleware throws an error, the error message is supplied as if it were the response from the tool
128+
- If onToolExecution middleware throws an error, the error message is supplied as if it were the response from the tool
134129
```ts
135130
import { MagmaAgent } from "@pompeii-labs/magma";
136131
import { middleware } from "@pompeii-labs/magma/decorators";
@@ -144,28 +139,32 @@ class MyAgent extends MagmaAgent {
144139
@middleware("onCompletion")
145140
async logBeforeCompletion(message) {
146141
if (message.content.includes("bad word")) {
147-
return "You just used a bad word, please try again.";
142+
throw new Error("You just used a bad word, please try again.");
148143
}
149144
}
150145
}
151146
```
152147

153148
### Schedule Jobs
154149
Jobs allow you to schedule functions within your agent. Jobs conform to the standard UNIX cron syntax (https://crontab.guru/).
150+
151+
**Important Notes**:
152+
- Jobs should be static methods, so they can run without instantiating the agent.
153+
- Jobs do not take in any parameters, and they do not return anything.
155154
```ts
156155
import { MagmaAgent } from "@pompeii-labs/magma";
157156
import { job } from "@pompeii-labs/magma/decorators";
158157

159158
class MyAgent extends MagmaAgent {
160159
// Run every day at midnight
161160
@job("0 0 * * *")
162-
async dailyCleanup() {
161+
static async dailyCleanup() {
163162
await this.cleanDatabase();
164163
}
165164

166165
// Run every hour with timezone
167166
@job("0 * * * *", { timezone: "America/New_York" })
168-
async hourlySync() {
167+
static async hourlySync() {
169168
await this.syncData();
170169
}
171170
}
@@ -174,7 +173,9 @@ class MyAgent extends MagmaAgent {
174173
### Expose Hooks
175174
Hooks allow you to expose your agent as an API. Any method decorated with @hook will be exposed as an endpoint.
176175

176+
177177
**Important Notes**:
178+
- Hooks are static methods, so they can run without instantiating the agent.
178179
- Hooks are exposed at `/hooks/{hook_name}` in the Magma API
179180
- The only parameter to hook functions is the request object, which is an instance of `express.Request`
180181
```ts
@@ -185,13 +186,18 @@ import { Request } from "express";
185186
class MyAgent extends MagmaAgent {
186187

187188
@hook('notification')
188-
async handleNotification(req: Request) {
189+
static async handleNotification(req: Request) {
189190
await this.processNotification(req.body);
190191
}
191192
}
192193
```
193194

194195
### Use Different Providers
196+
You can use any supported provider by setting the providerConfig.
197+
198+
**Important Notes**:
199+
- You can set the providerConfig in the constructor, or by calling `setProviderConfig`
200+
- You do not need to adjust any of your tools, middleware, jobs, or hooks to use a different provider. Magma will handle the rest.
195201
```ts
196202
class Agent extends MagmaAgent {
197203
constructor() {
@@ -219,11 +225,16 @@ class Agent extends MagmaAgent {
219225
```
220226

221227
### State Management
222-
Every agent has a state object that you can use to store data.
228+
Every agent has a state object that you can use to store data. You can store any data type, and it will be persisted between calls.
229+
You can also choose to use fields on the agent class to store data.
223230

224231
State does not get passed into LLM calls, so it's a good place to store data that you want to persist between calls / sensitive data.
232+
225233
```ts
226234
class MyAgent extends MagmaAgent {
235+
// Using a field to store data
236+
myQuery = "Hello, world!";
237+
227238
async setup() {
228239
// Initialize state
229240
this.state.set("counter", 0);
@@ -240,7 +251,16 @@ class MyAgent extends MagmaAgent {
240251
@tool({ name: "api_call" })
241252
async apiCall() {
242253
const access_token = this.state.get("access_token");
243-
// Make API call
254+
const response = await fetch("https://myapi.com/data", {
255+
headers: {
256+
"Authorization": `Bearer ${access_token}`
257+
},
258+
body: JSON.stringify({
259+
query: this.myQuery
260+
})
261+
});
262+
263+
return JSON.stringify(response.json());
244264
}
245265
}
246266
```
@@ -302,33 +322,6 @@ class MyAgent extends MagmaAgent {
302322
async onStreamChunk(chunk: MagmaStreamChunk) {
303323
console.log("Received chunk:", chunk.content);
304324
}
305-
306-
// MagmaFlow Handlers
307-
async onConnect() {
308-
console.log("Connected to MagmaFlow!");
309-
}
310-
311-
// Handle agent disconnection from MagmaFlow
312-
async onDisconnect() {
313-
console.log("Disconnected from MagmaFlow");
314-
}
315-
316-
// Handle incoming audio chunks
317-
async onAudioChunk(chunk: Buffer) {
318-
// Process incoming audio
319-
await this.processAudioChunk(chunk);
320-
}
321-
322-
// Handle audio stream completion
323-
async onAudioCommit() {
324-
// Audio stream complete
325-
await this.finalizeAudioProcessing();
326-
}
327-
328-
// Handle request abortion
329-
async onAbort() {
330-
await this.cleanup();
331-
}
332325
}
333326
```
334327

‎package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
{
22
"name": "@pompeii-labs/magma",
3-
"version": "1.2.2",
3+
"version": "1.2.3",
44
"description": "The Typescript framework to build AI agents quickly and easily",
55
"keywords": [
66
"Agents",

0 commit comments

Comments
 (0)
Please sign in to comment.