-
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathserver.js
261 lines (228 loc) · 9.01 KB
/
server.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
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
// server.js
const express = require('express');
const cors = require('cors');
const axios = require('axios');
require('dotenv').config();
const app = express();
const port = process.env.PORT || 5000;
// Configure CORS to accept requests from the frontend in the same container
app.use(cors({
origin: ['http://localhost:3000', 'http://127.0.0.1:3000'],
methods: ['GET', 'POST'],
allowedHeaders: ['Content-Type', 'Authorization', 'x-api-key', 'anthropic-version'],
credentials: true
}));
// Add request logging for debugging
app.use((req, res, next) => {
console.log(`[${new Date().toISOString()}] ${req.method} ${req.path}`);
if (req.method === 'POST') {
console.log('Headers:', JSON.stringify(req.headers, null, 2));
}
next();
});
// Parse JSON bodies
app.use(express.json({ limit: '50mb' }));
app.use(express.urlencoded({ extended: true, limit: '50mb' }));
const OLLAMA_API_URL = process.env.OLLAMA_API_URL || 'http://host.docker.internal:11434';
// Helper function to detect MIME type from data URL
function detectMimeType(dataUrl) {
if (!dataUrl) return 'image/jpeg'; // Default fallback
try {
// Extract the MIME type from the data URL
const matches = dataUrl.match(/^data:([a-zA-Z0-9]+\/[a-zA-Z0-9-.+]+);base64,/);
if (matches && matches.length > 1) {
return matches[1];
}
// If we can't extract from the header, just return a safe default
return 'image/jpeg';
} catch (error) {
console.warn('Error detecting MIME type:', error.message);
return 'image/jpeg';
}
}
// Ollama routes
app.get('/ollama/api/tags', async (req, res) => {
try {
console.log(`Attempting to fetch Ollama models from ${OLLAMA_API_URL}/api/tags`);
const response = await axios.get(`${OLLAMA_API_URL}/api/tags`, {
timeout: 5000 // Set a timeout to avoid long waits
});
console.log(`Successfully fetched ${response.data.models?.length || 0} Ollama models`);
res.json(response.data);
} catch (error) {
console.error('Error fetching Ollama tags:', error.message);
// Return a structured error response
res.status(500).json({
error: 'Failed to fetch Ollama tags',
details: error.message,
url: OLLAMA_API_URL,
message: `Could not connect to Ollama at ${OLLAMA_API_URL}. Make sure Ollama is running and accessible.`
});
}
});
app.post('/ollama/api/generate', async (req, res) => {
try {
const { model, prompt, images } = req.body;
console.log(`Sending request to ${OLLAMA_API_URL}/api/generate for model: ${model || 'unknown'}`);
// Log detailed debug information
console.log(`Request details:
- Model: ${model}
- Has images: ${!!images && images.length > 0}
- Prompt length: ${prompt?.length || 0}
- Prompt preview: ${prompt?.substring(0, 100)}...`);
// Construct the request payload
const payload = {
model: model,
prompt: prompt,
stream: false
};
// Add images if present
if (images && images.length > 0) {
payload.images = images;
console.log(`Including ${images.length} images in request`);
// For image requests, check if model supports vision
const isVisionModel = ['llava', 'bakllava', 'cogvlm', 'moondream', 'vision'].some(
visionModel => model.toLowerCase().includes(visionModel)
);
if (!isVisionModel) {
console.warn(`WARNING: Model ${model} may not support image analysis. Proceeding anyway, but results may be unpredictable.`);
}
}
console.log('Sending payload to Ollama. Request type:',
images && images.length > 0 ? 'Image analysis' : 'Text chat');
const response = await axios.post(`${OLLAMA_API_URL}/api/generate`, payload, {
timeout: 120000, // Set a longer timeout for generation (2 minutes)
headers: {
'Content-Type': 'application/json'
}
});
if (response.data && response.data.response) {
console.log('Successfully received Ollama response');
console.log('Response preview:', response.data.response.substring(0, 100) + '...');
} else {
console.warn('Received empty or invalid response from Ollama');
}
res.json(response.data);
} catch (error) {
console.error('Error generating Ollama response:');
console.error('Message:', error.message);
if (error.response) {
console.error('Status:', error.response.status);
console.error('Data:', JSON.stringify(error.response.data));
}
// Prepare a more descriptive error message
let errorMessage = `Could not process request with Ollama at ${OLLAMA_API_URL}.`;
if (error.message.includes('ECONNREFUSED')) {
errorMessage = `Could not connect to Ollama at ${OLLAMA_API_URL}. Make sure Ollama is running.`;
} else if (error.response && error.response.data && error.response.data.error) {
// Handle specific Ollama API errors
if (error.response.data.error.includes('model not found')) {
errorMessage = `Model '${req.body.model}' not found. Please run 'ollama pull ${req.body.model}' to download it.`;
} else {
errorMessage = `Ollama error: ${error.response.data.error}`;
}
}
// Return a structured error response with useful information
res.status(500).json({
error: 'Failed to generate Ollama response',
details: error.message,
url: OLLAMA_API_URL,
model: req.body.model,
message: errorMessage
});
}
});
const ANTHROPIC_MODEL = process.env.ANTHROPIC_MODEL || "claude-3-5-sonnet-20240620";
app.post('/api/anthropic', async (req, res) => {
try {
console.log('Anthropic API request received');
const { prompt, imageData, context } = req.body;
console.log(`Prompt: "${prompt?.substring(0, 50)}${prompt?.length > 50 ? '...' : ''}"`);
console.log(`Context length: ${context?.length || 0} characters`);
console.log(`Image data: ${imageData ? 'Present' : 'Not present'}`);
if (!process.env.ANTHROPIC_API_KEY) {
console.error('Anthropic API key not configured');
return res.status(400).json({
error: 'Anthropic API key not configured',
details: 'Please add your Anthropic API key to the .env file'
});
}
if (!process.env.ANTHROPIC_MODEL) {
console.error('Anthropic model not configured');
return res.status(400).json({
error: 'Anthropic model not configured',
details: 'Please specify the Anthropic model in the .env file'
});
}
try {
const response = await axios.post(
'https://api.anthropic.com/v1/messages',
{
model: process.env.ANTHROPIC_MODEL,
max_tokens: 1024,
messages: [
{
role: 'user',
content: [
{ type: 'text', text: context ? `${context}\n\n${prompt}` : prompt },
...(imageData ? [{
type: 'image',
source: {
type: 'base64',
media_type: detectMimeType(imageData),
data: imageData.split(',')[1]
}
}] : [])
]
}
]
},
{
headers: {
'Content-Type': 'application/json',
'x-api-key': process.env.ANTHROPIC_API_KEY,
'anthropic-version': '2023-06-01'
}
}
);
console.log('Anthropic API response received:', JSON.stringify(response.data, null, 2).substring(0, 200) + '...');
res.json(response.data);
} catch (apiError) {
console.error('Anthropic API error:', apiError.response?.data || apiError.message);
// Check for specific API errors
if (apiError.response?.status === 401) {
return res.status(400).json({
error: 'Invalid Anthropic API key',
details: 'Please check your Anthropic API key in the .env file'
});
} else if (apiError.response?.status === 429) {
return res.status(529).json({
error: 'Anthropic API rate limit exceeded',
details: 'Please try again in a few moments'
});
}
return res.status(500).json({
error: 'Anthropic API error',
details: apiError.response?.data?.error?.message || apiError.message
});
}
} catch (error) {
console.error('Server error:', error);
res.status(500).json({
error: 'An error occurred while processing your request',
details: error.message
});
}
});
app.listen(port, () => {
console.log(`Server is running on port ${port}`);
console.log(`Backend URL: ${process.env.BACKEND_URL || 'http://localhost:5000'}`);
console.log(`Ollama API URL: ${OLLAMA_API_URL}`);
console.log('Anthropic Model:', ANTHROPIC_MODEL);
console.log('API Keys loaded:');
console.log('- Anthropic:', process.env.ANTHROPIC_API_KEY ? 'Set' : 'Not set');
console.log('\nServer routes:');
console.log('- /api/anthropic - Claude API (requires ANTHROPIC_API_KEY)');
console.log('- /ollama/api/tags - Get available Ollama models');
console.log('- /ollama/api/generate - Generate text with Ollama models');
});