2025-08-12 15:27:03 -07:00
|
|
|
import { Request, Response, NextFunction } from "express";
|
|
|
|
import { Router } from "express";
|
|
|
|
import axios from "axios";
|
|
|
|
import HttpCode from "@server/types/HttpCode";
|
|
|
|
import createHttpError from "http-errors";
|
|
|
|
import logger from "@server/logger";
|
|
|
|
import config from "@server/lib/config";
|
|
|
|
|
|
|
|
/**
|
|
|
|
* Proxy function that forwards requests to the remote cloud server
|
|
|
|
*/
|
2025-08-12 15:58:20 -07:00
|
|
|
|
|
|
|
export const proxyToRemote = async (
|
2025-08-12 15:27:03 -07:00
|
|
|
req: Request,
|
|
|
|
res: Response,
|
|
|
|
next: NextFunction,
|
|
|
|
endpoint: string
|
2025-08-12 15:58:20 -07:00
|
|
|
): Promise<any> => {
|
2025-08-12 15:27:03 -07:00
|
|
|
try {
|
2025-08-12 16:47:59 -07:00
|
|
|
const remoteUrl = `${config.getRawConfig().hybrid?.endpoint?.replace(/\/$/, '')}/api/v1/${endpoint}`;
|
2025-08-12 15:27:03 -07:00
|
|
|
|
|
|
|
logger.debug(`Proxying request to remote server: ${remoteUrl}`);
|
|
|
|
|
|
|
|
// Forward the request to the remote server
|
|
|
|
const response = await axios({
|
|
|
|
method: req.method as any,
|
|
|
|
url: remoteUrl,
|
|
|
|
data: req.body,
|
|
|
|
headers: {
|
|
|
|
'Content-Type': 'application/json',
|
|
|
|
},
|
|
|
|
params: req.query,
|
|
|
|
timeout: 30000, // 30 second timeout
|
|
|
|
validateStatus: () => true // Don't throw on non-2xx status codes
|
|
|
|
});
|
|
|
|
|
|
|
|
// Forward the response status and data
|
|
|
|
return res.status(response.status).json(response.data);
|
|
|
|
|
|
|
|
} catch (error) {
|
|
|
|
logger.error("Error proxying request to remote server:", error);
|
|
|
|
|
|
|
|
if (axios.isAxiosError(error)) {
|
|
|
|
if (error.code === 'ECONNREFUSED' || error.code === 'ENOTFOUND') {
|
|
|
|
return next(
|
|
|
|
createHttpError(
|
|
|
|
HttpCode.SERVICE_UNAVAILABLE,
|
|
|
|
"Remote server is unavailable"
|
|
|
|
)
|
|
|
|
);
|
|
|
|
}
|
|
|
|
if (error.code === 'ECONNABORTED') {
|
|
|
|
return next(
|
|
|
|
createHttpError(
|
|
|
|
HttpCode.REQUEST_TIMEOUT,
|
|
|
|
"Request to remote server timed out"
|
|
|
|
)
|
|
|
|
);
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
return next(
|
|
|
|
createHttpError(
|
|
|
|
HttpCode.INTERNAL_SERVER_ERROR,
|
|
|
|
"Error communicating with remote server"
|
|
|
|
)
|
|
|
|
);
|
|
|
|
}
|
2025-08-12 15:58:20 -07:00
|
|
|
}
|