Spaces:
Build error
Build error
File size: 4,669 Bytes
0bfe2e3 |
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 |
import { StreamProxyConfig } from '../db';
import { Cache, createLogger, maskSensitiveInfo, Env } from '../utils';
const logger = createLogger('proxy');
const cache = Cache.getInstance<string, string>('publicIp');
export interface ProxyStream {
url: string;
filename?: string;
headers?: {
request?: Record<string, string>;
response?: Record<string, string>;
};
}
type ValidatedStreamProxyConfig = StreamProxyConfig & {
id: 'mediaflow' | 'stremthru';
url: string;
credentials: string;
};
export abstract class BaseProxy {
protected readonly config: ValidatedStreamProxyConfig;
private readonly PRIVATE_CIDR =
/^(10\.|127\.|172\.(1[6-9]|2[0-9]|3[01])\.|192\.168\.)/;
constructor(config: StreamProxyConfig) {
if (!config.id || !config.credentials || !config.url) {
throw new Error('Proxy configuration is missing');
}
this.config = {
enabled: config.enabled ?? false,
id: config.id,
url: config.url,
credentials: config.credentials,
publicIp: config.publicIp,
proxiedAddons: config.proxiedAddons,
proxiedServices: config.proxiedServices,
};
}
public getConfig(): StreamProxyConfig {
return this.config;
}
protected abstract generateProxyUrl(endpoint: string): URL;
protected abstract getPublicIpEndpoint(): string;
protected abstract getPublicIpFromResponse(data: any): string | null;
protected abstract generateStreamUrls(
streams: ProxyStream[]
): Promise<string[] | null>;
public async getPublicIp(): Promise<string | null> {
if (!this.config.url) {
logger.error('Proxy URL is missing');
throw new Error('Proxy URL is missing');
}
if (this.config.publicIp) {
return this.config.publicIp;
}
const proxyUrl = new URL(this.config.url.replace(/\/$/, ''));
if (this.PRIVATE_CIDR.test(proxyUrl.hostname)) {
logger.error('Proxy URL is a private IP address, returning null');
return null;
}
const cacheKey = `${this.config.id}:${this.config.url}:${this.config.credentials}`;
const cachedPublicIp = cache ? cache.get(cacheKey) : null;
if (cachedPublicIp) {
logger.debug('Returning cached public IP');
return cachedPublicIp;
}
const ipUrl = this.generateProxyUrl(this.getPublicIpEndpoint());
if (Env.LOG_SENSITIVE_INFO) {
logger.debug(`GET ${ipUrl.toString()}`);
} else {
logger.debug(
`GET ${ipUrl.protocol}://${maskSensitiveInfo(ipUrl.hostname)}${ipUrl.port ? `:${ipUrl.port}` : ''}${ipUrl.pathname}`
);
}
const response = await fetch(ipUrl.toString(), {
method: 'GET',
headers: this.getHeaders(),
signal: AbortSignal.timeout(30000), // 30 second timeout
});
if (!response.ok) {
throw new Error(`${response.status}: ${response.statusText}`);
}
const data = await response.json();
const publicIp = this.getPublicIpFromResponse(data);
if (publicIp && cache) {
cache.set(cacheKey, publicIp, Env.PROXY_IP_CACHE_TTL);
} else {
logger.error(
`Proxy did not respond with a public IP. Response: ${JSON.stringify(data)}`
);
throw new Error('Proxy did not respond with a public IP');
}
return publicIp;
}
protected abstract getHeaders(): Record<string, string>;
public async generateUrls(streams: ProxyStream[]): Promise<string[] | null> {
if (!streams.length) {
return [];
}
if (!this.config) {
throw new Error('Proxy configuration is missing');
}
try {
let urls = await this.generateStreamUrls(streams);
if (
urls &&
(Env.FORCE_PUBLIC_PROXY_HOST !== undefined ||
Env.FORCE_PUBLIC_PROXY_PORT !== undefined ||
Env.FORCE_PUBLIC_PROXY_PROTOCOL !== undefined)
) {
urls = urls.map((url) => {
// modify the URL according to settings, needed when using a local URL for requests but a public stream URL is needed.
const urlObj = new URL(url);
if (Env.FORCE_PUBLIC_PROXY_PROTOCOL !== undefined) {
urlObj.protocol = Env.FORCE_PUBLIC_PROXY_PROTOCOL;
}
if (Env.FORCE_PUBLIC_PROXY_PORT !== undefined) {
urlObj.port = Env.FORCE_PUBLIC_PROXY_PORT.toString();
}
if (Env.FORCE_PUBLIC_PROXY_HOST !== undefined) {
urlObj.hostname = Env.FORCE_PUBLIC_PROXY_HOST;
}
return urlObj.toString();
});
}
return urls;
} catch (error) {
logger.error(
`Failed to generate proxy URLs: ${error instanceof Error ? error.message : String(error)}`
);
return null;
}
}
}
|