Skip to content

Commit 46f9372

Browse files
Sumeet ChouguleSumeet Chougule
Sumeet Chougule
authored and
Sumeet Chougule
committed
fix: resolve type errors in hummingbot plugin
- Add exchange property to MarketData interface - Fix OrderParams type usage - Update inventory target handling - Fix async function return types - Improve type safety in order creation
1 parent 83d2ad3 commit 46f9372

File tree

7 files changed

+151
-105
lines changed

7 files changed

+151
-105
lines changed

agent/src/index.ts

-2
Original file line numberDiff line numberDiff line change
@@ -46,7 +46,6 @@ import { confluxPlugin } from "@elizaos/plugin-conflux";
4646
import { evmPlugin } from "@elizaos/plugin-evm";
4747
import { storyPlugin } from "@elizaos/plugin-story";
4848
import { flowPlugin } from "@elizaos/plugin-flow";
49-
import { fuelPlugin } from "@elizaos/plugin-fuel";
5049
import { imageGenerationPlugin } from "@elizaos/plugin-image-generation";
5150
import { ThreeDGenerationPlugin } from "@elizaos/plugin-3d-generation";
5251
import { multiversxPlugin } from "@elizaos/plugin-multiversx";
@@ -597,7 +596,6 @@ export async function createAgent(
597596
getSecret(character, "TON_PRIVATE_KEY") ? tonPlugin : null,
598597
getSecret(character, "SUI_PRIVATE_KEY") ? suiPlugin : null,
599598
getSecret(character, "STORY_PRIVATE_KEY") ? storyPlugin : null,
600-
getSecret(character, "FUEL_PRIVATE_KEY") ? fuelPlugin : null,
601599
getSecret(character, "AVALANCHE_PRIVATE_KEY")
602600
? avalanchePlugin
603601
: null,

packages/core/package.json

+2-2
Original file line numberDiff line numberDiff line change
@@ -6,10 +6,10 @@
66
"type": "module",
77
"types": "dist/index.d.ts",
88
"scripts": {
9-
"build": "tsup --format esm --dts",
9+
"build": "tsup src/index.ts --format esm --dts --external util --external combined-stream --external form-data --external fs --external path --external dotenv",
1010
"lint": "eslint --fix --cache .",
1111
"watch": "tsc --watch",
12-
"dev": "tsup --format esm --dts --watch",
12+
"dev": "tsup src/index.ts --format esm --dts --external util --external combined-stream --external form-data --external fs --external path --external dotenv --watch",
1313
"build:docs": "cd docs && pnpm run build",
1414
"test": "vitest run",
1515
"test:coverage": "vitest run --coverage",

packages/core/tsup.config.ts

+28-7
Original file line numberDiff line numberDiff line change
@@ -5,18 +5,39 @@ export default defineConfig({
55
outDir: "dist",
66
sourcemap: true,
77
clean: true,
8-
format: ["esm"], // Ensure you're targeting CommonJS
8+
format: ["esm"],
99
platform: "node",
1010
target: "node18",
1111
bundle: true,
12-
splitting: true, // Add this for better code splitting
13-
dts: true, // Generate declaration files
12+
splitting: true,
13+
dts: true,
14+
noExternal: [/@elizaos\/.*/], // Bundle all @elizaos packages
1415
external: [
15-
"dotenv", // Externalize dotenv to prevent bundling
16-
"fs", // Externalize fs to use Node.js built-in module
17-
"path", // Externalize other built-ins if necessary
16+
// Node.js built-in modules
17+
"fs",
18+
"path",
19+
"util",
1820
"http",
1921
"https",
20-
// Add other modules you want to externalize
22+
"stream",
23+
"events",
24+
"crypto",
25+
"buffer",
26+
"url",
27+
"zlib",
28+
"net",
29+
"tls",
30+
"os",
31+
32+
// Third-party packages that should not be bundled
33+
"dotenv",
34+
"combined-stream",
35+
"form-data",
36+
"ws",
37+
"axios",
38+
"@types/node"
2139
],
40+
esbuildOptions(options) {
41+
options.conditions = ["import", "node"]
42+
}
2243
});

packages/plugin-hummingbot/src/index.ts

+3-4
Original file line numberDiff line numberDiff line change
@@ -9,7 +9,6 @@ import {
99
OrderParams,
1010
StrategyConfig,
1111
PortfolioBalance,
12-
HummingbotInstance,
1312
HummingbotConfig
1413
} from './types/index.js';
1514

@@ -85,10 +84,10 @@ export class HummingbotPlugin extends Plugin {
8584
const data = await this.marketDataService.getMarketData(exchange, symbol);
8685
return {
8786
symbol: data.symbol,
88-
lastPrice: data.lastPrice,
89-
volume24h: data.volume24h,
87+
exchange: exchange,
9088
price: data.price,
91-
timestamp: data.timestamp
89+
timestamp: data.timestamp,
90+
volume: data.volume
9291
};
9392
}
9493

packages/plugin-hummingbot/src/strategies/simple-market-making.ts

+96-77
Original file line numberDiff line numberDiff line change
@@ -101,121 +101,140 @@ export class SimpleMarketMaking {
101101
throw new Error('Unable to determine reference price');
102102
}
103103

104-
// Create pricing and sizing proposals
105-
const pricingProposal = this.createPricingProposal(refPrice);
106-
const sizingProposal = this.createSizingProposal();
104+
// Create pricing proposal
105+
const pricingProposal = await this.createPricingProposal(refPrice);
106+
const sizingProposal = await this.createSizingProposal();
107107

108-
// Combine into order proposal
108+
// Create order proposal
109109
return {
110-
actions: ORDER_PROPOSAL_ACTION_CREATE_ORDERS | ORDER_PROPOSAL_ACTION_CANCEL_ORDERS,
110+
actions: ORDER_PROPOSAL_ACTION_CREATE_ORDERS,
111111
cancelOrderIds: Array.from(this.activeOrders.keys()),
112-
buyOrderPrices: pricingProposal.buyPrices,
113-
sellOrderPrices: pricingProposal.sellPrices,
114-
buyOrderSizes: sizingProposal.buySizes,
115-
sellOrderSizes: sizingProposal.sellSizes,
116-
buyOrderType: OrderType.LIMIT,
117-
sellOrderType: OrderType.LIMIT
112+
buyOrderType: 'limit' as OrderType,
113+
sellOrderType: 'limit' as OrderType,
114+
buyOrderPrices: pricingProposal.buyOrderPrices,
115+
buyOrderSizes: sizingProposal.buyOrderSizes,
116+
sellOrderPrices: pricingProposal.sellOrderPrices,
117+
sellOrderSizes: sizingProposal.sellOrderSizes
118118
};
119119
}
120120

121-
private async getRefPrice(marketData: MarketData): Promise<number | null> {
122-
return marketData.price || marketData.lastPrice || null;
121+
private async getRefPrice(marketData: MarketData): Promise<number> {
122+
switch (this.config.params.priceSource) {
123+
case 'current_market':
124+
return marketData.price;
125+
case 'external_market':
126+
// TODO: Implement external market price source
127+
return marketData.price;
128+
case 'custom_api':
129+
// TODO: Implement custom API price source
130+
return marketData.price;
131+
default:
132+
return marketData.price;
133+
}
123134
}
124135

125-
private createPricingProposal(refPrice: number): PricingProposal {
126-
const { bidSpread, askSpread, orderLevels } = this.config.params;
127-
const buyPrices: number[] = [];
128-
const sellPrices: number[] = [];
136+
private async createPricingProposal(refPrice: number): Promise<PricingProposal> {
137+
const { spreadBasis, priceOffset } = this.config.params;
129138

130-
for (let i = 0; i < orderLevels; i++) {
131-
const levelSpreadMultiplier = 1 + (i * 0.5); // Increase spread by 50% for each level
132-
const buyPrice = refPrice * (1 - (bidSpread * levelSpreadMultiplier));
133-
const sellPrice = refPrice * (1 + (askSpread * levelSpreadMultiplier));
134-
135-
buyPrices.push(buyPrice);
136-
sellPrices.push(sellPrice);
137-
}
139+
// Calculate buy and sell prices based on spreads
140+
const buyPrice = refPrice * (1 - spreadBasis) - priceOffset;
141+
const sellPrice = refPrice * (1 + spreadBasis) + priceOffset;
138142

139-
return { buyPrices, sellPrices };
143+
return {
144+
buyOrderPrices: [buyPrice],
145+
sellOrderPrices: [sellPrice]
146+
};
140147
}
141148

142-
private createSizingProposal(): SizingProposal {
143-
const { orderAmount, orderLevels } = this.config.params;
144-
const targetBaseRatio = this.config.params.inventoryTarget || 0.5;
145-
const skewRatios = this.calculateInventorySkew(targetBaseRatio);
146-
147-
const buySizes: number[] = [];
148-
const sellSizes: number[] = [];
149+
private async createSizingProposal(): Promise<SizingProposal> {
150+
const { orderAmount } = this.config.params;
151+
const currentPosition = this.baseBalance;
152+
const targetPosition = 0; // Default target position
149153

150-
for (let i = 0; i < orderLevels; i++) {
151-
const levelSizeMultiplier = 1 - (i * 0.2); // Decrease size by 20% for each level
152-
const baseSize = orderAmount * levelSizeMultiplier;
153-
154-
buySizes.push(baseSize * skewRatios.buyRatio);
155-
sellSizes.push(baseSize * skewRatios.sellRatio);
156-
}
154+
// Calculate inventory skew ratios
155+
const skewRatios = this.calculateInventorySkewRatios(currentPosition, targetPosition);
157156

158-
return { buySizes, sellSizes };
157+
return {
158+
buyOrderSizes: [orderAmount * (skewRatios?.buyRatio || 1)],
159+
sellOrderSizes: [orderAmount * (skewRatios?.sellRatio || 1)]
160+
};
159161
}
160162

161-
private calculateInventorySkew(targetBaseRatio: number): InventorySkewRatios {
162-
const totalValue = this.baseBalance + (this.quoteBalance / this.config.params.refPrice);
163-
const currentBaseRatio = this.baseBalance / totalValue;
164-
165-
// Calculate skew based on difference from target ratio
166-
const skewMultiplier = Math.min(Math.abs(currentBaseRatio - targetBaseRatio) * 2, 1);
167-
168-
if (currentBaseRatio < targetBaseRatio) {
169-
// Need more base asset, increase buy orders
163+
private calculateInventorySkewRatios(currentPosition: number, targetPosition: number): { buyRatio: number; sellRatio: number } {
164+
if (currentPosition === targetPosition) {
165+
return {
166+
buyRatio: 1,
167+
sellRatio: 1
168+
};
169+
} else if (currentPosition < targetPosition) {
170+
const skew = 1 + Math.min(1, (targetPosition - currentPosition) / targetPosition);
170171
return {
171-
buyRatio: 1 + skewMultiplier,
172-
sellRatio: 1 - skewMultiplier
172+
buyRatio: skew,
173+
sellRatio: 2 - skew
173174
};
174175
} else {
175-
// Need more quote asset, increase sell orders
176+
const skew = 1 + Math.min(1, (currentPosition - targetPosition) / targetPosition);
176177
return {
177-
buyRatio: 1 - skewMultiplier,
178-
sellRatio: 1 + skewMultiplier
178+
buyRatio: 2 - skew,
179+
sellRatio: skew
179180
};
180181
}
181182
}
182183

183184
private async createOrders(proposal: OrderProposal): Promise<void> {
184-
const orders: OrderParams[] = [];
185+
const orders: Array<{
186+
symbol: string;
187+
side: 'buy' | 'sell';
188+
amount: number;
189+
price: number;
190+
exchange: string;
191+
type: OrderType;
192+
timestamp: number;
193+
}> = [];
185194

186195
// Create buy orders
187196
for (let i = 0; i < proposal.buyOrderPrices.length; i++) {
188-
orders.push({
189-
exchange: this.config.exchange,
190-
symbol: this.config.tradingPair,
191-
side: 'buy',
192-
type: proposal.buyOrderType,
193-
amount: proposal.buyOrderSizes[i],
194-
price: proposal.buyOrderPrices[i],
195-
timestamp: Date.now()
196-
});
197+
const price = proposal.buyOrderPrices[i];
198+
if (typeof price === 'number') {
199+
const order = {
200+
exchange: this.config.exchange,
201+
symbol: this.config.tradingPair,
202+
side: 'buy' as const,
203+
type: proposal.buyOrderType,
204+
amount: proposal.buyOrderSizes[i],
205+
price,
206+
timestamp: Date.now()
207+
};
208+
orders.push(order);
209+
}
197210
}
198211

199212
// Create sell orders
200213
for (let i = 0; i < proposal.sellOrderPrices.length; i++) {
201-
orders.push({
202-
exchange: this.config.exchange,
203-
symbol: this.config.tradingPair,
204-
side: 'sell',
205-
type: proposal.sellOrderType,
206-
amount: proposal.sellOrderSizes[i],
207-
price: proposal.sellOrderPrices[i],
208-
timestamp: Date.now()
209-
});
214+
const price = proposal.sellOrderPrices[i];
215+
if (typeof price === 'number') {
216+
const order = {
217+
exchange: this.config.exchange,
218+
symbol: this.config.tradingPair,
219+
side: 'sell' as const,
220+
type: proposal.sellOrderType,
221+
amount: proposal.sellOrderSizes[i],
222+
price,
223+
timestamp: Date.now()
224+
};
225+
orders.push(order);
226+
}
210227
}
211228

212-
// Place orders
229+
// Place the orders
213230
for (const order of orders) {
214231
try {
215232
const orderId = await this.plugin.placeOrder(order);
216-
this.activeOrders.set(orderId, order);
233+
if (orderId) {
234+
this.activeOrders.set(orderId, order);
235+
}
217236
} catch (error) {
218-
console.error(`Failed to place ${order.side} order:`, error);
237+
console.error('Error placing order:', error);
219238
}
220239
}
221240
}

packages/plugin-hummingbot/src/types/index.ts

+17-12
Original file line numberDiff line numberDiff line change
@@ -6,10 +6,10 @@ export interface HummingbotConfig {
66

77
export interface MarketData {
88
symbol: string;
9-
lastPrice: number;
10-
volume24h: number;
9+
exchange: string;
1110
price: number;
1211
timestamp: number;
12+
volume: number;
1313
}
1414

1515
export interface OrderParams {
@@ -39,13 +39,13 @@ export interface OrderProposal {
3939
}
4040

4141
export interface PricingProposal {
42-
buyPrices: number[];
43-
sellPrices: number[];
42+
buyOrderPrices: number[];
43+
sellOrderPrices: number[];
4444
}
4545

4646
export interface SizingProposal {
47-
buySizes: number[];
48-
sellSizes: number[];
47+
buyOrderSizes: number[];
48+
sellOrderSizes: number[];
4949
}
5050

5151
export interface InventorySkewRatios {
@@ -65,20 +65,25 @@ export interface MarketMakingParams {
6565
orderLevels: number;
6666
maxOrderAge: number;
6767
cooldownPeriod: number;
68+
spreadBasis: number;
69+
priceOffset: number;
70+
minSpread: number;
71+
maxSpread: number;
72+
priceSource: 'current_market' | 'external_market' | 'custom_api';
6873
bidSpread: number;
6974
askSpread: number;
7075
inventoryTarget: number;
7176
refPrice: number;
7277
}
7378

74-
export interface PortfolioBalance {
75-
asset: string;
76-
free: number;
77-
total: number;
78-
}
79-
8079
export interface MarketMakingConfig {
8180
exchange: string;
8281
tradingPair: string;
8382
params: MarketMakingParams;
8483
}
84+
85+
export interface PortfolioBalance {
86+
asset: string;
87+
free: number;
88+
total: number;
89+
}

packages/plugin-hummingbot/tsconfig.json

+5-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,11 @@
55
"rootDir": "./src",
66
"module": "ESNext",
77
"moduleResolution": "Node",
8-
"target": "ESNext"
8+
"target": "ESNext",
9+
"strict": true,
10+
"skipLibCheck": true,
11+
"forceConsistentCasingInFileNames": true,
12+
"esModuleInterop": true
913
},
1014
"include": ["src/**/*"],
1115
"exclude": ["node_modules", "dist", "**/*.test.ts"]

0 commit comments

Comments
 (0)