fixparser-plugin-mcp 9.1.7-bfafe1e3 → 9.1.7-c213f7c6

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -0,0 +1,1545 @@
1
+ // src/MCPLocal.ts
2
+ import { Server } from "@modelcontextprotocol/sdk/server/index.js";
3
+ import { StdioServerTransport } from "@modelcontextprotocol/sdk/server/stdio.js";
4
+ import { z } from "zod";
5
+
6
+ // src/MCPBase.ts
7
+ var MCPBase = class {
8
+ /**
9
+ * Optional logger instance for diagnostics and output.
10
+ * @protected
11
+ */
12
+ logger;
13
+ /**
14
+ * FIXParser instance, set during plugin register().
15
+ * @protected
16
+ */
17
+ parser;
18
+ /**
19
+ * Called when server is setup and listening.
20
+ * @protected
21
+ */
22
+ onReady = void 0;
23
+ /**
24
+ * Map to store verified orders before execution
25
+ * @protected
26
+ */
27
+ verifiedOrders = /* @__PURE__ */ new Map();
28
+ /**
29
+ * Map to store pending market data requests
30
+ * @protected
31
+ */
32
+ pendingRequests = /* @__PURE__ */ new Map();
33
+ /**
34
+ * Map to store market data prices
35
+ * @protected
36
+ */
37
+ marketDataPrices = /* @__PURE__ */ new Map();
38
+ /**
39
+ * Maximum number of price history entries to keep per symbol
40
+ * @protected
41
+ */
42
+ MAX_PRICE_HISTORY = 1e5;
43
+ constructor({ logger, onReady }) {
44
+ this.logger = logger;
45
+ this.onReady = onReady;
46
+ }
47
+ };
48
+
49
+ // src/schemas/schemas.ts
50
+ var toolSchemas = {
51
+ parse: {
52
+ description: "Parses a FIX message and describes it in plain language",
53
+ schema: {
54
+ type: "object",
55
+ properties: {
56
+ fixString: { type: "string" }
57
+ },
58
+ required: ["fixString"]
59
+ }
60
+ },
61
+ parseToJSON: {
62
+ description: "Parses a FIX message into JSON",
63
+ schema: {
64
+ type: "object",
65
+ properties: {
66
+ fixString: { type: "string" }
67
+ },
68
+ required: ["fixString"]
69
+ }
70
+ },
71
+ verifyOrder: {
72
+ description: "Verifies order parameters before execution. verifyOrder must be called before executeOrder.",
73
+ schema: {
74
+ type: "object",
75
+ properties: {
76
+ clOrdID: { type: "string" },
77
+ handlInst: {
78
+ type: "string",
79
+ enum: ["1", "2", "3"],
80
+ description: "Handling Instructions: 1=Automated Execution No Intervention, 2=Automated Execution Intervention OK, 3=Manual Order"
81
+ },
82
+ quantity: { type: "string" },
83
+ price: { type: "string" },
84
+ ordType: {
85
+ type: "string",
86
+ enum: [
87
+ "1",
88
+ "2",
89
+ "3",
90
+ "4",
91
+ "5",
92
+ "6",
93
+ "7",
94
+ "8",
95
+ "9",
96
+ "A",
97
+ "B",
98
+ "C",
99
+ "D",
100
+ "E",
101
+ "F",
102
+ "G",
103
+ "H",
104
+ "I",
105
+ "J",
106
+ "K",
107
+ "L",
108
+ "M",
109
+ "P",
110
+ "Q",
111
+ "R",
112
+ "S"
113
+ ],
114
+ description: "Order Type: 1=Market, 2=Limit, 3=Stop, 4=StopLimit, 5=MarketOnClose, 6=WithOrWithout, 7=LimitOrBetter, 8=LimitWithOrWithout, 9=OnBasis, A=OnClose, B=LimitOnClose, C=ForexMarket, D=PreviouslyQuoted, E=PreviouslyIndicated, F=ForexLimit, G=ForexSwap, H=ForexPreviouslyQuoted, I=Funari, J=MarketIfTouched, K=MarketWithLeftOverAsLimit, L=PreviousFundValuationPoint, M=NextFundValuationPoint, P=Pegged, Q=CounterOrderSelection, R=StopOnBidOrOffer, S=StopLimitOnBidOrOffer"
115
+ },
116
+ side: {
117
+ type: "string",
118
+ enum: ["1", "2", "3", "4", "5", "6", "7", "8", "9", "A", "B", "C", "D", "E", "F", "G", "H"],
119
+ description: "Side: 1=Buy, 2=Sell, 3=BuyMinus, 4=SellPlus, 5=SellShort, 6=SellShortExempt, 7=Undisclosed, 8=Cross, 9=CrossShort, A=CrossShortExempt, B=AsDefined, C=Opposite, D=Subscribe, E=Redeem, F=Lend, G=Borrow, H=SellUndisclosed"
120
+ },
121
+ symbol: { type: "string" },
122
+ timeInForce: {
123
+ type: "string",
124
+ enum: ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9", "A", "B", "C"],
125
+ description: "Time In Force: 0=Day, 1=GoodTillCancel, 2=AtTheOpening, 3=ImmediateOrCancel, 4=FillOrKill, 5=GoodTillCrossing, 6=GoodTillDate, 7=AtTheClose, 8=GoodThroughCrossing, 9=AtCrossing, A=GoodForTime, B=GoodForAuction, C=GoodForMonth"
126
+ }
127
+ },
128
+ required: ["clOrdID", "handlInst", "quantity", "price", "ordType", "side", "symbol", "timeInForce"]
129
+ }
130
+ },
131
+ executeOrder: {
132
+ description: "Executes a verified order. verifyOrder must be called before executeOrder.",
133
+ schema: {
134
+ type: "object",
135
+ properties: {
136
+ clOrdID: { type: "string" },
137
+ handlInst: {
138
+ type: "string",
139
+ enum: ["1", "2", "3"],
140
+ description: "Handling Instructions: 1=Automated Execution No Intervention, 2=Automated Execution Intervention OK, 3=Manual Order"
141
+ },
142
+ quantity: { type: "string" },
143
+ price: { type: "string" },
144
+ ordType: {
145
+ type: "string",
146
+ enum: [
147
+ "1",
148
+ "2",
149
+ "3",
150
+ "4",
151
+ "5",
152
+ "6",
153
+ "7",
154
+ "8",
155
+ "9",
156
+ "A",
157
+ "B",
158
+ "C",
159
+ "D",
160
+ "E",
161
+ "F",
162
+ "G",
163
+ "H",
164
+ "I",
165
+ "J",
166
+ "K",
167
+ "L",
168
+ "M",
169
+ "P",
170
+ "Q",
171
+ "R",
172
+ "S"
173
+ ],
174
+ description: "Order Type: 1=Market, 2=Limit, 3=Stop, 4=StopLimit, 5=MarketOnClose, 6=WithOrWithout, 7=LimitOrBetter, 8=LimitWithOrWithout, 9=OnBasis, A=OnClose, B=LimitOnClose, C=ForexMarket, D=PreviouslyQuoted, E=PreviouslyIndicated, F=ForexLimit, G=ForexSwap, H=ForexPreviouslyQuoted, I=Funari, J=MarketIfTouched, K=MarketWithLeftOverAsLimit, L=PreviousFundValuationPoint, M=NextFundValuationPoint, P=Pegged, Q=CounterOrderSelection, R=StopOnBidOrOffer, S=StopLimitOnBidOrOffer"
175
+ },
176
+ side: {
177
+ type: "string",
178
+ enum: ["1", "2", "3", "4", "5", "6", "7", "8", "9", "A", "B", "C", "D", "E", "F", "G", "H"],
179
+ description: "Side: 1=Buy, 2=Sell, 3=BuyMinus, 4=SellPlus, 5=SellShort, 6=SellShortExempt, 7=Undisclosed, 8=Cross, 9=CrossShort, A=CrossShortExempt, B=AsDefined, C=Opposite, D=Subscribe, E=Redeem, F=Lend, G=Borrow, H=SellUndisclosed"
180
+ },
181
+ symbol: { type: "string" },
182
+ timeInForce: {
183
+ type: "string",
184
+ enum: ["0", "1", "2", "3", "4", "5", "6", "7", "8", "9", "A", "B", "C"],
185
+ description: "Time In Force: 0=Day, 1=GoodTillCancel, 2=AtTheOpening, 3=ImmediateOrCancel, 4=FillOrKill, 5=GoodTillCrossing, 6=GoodTillDate, 7=AtTheClose, 8=GoodThroughCrossing, 9=AtCrossing, A=GoodForTime, B=GoodForAuction, C=GoodForMonth"
186
+ }
187
+ },
188
+ required: ["clOrdID", "handlInst", "quantity", "price", "ordType", "side", "symbol", "timeInForce"]
189
+ }
190
+ },
191
+ marketDataRequest: {
192
+ description: "Requests market data for specified symbols",
193
+ schema: {
194
+ type: "object",
195
+ properties: {
196
+ mdUpdateType: {
197
+ type: "string",
198
+ enum: ["0", "1"],
199
+ description: "Market Data Update Type: 0=Full Refresh, 1=Incremental Refresh"
200
+ },
201
+ symbols: { type: "array", items: { type: "string" } },
202
+ mdReqID: { type: "string" },
203
+ subscriptionRequestType: {
204
+ type: "string",
205
+ enum: ["0", "1", "2"],
206
+ description: "Subscription Request Type: 0=Snapshot, 1=Snapshot + Updates, 2=Disable Previous Snapshot + Update Request"
207
+ },
208
+ mdEntryTypes: {
209
+ type: "array",
210
+ items: {
211
+ type: "string",
212
+ enum: [
213
+ "0",
214
+ "1",
215
+ "2",
216
+ "3",
217
+ "4",
218
+ "5",
219
+ "6",
220
+ "7",
221
+ "8",
222
+ "9",
223
+ "A",
224
+ "B",
225
+ "C",
226
+ "D",
227
+ "E",
228
+ "F",
229
+ "G",
230
+ "H",
231
+ "I",
232
+ "J",
233
+ "K",
234
+ "L",
235
+ "M",
236
+ "N",
237
+ "O",
238
+ "P",
239
+ "Q",
240
+ "R",
241
+ "S",
242
+ "T",
243
+ "U",
244
+ "V",
245
+ "W",
246
+ "X",
247
+ "Y",
248
+ "Z"
249
+ ]
250
+ },
251
+ description: "Market Data Entry Types: 0=Bid, 1=Offer, 2=Trade, 3=Index Value, 4=Opening Price, 5=Closing Price, 6=Settlement Price, 7=High Price, 8=Low Price, 9=Trade Volume, A=Open Interest, B=Simulated Sell Price, C=Simulated Buy Price, D=Empty Book, E=Session High Bid, F=Session Low Offer, G=Fixing Price, H=Electronic Volume, I=Threshold Limits and Price Band Variation, J=Clearing Price, K=Open Interest Change, L=Last Trade Price, M=Last Trade Volume, N=Last Trade Time, O=Last Trade Tick, P=Last Trade Exchange, Q=Last Trade ID, R=Last Trade Side, S=Last Trade Price Change, T=Last Trade Price Change Percent, U=Last Trade Price Change Basis Points, V=Last Trade Price Change Points, W=Last Trade Price Change Ticks, X=Last Trade Price Change Ticks Percent, Y=Last Trade Price Change Ticks Basis Points, Z=Last Trade Price Change Ticks Points"
252
+ }
253
+ },
254
+ required: ["mdUpdateType", "symbols", "mdReqID", "subscriptionRequestType"]
255
+ }
256
+ },
257
+ getStockGraph: {
258
+ description: "Generates a price chart for a given symbol",
259
+ schema: {
260
+ type: "object",
261
+ properties: {
262
+ symbol: { type: "string" }
263
+ },
264
+ required: ["symbol"]
265
+ }
266
+ },
267
+ getStockPriceHistory: {
268
+ description: "Returns price history for a given symbol",
269
+ schema: {
270
+ type: "object",
271
+ properties: {
272
+ symbol: { type: "string" }
273
+ },
274
+ required: ["symbol"]
275
+ }
276
+ }
277
+ };
278
+
279
+ // src/tools/marketData.ts
280
+ import { Field, Fields, MDEntryType, Messages } from "fixparser";
281
+ import QuickChart from "quickchart-js";
282
+ var createMarketDataRequestHandler = (parser, pendingRequests) => {
283
+ return async (args) => {
284
+ try {
285
+ const response = new Promise((resolve) => {
286
+ pendingRequests.set(args.mdReqID, resolve);
287
+ });
288
+ const entryTypes = args.mdEntryTypes || [
289
+ MDEntryType.Bid,
290
+ MDEntryType.Offer,
291
+ MDEntryType.Trade,
292
+ MDEntryType.IndexValue,
293
+ MDEntryType.OpeningPrice,
294
+ MDEntryType.ClosingPrice,
295
+ MDEntryType.SettlementPrice,
296
+ MDEntryType.TradingSessionHighPrice,
297
+ MDEntryType.TradingSessionLowPrice,
298
+ MDEntryType.VWAP,
299
+ MDEntryType.Imbalance,
300
+ MDEntryType.TradeVolume,
301
+ MDEntryType.OpenInterest,
302
+ MDEntryType.CompositeUnderlyingPrice,
303
+ MDEntryType.SimulatedSellPrice,
304
+ MDEntryType.SimulatedBuyPrice,
305
+ MDEntryType.MarginRate,
306
+ MDEntryType.MidPrice,
307
+ MDEntryType.EmptyBook,
308
+ MDEntryType.SettleHighPrice,
309
+ MDEntryType.SettleLowPrice,
310
+ MDEntryType.PriorSettlePrice,
311
+ MDEntryType.SessionHighBid,
312
+ MDEntryType.SessionLowOffer,
313
+ MDEntryType.EarlyPrices,
314
+ MDEntryType.AuctionClearingPrice,
315
+ MDEntryType.SwapValueFactor,
316
+ MDEntryType.DailyValueAdjustmentForLongPositions,
317
+ MDEntryType.CumulativeValueAdjustmentForLongPositions,
318
+ MDEntryType.DailyValueAdjustmentForShortPositions,
319
+ MDEntryType.CumulativeValueAdjustmentForShortPositions,
320
+ MDEntryType.FixingPrice,
321
+ MDEntryType.CashRate,
322
+ MDEntryType.RecoveryRate,
323
+ MDEntryType.RecoveryRateForLong,
324
+ MDEntryType.RecoveryRateForShort,
325
+ MDEntryType.MarketBid,
326
+ MDEntryType.MarketOffer,
327
+ MDEntryType.ShortSaleMinPrice,
328
+ MDEntryType.PreviousClosingPrice,
329
+ MDEntryType.ThresholdLimitPriceBanding,
330
+ MDEntryType.DailyFinancingValue,
331
+ MDEntryType.AccruedFinancingValue,
332
+ MDEntryType.TWAP
333
+ ];
334
+ const messageFields = [
335
+ new Field(Fields.MsgType, Messages.MarketDataRequest),
336
+ new Field(Fields.SenderCompID, parser.sender),
337
+ new Field(Fields.MsgSeqNum, parser.getNextTargetMsgSeqNum()),
338
+ new Field(Fields.TargetCompID, parser.target),
339
+ new Field(Fields.SendingTime, parser.getTimestamp()),
340
+ new Field(Fields.MDReqID, args.mdReqID),
341
+ new Field(Fields.SubscriptionRequestType, args.subscriptionRequestType),
342
+ new Field(Fields.MarketDepth, 0),
343
+ new Field(Fields.MDUpdateType, args.mdUpdateType)
344
+ ];
345
+ messageFields.push(new Field(Fields.NoRelatedSym, args.symbols.length));
346
+ args.symbols.forEach((symbol) => {
347
+ messageFields.push(new Field(Fields.Symbol, symbol));
348
+ });
349
+ messageFields.push(new Field(Fields.NoMDEntryTypes, entryTypes.length));
350
+ entryTypes.forEach((entryType) => {
351
+ messageFields.push(new Field(Fields.MDEntryType, entryType));
352
+ });
353
+ const mdr = parser.createMessage(...messageFields);
354
+ if (!parser.connected) {
355
+ return {
356
+ content: [
357
+ {
358
+ type: "text",
359
+ text: "Error: Not connected. Ignoring message.",
360
+ uri: "marketDataRequest"
361
+ }
362
+ ],
363
+ isError: true
364
+ };
365
+ }
366
+ parser.send(mdr);
367
+ const fixData = await response;
368
+ return {
369
+ content: [
370
+ {
371
+ type: "text",
372
+ text: `Market data for ${args.symbols.join(", ")}: ${JSON.stringify(fixData.toFIXJSON())}`,
373
+ uri: "marketDataRequest"
374
+ }
375
+ ]
376
+ };
377
+ } catch (error) {
378
+ return {
379
+ content: [
380
+ {
381
+ type: "text",
382
+ text: `Error: ${error instanceof Error ? error.message : "Failed to request market data"}`,
383
+ uri: "marketDataRequest"
384
+ }
385
+ ],
386
+ isError: true
387
+ };
388
+ }
389
+ };
390
+ };
391
+ var createGetStockGraphHandler = (marketDataPrices) => {
392
+ return async (args) => {
393
+ try {
394
+ const symbol = args.symbol;
395
+ const priceHistory = marketDataPrices.get(symbol) || [];
396
+ if (priceHistory.length === 0) {
397
+ return {
398
+ content: [
399
+ {
400
+ type: "text",
401
+ text: `No price data available for ${symbol}`,
402
+ uri: "getStockGraph"
403
+ }
404
+ ]
405
+ };
406
+ }
407
+ const chart = new QuickChart();
408
+ chart.setWidth(1200);
409
+ chart.setHeight(600);
410
+ chart.setBackgroundColor("transparent");
411
+ const labels = priceHistory.map((point) => new Date(point.timestamp).toLocaleTimeString());
412
+ const bidData = priceHistory.map((point) => point.bid);
413
+ const offerData = priceHistory.map((point) => point.offer);
414
+ const spreadData = priceHistory.map((point) => point.spread);
415
+ const volumeData = priceHistory.map((point) => point.volume);
416
+ const tradeData = priceHistory.map((point) => point.trade);
417
+ const vwapData = priceHistory.map((point) => point.vwap);
418
+ const twapData = priceHistory.map((point) => point.twap);
419
+ const config = {
420
+ type: "line",
421
+ data: {
422
+ labels,
423
+ datasets: [
424
+ {
425
+ label: "Bid",
426
+ data: bidData,
427
+ borderColor: "#28a745",
428
+ backgroundColor: "rgba(40, 167, 69, 0.1)",
429
+ fill: false,
430
+ tension: 0.4
431
+ },
432
+ {
433
+ label: "Offer",
434
+ data: offerData,
435
+ borderColor: "#dc3545",
436
+ backgroundColor: "rgba(220, 53, 69, 0.1)",
437
+ fill: false,
438
+ tension: 0.4
439
+ },
440
+ {
441
+ label: "Spread",
442
+ data: spreadData,
443
+ borderColor: "#6c757d",
444
+ backgroundColor: "rgba(108, 117, 125, 0.1)",
445
+ fill: false,
446
+ tension: 0.4
447
+ },
448
+ {
449
+ label: "Trade",
450
+ data: tradeData,
451
+ borderColor: "#ffc107",
452
+ backgroundColor: "rgba(255, 193, 7, 0.1)",
453
+ fill: false,
454
+ tension: 0.4
455
+ },
456
+ {
457
+ label: "VWAP",
458
+ data: vwapData,
459
+ borderColor: "#17a2b8",
460
+ backgroundColor: "rgba(23, 162, 184, 0.1)",
461
+ fill: false,
462
+ tension: 0.4
463
+ },
464
+ {
465
+ label: "TWAP",
466
+ data: twapData,
467
+ borderColor: "#6610f2",
468
+ backgroundColor: "rgba(102, 16, 242, 0.1)",
469
+ fill: false,
470
+ tension: 0.4
471
+ },
472
+ {
473
+ label: "Volume",
474
+ data: volumeData,
475
+ borderColor: "#007bff",
476
+ backgroundColor: "rgba(0, 123, 255, 0.1)",
477
+ fill: true,
478
+ tension: 0.4
479
+ }
480
+ ]
481
+ },
482
+ options: {
483
+ responsive: true,
484
+ plugins: {
485
+ title: {
486
+ display: true,
487
+ text: `${symbol} Market Data`
488
+ }
489
+ },
490
+ scales: {
491
+ y: {
492
+ beginAtZero: false
493
+ }
494
+ }
495
+ }
496
+ };
497
+ chart.setConfig(config);
498
+ const imageBuffer = await chart.toBinary();
499
+ const base64 = imageBuffer.toString("base64");
500
+ return {
501
+ content: [
502
+ {
503
+ type: "resource",
504
+ resource: {
505
+ uri: "resource://graph",
506
+ mimeType: "image/png",
507
+ blob: base64
508
+ }
509
+ }
510
+ ]
511
+ };
512
+ } catch (error) {
513
+ return {
514
+ content: [
515
+ {
516
+ type: "text",
517
+ text: `Error: ${error instanceof Error ? error.message : "Failed to generate graph"}`,
518
+ uri: "getStockGraph"
519
+ }
520
+ ],
521
+ isError: true
522
+ };
523
+ }
524
+ };
525
+ };
526
+ var createGetStockPriceHistoryHandler = (marketDataPrices) => {
527
+ return async (args) => {
528
+ try {
529
+ const symbol = args.symbol;
530
+ const priceHistory = marketDataPrices.get(symbol) || [];
531
+ if (priceHistory.length === 0) {
532
+ return {
533
+ content: [
534
+ {
535
+ type: "text",
536
+ text: `No price data available for ${symbol}`,
537
+ uri: "getStockPriceHistory"
538
+ }
539
+ ]
540
+ };
541
+ }
542
+ return {
543
+ content: [
544
+ {
545
+ type: "text",
546
+ text: JSON.stringify(
547
+ {
548
+ symbol,
549
+ count: priceHistory.length,
550
+ data: priceHistory.map((point) => ({
551
+ timestamp: new Date(point.timestamp).toISOString(),
552
+ bid: point.bid,
553
+ offer: point.offer,
554
+ spread: point.spread,
555
+ volume: point.volume,
556
+ trade: point.trade,
557
+ indexValue: point.indexValue,
558
+ openingPrice: point.openingPrice,
559
+ closingPrice: point.closingPrice,
560
+ settlementPrice: point.settlementPrice,
561
+ tradingSessionHighPrice: point.tradingSessionHighPrice,
562
+ tradingSessionLowPrice: point.tradingSessionLowPrice,
563
+ vwap: point.vwap,
564
+ imbalance: point.imbalance,
565
+ openInterest: point.openInterest,
566
+ compositeUnderlyingPrice: point.compositeUnderlyingPrice,
567
+ simulatedSellPrice: point.simulatedSellPrice,
568
+ simulatedBuyPrice: point.simulatedBuyPrice,
569
+ marginRate: point.marginRate,
570
+ midPrice: point.midPrice,
571
+ emptyBook: point.emptyBook,
572
+ settleHighPrice: point.settleHighPrice,
573
+ settleLowPrice: point.settleLowPrice,
574
+ priorSettlePrice: point.priorSettlePrice,
575
+ sessionHighBid: point.sessionHighBid,
576
+ sessionLowOffer: point.sessionLowOffer,
577
+ earlyPrices: point.earlyPrices,
578
+ auctionClearingPrice: point.auctionClearingPrice,
579
+ swapValueFactor: point.swapValueFactor,
580
+ dailyValueAdjustmentForLongPositions: point.dailyValueAdjustmentForLongPositions,
581
+ cumulativeValueAdjustmentForLongPositions: point.cumulativeValueAdjustmentForLongPositions,
582
+ dailyValueAdjustmentForShortPositions: point.dailyValueAdjustmentForShortPositions,
583
+ cumulativeValueAdjustmentForShortPositions: point.cumulativeValueAdjustmentForShortPositions,
584
+ fixingPrice: point.fixingPrice,
585
+ cashRate: point.cashRate,
586
+ recoveryRate: point.recoveryRate,
587
+ recoveryRateForLong: point.recoveryRateForLong,
588
+ recoveryRateForShort: point.recoveryRateForShort,
589
+ marketBid: point.marketBid,
590
+ marketOffer: point.marketOffer,
591
+ shortSaleMinPrice: point.shortSaleMinPrice,
592
+ previousClosingPrice: point.previousClosingPrice,
593
+ thresholdLimitPriceBanding: point.thresholdLimitPriceBanding,
594
+ dailyFinancingValue: point.dailyFinancingValue,
595
+ accruedFinancingValue: point.accruedFinancingValue,
596
+ twap: point.twap
597
+ }))
598
+ },
599
+ null,
600
+ 2
601
+ ),
602
+ uri: "getStockPriceHistory"
603
+ }
604
+ ]
605
+ };
606
+ } catch (error) {
607
+ return {
608
+ content: [
609
+ {
610
+ type: "text",
611
+ text: `Error: ${error instanceof Error ? error.message : "Failed to get price history"}`,
612
+ uri: "getStockPriceHistory"
613
+ }
614
+ ],
615
+ isError: true
616
+ };
617
+ }
618
+ };
619
+ };
620
+
621
+ // src/tools/order.ts
622
+ import { Field as Field2, Fields as Fields2, Messages as Messages2 } from "fixparser";
623
+ var ordTypeNames = {
624
+ "1": "Market",
625
+ "2": "Limit",
626
+ "3": "Stop",
627
+ "4": "StopLimit",
628
+ "5": "MarketOnClose",
629
+ "6": "WithOrWithout",
630
+ "7": "LimitOrBetter",
631
+ "8": "LimitWithOrWithout",
632
+ "9": "OnBasis",
633
+ A: "OnClose",
634
+ B: "LimitOnClose",
635
+ C: "ForexMarket",
636
+ D: "PreviouslyQuoted",
637
+ E: "PreviouslyIndicated",
638
+ F: "ForexLimit",
639
+ G: "ForexSwap",
640
+ H: "ForexPreviouslyQuoted",
641
+ I: "Funari",
642
+ J: "MarketIfTouched",
643
+ K: "MarketWithLeftOverAsLimit",
644
+ L: "PreviousFundValuationPoint",
645
+ M: "NextFundValuationPoint",
646
+ P: "Pegged",
647
+ Q: "CounterOrderSelection",
648
+ R: "StopOnBidOrOffer",
649
+ S: "StopLimitOnBidOrOffer"
650
+ };
651
+ var sideNames = {
652
+ "1": "Buy",
653
+ "2": "Sell",
654
+ "3": "BuyMinus",
655
+ "4": "SellPlus",
656
+ "5": "SellShort",
657
+ "6": "SellShortExempt",
658
+ "7": "Undisclosed",
659
+ "8": "Cross",
660
+ "9": "CrossShort",
661
+ A: "CrossShortExempt",
662
+ B: "AsDefined",
663
+ C: "Opposite",
664
+ D: "Subscribe",
665
+ E: "Redeem",
666
+ F: "Lend",
667
+ G: "Borrow",
668
+ H: "SellUndisclosed"
669
+ };
670
+ var timeInForceNames = {
671
+ "0": "Day",
672
+ "1": "GoodTillCancel",
673
+ "2": "AtTheOpening",
674
+ "3": "ImmediateOrCancel",
675
+ "4": "FillOrKill",
676
+ "5": "GoodTillCrossing",
677
+ "6": "GoodTillDate",
678
+ "7": "AtTheClose",
679
+ "8": "GoodThroughCrossing",
680
+ "9": "AtCrossing",
681
+ A: "GoodForTime",
682
+ B: "GoodForAuction",
683
+ C: "GoodForMonth"
684
+ };
685
+ var handlInstNames = {
686
+ "1": "AutomatedExecutionNoIntervention",
687
+ "2": "AutomatedExecutionInterventionOK",
688
+ "3": "ManualOrder"
689
+ };
690
+ var createVerifyOrderHandler = (parser, verifiedOrders) => {
691
+ return async (args) => {
692
+ try {
693
+ verifiedOrders.set(args.clOrdID, {
694
+ clOrdID: args.clOrdID,
695
+ handlInst: args.handlInst,
696
+ quantity: Number.parseFloat(String(args.quantity)),
697
+ price: Number.parseFloat(String(args.price)),
698
+ ordType: args.ordType,
699
+ side: args.side,
700
+ symbol: args.symbol,
701
+ timeInForce: args.timeInForce
702
+ });
703
+ return {
704
+ content: [
705
+ {
706
+ type: "text",
707
+ text: `VERIFICATION: All parameters valid. Ready to proceed with order execution.
708
+
709
+ Parameters verified:
710
+ - ClOrdID: ${args.clOrdID}
711
+ - HandlInst: ${args.handlInst} (${handlInstNames[args.handlInst]})
712
+ - Quantity: ${args.quantity}
713
+ - Price: ${args.price}
714
+ - OrdType: ${args.ordType} (${ordTypeNames[args.ordType]})
715
+ - Side: ${args.side} (${sideNames[args.side]})
716
+ - Symbol: ${args.symbol}
717
+ - TimeInForce: ${args.timeInForce} (${timeInForceNames[args.timeInForce]})
718
+
719
+ To execute this order, call the executeOrder tool with these exact same parameters. Important: The user has to explicitly confirm before executeOrder is called!`,
720
+ uri: "verifyOrder"
721
+ }
722
+ ]
723
+ };
724
+ } catch (error) {
725
+ return {
726
+ content: [
727
+ {
728
+ type: "text",
729
+ text: `Error: ${error instanceof Error ? error.message : "Failed to verify order parameters"}`,
730
+ uri: "verifyOrder"
731
+ }
732
+ ],
733
+ isError: true
734
+ };
735
+ }
736
+ };
737
+ };
738
+ var createExecuteOrderHandler = (parser, verifiedOrders, pendingRequests) => {
739
+ return async (args) => {
740
+ try {
741
+ const verifiedOrder = verifiedOrders.get(args.clOrdID);
742
+ if (!verifiedOrder) {
743
+ return {
744
+ content: [
745
+ {
746
+ type: "text",
747
+ text: `Error: Order ${args.clOrdID} has not been verified. Please call verifyOrder first.`,
748
+ uri: "executeOrder"
749
+ }
750
+ ],
751
+ isError: true
752
+ };
753
+ }
754
+ if (verifiedOrder.handlInst !== args.handlInst || verifiedOrder.quantity !== Number.parseFloat(String(args.quantity)) || verifiedOrder.price !== Number.parseFloat(String(args.price)) || verifiedOrder.ordType !== args.ordType || verifiedOrder.side !== args.side || verifiedOrder.symbol !== args.symbol || verifiedOrder.timeInForce !== args.timeInForce) {
755
+ return {
756
+ content: [
757
+ {
758
+ type: "text",
759
+ text: "Error: Order parameters do not match the verified order. Please use the exact same parameters that were verified.",
760
+ uri: "executeOrder"
761
+ }
762
+ ],
763
+ isError: true
764
+ };
765
+ }
766
+ const response = new Promise((resolve) => {
767
+ pendingRequests.set(args.clOrdID, resolve);
768
+ });
769
+ const order = parser.createMessage(
770
+ new Field2(Fields2.MsgType, Messages2.NewOrderSingle),
771
+ new Field2(Fields2.MsgSeqNum, parser.getNextTargetMsgSeqNum()),
772
+ new Field2(Fields2.SenderCompID, parser.sender),
773
+ new Field2(Fields2.TargetCompID, parser.target),
774
+ new Field2(Fields2.SendingTime, parser.getTimestamp()),
775
+ new Field2(Fields2.ClOrdID, args.clOrdID),
776
+ new Field2(Fields2.Side, args.side),
777
+ new Field2(Fields2.Symbol, args.symbol),
778
+ new Field2(Fields2.OrderQty, Number.parseFloat(String(args.quantity))),
779
+ new Field2(Fields2.Price, Number.parseFloat(String(args.price))),
780
+ new Field2(Fields2.OrdType, args.ordType),
781
+ new Field2(Fields2.HandlInst, args.handlInst),
782
+ new Field2(Fields2.TimeInForce, args.timeInForce),
783
+ new Field2(Fields2.TransactTime, parser.getTimestamp())
784
+ );
785
+ if (!parser.connected) {
786
+ return {
787
+ content: [
788
+ {
789
+ type: "text",
790
+ text: "Error: Not connected. Ignoring message.",
791
+ uri: "executeOrder"
792
+ }
793
+ ],
794
+ isError: true
795
+ };
796
+ }
797
+ parser.send(order);
798
+ const fixData = await response;
799
+ verifiedOrders.delete(args.clOrdID);
800
+ return {
801
+ content: [
802
+ {
803
+ type: "text",
804
+ text: fixData.messageType === Messages2.Reject ? `Reject message for order ${args.clOrdID}: ${JSON.stringify(fixData.toFIXJSON())}` : `Execution Report for order ${args.clOrdID}: ${JSON.stringify(fixData.toFIXJSON())}`,
805
+ uri: "executeOrder"
806
+ }
807
+ ]
808
+ };
809
+ } catch (error) {
810
+ return {
811
+ content: [
812
+ {
813
+ type: "text",
814
+ text: `Error: ${error instanceof Error ? error.message : "Failed to execute order"}`,
815
+ uri: "executeOrder"
816
+ }
817
+ ],
818
+ isError: true
819
+ };
820
+ }
821
+ };
822
+ };
823
+
824
+ // src/tools/parse.ts
825
+ var createParseHandler = (parser) => {
826
+ return async (args) => {
827
+ try {
828
+ const parsedMessage = parser.parse(args.fixString);
829
+ if (!parsedMessage || parsedMessage.length === 0) {
830
+ return {
831
+ content: [
832
+ {
833
+ type: "text",
834
+ text: "Error: Failed to parse FIX string",
835
+ uri: "parse"
836
+ }
837
+ ],
838
+ isError: true
839
+ };
840
+ }
841
+ return {
842
+ content: [
843
+ {
844
+ type: "text",
845
+ text: `${parsedMessage[0].description}
846
+ ${parsedMessage[0].messageTypeDescription}`,
847
+ uri: "parse"
848
+ }
849
+ ]
850
+ };
851
+ } catch (error) {
852
+ return {
853
+ content: [
854
+ {
855
+ type: "text",
856
+ text: `Error: ${error instanceof Error ? error.message : "Failed to parse FIX string"}`,
857
+ uri: "parse"
858
+ }
859
+ ],
860
+ isError: true
861
+ };
862
+ }
863
+ };
864
+ };
865
+
866
+ // src/tools/parseToJSON.ts
867
+ var createParseToJSONHandler = (parser) => {
868
+ return async (args) => {
869
+ try {
870
+ const parsedMessage = parser.parse(args.fixString);
871
+ if (!parsedMessage || parsedMessage.length === 0) {
872
+ return {
873
+ content: [
874
+ {
875
+ type: "text",
876
+ text: "Error: Failed to parse FIX string",
877
+ uri: "parseToJSON"
878
+ }
879
+ ],
880
+ isError: true
881
+ };
882
+ }
883
+ return {
884
+ content: [
885
+ {
886
+ type: "text",
887
+ text: `${parsedMessage[0].toFIXJSON()}`,
888
+ uri: "parseToJSON"
889
+ }
890
+ ]
891
+ };
892
+ } catch (error) {
893
+ return {
894
+ content: [
895
+ {
896
+ type: "text",
897
+ text: `Error: ${error instanceof Error ? error.message : "Failed to parse FIX string"}`,
898
+ uri: "parseToJSON"
899
+ }
900
+ ],
901
+ isError: true
902
+ };
903
+ }
904
+ };
905
+ };
906
+
907
+ // src/tools/index.ts
908
+ var createToolHandlers = (parser, verifiedOrders, pendingRequests, marketDataPrices) => ({
909
+ parse: createParseHandler(parser),
910
+ parseToJSON: createParseToJSONHandler(parser),
911
+ verifyOrder: createVerifyOrderHandler(parser, verifiedOrders),
912
+ executeOrder: createExecuteOrderHandler(parser, verifiedOrders, pendingRequests),
913
+ marketDataRequest: createMarketDataRequestHandler(parser, pendingRequests),
914
+ getStockGraph: createGetStockGraphHandler(marketDataPrices),
915
+ getStockPriceHistory: createGetStockPriceHistoryHandler(marketDataPrices)
916
+ });
917
+
918
+ // src/utils/messageHandler.ts
919
+ import { Fields as Fields3, MDEntryType as MDEntryType2, Messages as Messages3 } from "fixparser";
920
+ function handleMessage(message, parser, pendingRequests, marketDataPrices, maxPriceHistory, onPriceUpdate) {
921
+ parser.logger.log({
922
+ level: "info",
923
+ message: `MCP Server received message: ${message.messageType}: ${message.description}`
924
+ });
925
+ const msgType = message.messageType;
926
+ if (msgType === Messages3.MarketDataSnapshotFullRefresh || msgType === Messages3.MarketDataIncrementalRefresh) {
927
+ const symbol = message.getField(Fields3.Symbol)?.value;
928
+ const fixJson = message.toFIXJSON();
929
+ const entries = fixJson.Body?.NoMDEntries || [];
930
+ const data = {
931
+ timestamp: Date.now(),
932
+ bid: 0,
933
+ offer: 0,
934
+ spread: 0,
935
+ volume: 0,
936
+ trade: 0,
937
+ indexValue: 0,
938
+ openingPrice: 0,
939
+ closingPrice: 0,
940
+ settlementPrice: 0,
941
+ tradingSessionHighPrice: 0,
942
+ tradingSessionLowPrice: 0,
943
+ vwap: 0,
944
+ imbalance: 0,
945
+ openInterest: 0,
946
+ compositeUnderlyingPrice: 0,
947
+ simulatedSellPrice: 0,
948
+ simulatedBuyPrice: 0,
949
+ marginRate: 0,
950
+ midPrice: 0,
951
+ emptyBook: 0,
952
+ settleHighPrice: 0,
953
+ settleLowPrice: 0,
954
+ priorSettlePrice: 0,
955
+ sessionHighBid: 0,
956
+ sessionLowOffer: 0,
957
+ earlyPrices: 0,
958
+ auctionClearingPrice: 0,
959
+ swapValueFactor: 0,
960
+ dailyValueAdjustmentForLongPositions: 0,
961
+ cumulativeValueAdjustmentForLongPositions: 0,
962
+ dailyValueAdjustmentForShortPositions: 0,
963
+ cumulativeValueAdjustmentForShortPositions: 0,
964
+ fixingPrice: 0,
965
+ cashRate: 0,
966
+ recoveryRate: 0,
967
+ recoveryRateForLong: 0,
968
+ recoveryRateForShort: 0,
969
+ marketBid: 0,
970
+ marketOffer: 0,
971
+ shortSaleMinPrice: 0,
972
+ previousClosingPrice: 0,
973
+ thresholdLimitPriceBanding: 0,
974
+ dailyFinancingValue: 0,
975
+ accruedFinancingValue: 0,
976
+ twap: 0
977
+ };
978
+ for (const entry of entries) {
979
+ const entryType = entry.MDEntryType;
980
+ const price = entry.MDEntryPx ? Number.parseFloat(entry.MDEntryPx) : 0;
981
+ const size = entry.MDEntrySize ? Number.parseFloat(entry.MDEntrySize) : 0;
982
+ if (entryType === MDEntryType2.Bid || entryType === MDEntryType2.Offer || entryType === MDEntryType2.TradeVolume) {
983
+ parser.logger.log({
984
+ level: "info",
985
+ message: `Market Data Entry - Type: ${entryType}, Price: ${price}, Size: ${size}`
986
+ });
987
+ }
988
+ switch (entryType) {
989
+ case MDEntryType2.Bid:
990
+ data.bid = price;
991
+ break;
992
+ case MDEntryType2.Offer:
993
+ data.offer = price;
994
+ break;
995
+ case MDEntryType2.Trade:
996
+ data.trade = price;
997
+ break;
998
+ case MDEntryType2.IndexValue:
999
+ data.indexValue = price;
1000
+ break;
1001
+ case MDEntryType2.OpeningPrice:
1002
+ data.openingPrice = price;
1003
+ break;
1004
+ case MDEntryType2.ClosingPrice:
1005
+ data.closingPrice = price;
1006
+ break;
1007
+ case MDEntryType2.SettlementPrice:
1008
+ data.settlementPrice = price;
1009
+ break;
1010
+ case MDEntryType2.TradingSessionHighPrice:
1011
+ data.tradingSessionHighPrice = price;
1012
+ break;
1013
+ case MDEntryType2.TradingSessionLowPrice:
1014
+ data.tradingSessionLowPrice = price;
1015
+ break;
1016
+ case MDEntryType2.VWAP:
1017
+ data.vwap = price;
1018
+ break;
1019
+ case MDEntryType2.Imbalance:
1020
+ data.imbalance = size;
1021
+ break;
1022
+ case MDEntryType2.TradeVolume:
1023
+ data.volume = size;
1024
+ break;
1025
+ case MDEntryType2.OpenInterest:
1026
+ data.openInterest = size;
1027
+ break;
1028
+ case MDEntryType2.CompositeUnderlyingPrice:
1029
+ data.compositeUnderlyingPrice = price;
1030
+ break;
1031
+ case MDEntryType2.SimulatedSellPrice:
1032
+ data.simulatedSellPrice = price;
1033
+ break;
1034
+ case MDEntryType2.SimulatedBuyPrice:
1035
+ data.simulatedBuyPrice = price;
1036
+ break;
1037
+ case MDEntryType2.MarginRate:
1038
+ data.marginRate = price;
1039
+ break;
1040
+ case MDEntryType2.MidPrice:
1041
+ data.midPrice = price;
1042
+ break;
1043
+ case MDEntryType2.EmptyBook:
1044
+ data.emptyBook = 1;
1045
+ break;
1046
+ case MDEntryType2.SettleHighPrice:
1047
+ data.settleHighPrice = price;
1048
+ break;
1049
+ case MDEntryType2.SettleLowPrice:
1050
+ data.settleLowPrice = price;
1051
+ break;
1052
+ case MDEntryType2.PriorSettlePrice:
1053
+ data.priorSettlePrice = price;
1054
+ break;
1055
+ case MDEntryType2.SessionHighBid:
1056
+ data.sessionHighBid = price;
1057
+ break;
1058
+ case MDEntryType2.SessionLowOffer:
1059
+ data.sessionLowOffer = price;
1060
+ break;
1061
+ case MDEntryType2.EarlyPrices:
1062
+ data.earlyPrices = price;
1063
+ break;
1064
+ case MDEntryType2.AuctionClearingPrice:
1065
+ data.auctionClearingPrice = price;
1066
+ break;
1067
+ case MDEntryType2.SwapValueFactor:
1068
+ data.swapValueFactor = price;
1069
+ break;
1070
+ case MDEntryType2.DailyValueAdjustmentForLongPositions:
1071
+ data.dailyValueAdjustmentForLongPositions = price;
1072
+ break;
1073
+ case MDEntryType2.CumulativeValueAdjustmentForLongPositions:
1074
+ data.cumulativeValueAdjustmentForLongPositions = price;
1075
+ break;
1076
+ case MDEntryType2.DailyValueAdjustmentForShortPositions:
1077
+ data.dailyValueAdjustmentForShortPositions = price;
1078
+ break;
1079
+ case MDEntryType2.CumulativeValueAdjustmentForShortPositions:
1080
+ data.cumulativeValueAdjustmentForShortPositions = price;
1081
+ break;
1082
+ case MDEntryType2.FixingPrice:
1083
+ data.fixingPrice = price;
1084
+ break;
1085
+ case MDEntryType2.CashRate:
1086
+ data.cashRate = price;
1087
+ break;
1088
+ case MDEntryType2.RecoveryRate:
1089
+ data.recoveryRate = price;
1090
+ break;
1091
+ case MDEntryType2.RecoveryRateForLong:
1092
+ data.recoveryRateForLong = price;
1093
+ break;
1094
+ case MDEntryType2.RecoveryRateForShort:
1095
+ data.recoveryRateForShort = price;
1096
+ break;
1097
+ case MDEntryType2.MarketBid:
1098
+ data.marketBid = price;
1099
+ break;
1100
+ case MDEntryType2.MarketOffer:
1101
+ data.marketOffer = price;
1102
+ break;
1103
+ case MDEntryType2.ShortSaleMinPrice:
1104
+ data.shortSaleMinPrice = price;
1105
+ break;
1106
+ case MDEntryType2.PreviousClosingPrice:
1107
+ data.previousClosingPrice = price;
1108
+ break;
1109
+ case MDEntryType2.ThresholdLimitPriceBanding:
1110
+ data.thresholdLimitPriceBanding = price;
1111
+ break;
1112
+ case MDEntryType2.DailyFinancingValue:
1113
+ data.dailyFinancingValue = price;
1114
+ break;
1115
+ case MDEntryType2.AccruedFinancingValue:
1116
+ data.accruedFinancingValue = price;
1117
+ break;
1118
+ case MDEntryType2.TWAP:
1119
+ data.twap = price;
1120
+ break;
1121
+ }
1122
+ }
1123
+ data.spread = data.offer - data.bid;
1124
+ if (!marketDataPrices.has(symbol)) {
1125
+ marketDataPrices.set(symbol, []);
1126
+ }
1127
+ const prices = marketDataPrices.get(symbol);
1128
+ prices.push(data);
1129
+ if (prices.length > maxPriceHistory) {
1130
+ prices.splice(0, prices.length - maxPriceHistory);
1131
+ }
1132
+ onPriceUpdate?.(symbol, data);
1133
+ const mdReqID = message.getField(Fields3.MDReqID)?.value;
1134
+ if (mdReqID) {
1135
+ const callback = pendingRequests.get(mdReqID);
1136
+ if (callback) {
1137
+ callback(message);
1138
+ pendingRequests.delete(mdReqID);
1139
+ }
1140
+ }
1141
+ } else if (msgType === Messages3.ExecutionReport) {
1142
+ const reqId = message.getField(Fields3.ClOrdID)?.value;
1143
+ const callback = pendingRequests.get(reqId);
1144
+ if (callback) {
1145
+ callback(message);
1146
+ pendingRequests.delete(reqId);
1147
+ }
1148
+ }
1149
+ }
1150
+
1151
+ // src/MCPLocal.ts
1152
+ var MCPLocal = class extends MCPBase {
1153
+ /**
1154
+ * Map to store verified orders before execution
1155
+ * @private
1156
+ */
1157
+ verifiedOrders = /* @__PURE__ */ new Map();
1158
+ /**
1159
+ * Map to store pending requests and their callbacks
1160
+ * @private
1161
+ */
1162
+ pendingRequests = /* @__PURE__ */ new Map();
1163
+ /**
1164
+ * Map to store market data prices for each symbol
1165
+ * @private
1166
+ */
1167
+ marketDataPrices = /* @__PURE__ */ new Map();
1168
+ /**
1169
+ * Maximum number of price history entries to keep per symbol
1170
+ * @private
1171
+ */
1172
+ MAX_PRICE_HISTORY = 1e5;
1173
+ server = new Server(
1174
+ {
1175
+ name: "fixparser",
1176
+ version: "1.0.0"
1177
+ },
1178
+ {
1179
+ capabilities: {
1180
+ tools: Object.entries(toolSchemas).reduce(
1181
+ (acc, [name, { description, schema }]) => {
1182
+ acc[name] = {
1183
+ description,
1184
+ parameters: schema
1185
+ };
1186
+ return acc;
1187
+ },
1188
+ {}
1189
+ )
1190
+ }
1191
+ }
1192
+ );
1193
+ transport = new StdioServerTransport();
1194
+ constructor({ logger, onReady }) {
1195
+ super({ logger, onReady });
1196
+ }
1197
+ async register(parser) {
1198
+ this.parser = parser;
1199
+ this.parser.addOnMessageCallback((message) => {
1200
+ handleMessage(message, this.parser, this.pendingRequests, this.marketDataPrices, this.MAX_PRICE_HISTORY);
1201
+ });
1202
+ this.addWorkflows();
1203
+ await this.server.connect(this.transport);
1204
+ if (this.onReady) {
1205
+ this.onReady();
1206
+ }
1207
+ }
1208
+ addWorkflows() {
1209
+ if (!this.parser) {
1210
+ return;
1211
+ }
1212
+ if (!this.server) {
1213
+ return;
1214
+ }
1215
+ this.server.setRequestHandler(z.object({ method: z.literal("tools/list") }), async () => {
1216
+ return {
1217
+ tools: Object.entries(toolSchemas).map(([name, { description, schema }]) => ({
1218
+ name,
1219
+ description,
1220
+ inputSchema: schema
1221
+ }))
1222
+ };
1223
+ });
1224
+ this.server.setRequestHandler(
1225
+ z.object({
1226
+ method: z.literal("tools/call"),
1227
+ params: z.object({
1228
+ name: z.string(),
1229
+ arguments: z.any(),
1230
+ _meta: z.object({
1231
+ progressToken: z.number()
1232
+ }).optional()
1233
+ })
1234
+ }),
1235
+ async (request) => {
1236
+ const { name, arguments: args } = request.params;
1237
+ const toolHandlers = createToolHandlers(
1238
+ this.parser,
1239
+ this.verifiedOrders,
1240
+ this.pendingRequests,
1241
+ this.marketDataPrices
1242
+ );
1243
+ const handler = toolHandlers[name];
1244
+ if (!handler) {
1245
+ return {
1246
+ content: [
1247
+ {
1248
+ type: "text",
1249
+ text: `Tool not found: ${name}`,
1250
+ uri: name
1251
+ }
1252
+ ],
1253
+ isError: true
1254
+ };
1255
+ }
1256
+ const result = await handler(args);
1257
+ return {
1258
+ content: result.content,
1259
+ isError: result.isError
1260
+ };
1261
+ }
1262
+ );
1263
+ process.on("SIGINT", async () => {
1264
+ await this.server.close();
1265
+ process.exit(0);
1266
+ });
1267
+ }
1268
+ };
1269
+
1270
+ // src/MCPRemote.ts
1271
+ import { randomUUID } from "node:crypto";
1272
+ import { createServer } from "node:http";
1273
+ import { McpServer } from "@modelcontextprotocol/sdk/server/mcp.js";
1274
+ import { StreamableHTTPServerTransport } from "@modelcontextprotocol/sdk/server/streamableHttp.js";
1275
+ import { isInitializeRequest } from "@modelcontextprotocol/sdk/types.js";
1276
+ import { z as z2 } from "zod";
1277
+ var transports = {};
1278
+ function jsonSchemaToZod(schema) {
1279
+ if (schema.type === "object") {
1280
+ const shape = {};
1281
+ for (const [key, prop] of Object.entries(schema.properties || {})) {
1282
+ const propSchema = prop;
1283
+ if (propSchema.type === "string") {
1284
+ if (propSchema.enum) {
1285
+ shape[key] = z2.enum(propSchema.enum);
1286
+ } else {
1287
+ shape[key] = z2.string();
1288
+ }
1289
+ } else if (propSchema.type === "number") {
1290
+ shape[key] = z2.number();
1291
+ } else if (propSchema.type === "boolean") {
1292
+ shape[key] = z2.boolean();
1293
+ } else if (propSchema.type === "array") {
1294
+ if (propSchema.items.type === "string") {
1295
+ shape[key] = z2.array(z2.string());
1296
+ } else if (propSchema.items.type === "number") {
1297
+ shape[key] = z2.array(z2.number());
1298
+ } else if (propSchema.items.type === "boolean") {
1299
+ shape[key] = z2.array(z2.boolean());
1300
+ } else {
1301
+ shape[key] = z2.array(z2.any());
1302
+ }
1303
+ } else {
1304
+ shape[key] = z2.any();
1305
+ }
1306
+ }
1307
+ return shape;
1308
+ }
1309
+ return {};
1310
+ }
1311
+ var MCPRemote = class extends MCPBase {
1312
+ /**
1313
+ * Port number the server will listen on.
1314
+ * @private
1315
+ */
1316
+ port;
1317
+ /**
1318
+ * Node.js HTTP server instance created internally.
1319
+ * @private
1320
+ */
1321
+ httpServer;
1322
+ /**
1323
+ * MCP server instance handling MCP protocol logic.
1324
+ * @private
1325
+ */
1326
+ mcpServer;
1327
+ /**
1328
+ * Optional name of the plugin/server instance.
1329
+ * @private
1330
+ */
1331
+ serverName;
1332
+ /**
1333
+ * Optional version string of the plugin/server.
1334
+ * @private
1335
+ */
1336
+ serverVersion;
1337
+ /**
1338
+ * Map to store verified orders before execution
1339
+ * @private
1340
+ */
1341
+ verifiedOrders = /* @__PURE__ */ new Map();
1342
+ /**
1343
+ * Map to store pending requests and their callbacks
1344
+ * @private
1345
+ */
1346
+ pendingRequests = /* @__PURE__ */ new Map();
1347
+ /**
1348
+ * Map to store market data prices for each symbol
1349
+ * @private
1350
+ */
1351
+ marketDataPrices = /* @__PURE__ */ new Map();
1352
+ /**
1353
+ * Maximum number of price history entries to keep per symbol
1354
+ * @private
1355
+ */
1356
+ MAX_PRICE_HISTORY = 1e5;
1357
+ constructor({ port, logger, onReady }) {
1358
+ super({ logger, onReady });
1359
+ this.port = port;
1360
+ }
1361
+ async register(parser) {
1362
+ this.parser = parser;
1363
+ this.logger = parser.logger;
1364
+ this.logger?.log({
1365
+ level: "info",
1366
+ message: `FIXParser (MCP): -- Plugin registered. Creating MCP server on port ${this.port}...`
1367
+ });
1368
+ this.parser.addOnMessageCallback((message) => {
1369
+ if (this.parser) {
1370
+ handleMessage(
1371
+ message,
1372
+ this.parser,
1373
+ this.pendingRequests,
1374
+ this.marketDataPrices,
1375
+ this.MAX_PRICE_HISTORY
1376
+ );
1377
+ this.logger?.log({
1378
+ level: "info",
1379
+ message: `Market Data Prices TEST: ${JSON.stringify(this.marketDataPrices)}`
1380
+ });
1381
+ }
1382
+ });
1383
+ this.httpServer = createServer(async (req, res) => {
1384
+ if (!req.url || !req.method) {
1385
+ res.writeHead(400);
1386
+ res.end("Bad Request");
1387
+ return;
1388
+ }
1389
+ if (req.url === "/mcp") {
1390
+ const sessionId = req.headers["mcp-session-id"];
1391
+ if (req.method === "POST") {
1392
+ const bodyChunks = [];
1393
+ req.on("data", (chunk) => {
1394
+ bodyChunks.push(chunk);
1395
+ });
1396
+ req.on("end", async () => {
1397
+ let parsed;
1398
+ const body = Buffer.concat(bodyChunks).toString();
1399
+ try {
1400
+ parsed = JSON.parse(body);
1401
+ } catch (err) {
1402
+ res.writeHead(400);
1403
+ res.end(JSON.stringify({ error: "Invalid JSON" }));
1404
+ return;
1405
+ }
1406
+ let transport;
1407
+ if (sessionId && transports[sessionId]) {
1408
+ transport = transports[sessionId];
1409
+ } else if (!sessionId && req.method === "POST" && isInitializeRequest(parsed)) {
1410
+ transport = new StreamableHTTPServerTransport({
1411
+ sessionIdGenerator: () => randomUUID(),
1412
+ onsessioninitialized: (sessionId2) => {
1413
+ transports[sessionId2] = transport;
1414
+ }
1415
+ });
1416
+ transport.onclose = () => {
1417
+ if (transport.sessionId) {
1418
+ delete transports[transport.sessionId];
1419
+ }
1420
+ };
1421
+ this.mcpServer = new McpServer({
1422
+ name: this.serverName || "FIXParser",
1423
+ version: this.serverVersion || "1.0.0"
1424
+ });
1425
+ this.setupTools();
1426
+ await this.mcpServer.connect(transport);
1427
+ } else {
1428
+ res.writeHead(400, { "Content-Type": "application/json" });
1429
+ res.end(
1430
+ JSON.stringify({
1431
+ jsonrpc: "2.0",
1432
+ error: {
1433
+ code: -32e3,
1434
+ message: "Bad Request: No valid session ID provided"
1435
+ },
1436
+ id: null
1437
+ })
1438
+ );
1439
+ return;
1440
+ }
1441
+ try {
1442
+ await transport.handleRequest(req, res, parsed);
1443
+ } catch (error) {
1444
+ this.logger?.log({
1445
+ level: "error",
1446
+ message: `Error handling request: ${error}`
1447
+ });
1448
+ throw error;
1449
+ }
1450
+ });
1451
+ } else if (req.method === "GET" || req.method === "DELETE") {
1452
+ if (!sessionId || !transports[sessionId]) {
1453
+ res.writeHead(400);
1454
+ res.end("Invalid or missing session ID");
1455
+ return;
1456
+ }
1457
+ const transport = transports[sessionId];
1458
+ try {
1459
+ await transport.handleRequest(req, res);
1460
+ } catch (error) {
1461
+ this.logger?.log({
1462
+ level: "error",
1463
+ message: `Error handling ${req.method} request: ${error}`
1464
+ });
1465
+ throw error;
1466
+ }
1467
+ } else {
1468
+ this.logger?.log({
1469
+ level: "error",
1470
+ message: `Method not allowed: ${req.method}`
1471
+ });
1472
+ res.writeHead(405);
1473
+ res.end("Method Not Allowed");
1474
+ }
1475
+ } else {
1476
+ res.writeHead(404);
1477
+ res.end("Not Found");
1478
+ }
1479
+ });
1480
+ this.httpServer.listen(this.port, () => {
1481
+ this.logger?.log({
1482
+ level: "info",
1483
+ message: `FIXParser (MCP): -- Server listening on http://localhost:${this.port}...`
1484
+ });
1485
+ });
1486
+ if (this.onReady) {
1487
+ this.onReady();
1488
+ }
1489
+ }
1490
+ setupTools() {
1491
+ if (!this.parser) {
1492
+ this.logger?.log({
1493
+ level: "error",
1494
+ message: "FIXParser (MCP): -- FIXParser instance not initialized. Ignoring setup of tools..."
1495
+ });
1496
+ return;
1497
+ }
1498
+ if (!this.mcpServer) {
1499
+ this.logger?.log({
1500
+ level: "error",
1501
+ message: "FIXParser (MCP): -- MCP Server not initialized. Ignoring setup of tools..."
1502
+ });
1503
+ return;
1504
+ }
1505
+ const toolHandlers = createToolHandlers(
1506
+ this.parser,
1507
+ this.verifiedOrders,
1508
+ this.pendingRequests,
1509
+ this.marketDataPrices
1510
+ );
1511
+ Object.entries(toolSchemas).forEach(([name, { description, schema }]) => {
1512
+ this.mcpServer?.registerTool(
1513
+ name,
1514
+ {
1515
+ description,
1516
+ inputSchema: jsonSchemaToZod(schema)
1517
+ },
1518
+ async (args) => {
1519
+ const handler = toolHandlers[name];
1520
+ if (!handler) {
1521
+ return {
1522
+ content: [
1523
+ {
1524
+ type: "text",
1525
+ text: `Tool not found: ${name}`
1526
+ }
1527
+ ],
1528
+ isError: true
1529
+ };
1530
+ }
1531
+ const result = await handler(args);
1532
+ return {
1533
+ content: result.content,
1534
+ isError: result.isError
1535
+ };
1536
+ }
1537
+ );
1538
+ });
1539
+ }
1540
+ };
1541
+ export {
1542
+ MCPLocal,
1543
+ MCPRemote
1544
+ };
1545
+ //# sourceMappingURL=index.mjs.map