-
Notifications
You must be signed in to change notification settings - Fork 3
/
Copy pathindex.js
executable file
·179 lines (158 loc) · 5.26 KB
/
index.js
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
#!/usr/bin/env node
const path = require('path');
const { execSync } = require('child_process');
const { spawn } = require('child_process');
// Polyfill for AbortController in older Node.js versions
if (typeof globalThis.AbortController === 'undefined') {
globalThis.AbortController = class AbortController {
constructor() {
this.signal = {
aborted: false,
addEventListener: () => {},
removeEventListener: () => {},
dispatchEvent: () => true
};
}
abort() {
this.signal.aborted = true;
}
};
console.log('ℹ️ Added AbortController polyfill for compatibility with older Node.js versions');
}
// Parse command-line arguments
const args = process.argv.slice(2);
let tokenIndex = args.indexOf('--token');
let baseIndex = args.indexOf('--base');
let configIndex = args.indexOf('--config');
// Extract token, base ID and config
const token = tokenIndex !== -1 && tokenIndex + 1 < args.length ? args[tokenIndex + 1] : null;
const baseId = baseIndex !== -1 && baseIndex + 1 < args.length ? args[baseIndex + 1] : null;
const config = configIndex !== -1 && configIndex + 1 < args.length ? args[configIndex + 1] : null;
console.log('🔌 Airtable MCP - Connecting your AI to Airtable');
console.log('-----------------------------------------------');
// Find Python interpreter
const getPythonPath = () => {
try {
const whichPython = execSync('which python3.10').toString().trim();
return whichPython;
} catch (e) {
try {
const whichPython = execSync('which python3').toString().trim();
return whichPython;
} catch (e) {
return 'python';
}
}
};
// Check Python version
const checkPythonVersion = (pythonPath) => {
try {
const versionStr = execSync(`${pythonPath} --version`).toString().trim();
const versionMatch = versionStr.match(/Python (\d+)\.(\d+)/);
if (versionMatch) {
const major = parseInt(versionMatch[1]);
const minor = parseInt(versionMatch[2]);
return (major > 3 || (major === 3 && minor >= 10));
}
return false;
} catch (e) {
return false;
}
};
const pythonPath = getPythonPath();
// Verify Python compatibility
if (!checkPythonVersion(pythonPath)) {
console.error('❌ Error: MCP SDK requires Python 3.10+');
console.error('Please install Python 3.10 or newer and try again.');
process.exit(1);
}
// We now use inspector_server.py instead of server.py
const serverScript = path.join(__dirname, 'inspector_server.py');
// Check if the script exists
try {
require('fs').accessSync(serverScript, require('fs').constants.F_OK);
} catch (e) {
console.error(`❌ Error: Could not find server script at ${serverScript}`);
console.error('Please make sure you have the complete package installed.');
process.exit(1);
}
// Prepare arguments for the Python script
const scriptArgs = [serverScript];
if (token) {
scriptArgs.push('--token', token);
}
if (baseId) {
scriptArgs.push('--base', baseId);
}
if (config) {
scriptArgs.push('--config', config);
// Try to extract and log info from config
try {
const configObj = JSON.parse(config);
if (configObj.airtable_token) {
console.log('✅ Using API token from config');
}
if (configObj.base_id) {
console.log(`✅ Using base ID from config: ${configObj.base_id}`);
}
} catch (e) {
console.warn('⚠️ Could not parse config JSON, attempting to sanitize...');
// Sanitize config JSON - fix common formatting issues
try {
// Remove any unexpected line breaks, extra quotes, and escape characters
const sanitizedConfig = config
.replace(/[\r\n]+/g, '')
.replace(/\\+"/g, '"')
.replace(/^"/, '')
.replace(/"$/, '')
.replace(/\\/g, '');
// Try parsing it
const configObj = JSON.parse(sanitizedConfig);
if (configObj) {
console.log('✅ Successfully sanitized config JSON');
// Update config with sanitized version
scriptArgs[scriptArgs.indexOf(config)] = sanitizedConfig;
config = sanitizedConfig;
if (configObj.airtable_token) {
console.log('✅ Using API token from sanitized config');
}
if (configObj.base_id) {
console.log(`✅ Using base ID from sanitized config: ${configObj.base_id}`);
}
}
} catch (sanitizeErr) {
console.warn('⚠️ Could not sanitize config JSON, passing it directly to Python script');
}
}
} else {
if (token) {
console.log('✅ Using provided API token');
} else {
console.log('⚠️ No API token provided, will try to use .env file');
}
if (baseId) {
console.log(`✅ Using base ID: ${baseId}`);
} else {
console.log('ℹ️ No base ID provided, will need to set one later');
}
}
// Execute the Python script
const serverProcess = spawn(pythonPath, scriptArgs, {
stdio: 'inherit',
});
// Handle process exit
serverProcess.on('close', (code) => {
if (code !== 0) {
console.error(`❌ Airtable MCP server exited with code ${code}`);
}
process.exit(code);
});
// Handle signals
process.on('SIGINT', () => {
console.log('\n👋 Shutting down Airtable MCP server...');
serverProcess.kill('SIGINT');
});
process.on('SIGTERM', () => {
console.log('\n👋 Shutting down Airtable MCP server...');
serverProcess.kill('SIGTERM');
});