commit
d3e601c2ea
@ -42,6 +42,33 @@ _This creates basic spotify / soundcloud / youtube data to be stored locally._
|
|||||||
authorization() //After then you will be asked about type of data you want to create and then follow the steps properly.
|
authorization() //After then you will be asked about type of data you want to create and then follow the steps properly.
|
||||||
```
|
```
|
||||||
|
|
||||||
|
### setToken(options : `TokenOptions`)
|
||||||
|
|
||||||
|
_This sets token without using file._
|
||||||
|
|
||||||
|
```js
|
||||||
|
setToken({
|
||||||
|
spotify : {
|
||||||
|
client_id : "ID"
|
||||||
|
client_secret : "Secret"
|
||||||
|
refresh_token : "Token"
|
||||||
|
market : "Country Code"
|
||||||
|
}
|
||||||
|
}) // Setting Spotify Token [ To get refresh_token, just run through authorization, and set file save to No ]
|
||||||
|
|
||||||
|
setToken({
|
||||||
|
soundcloud : {
|
||||||
|
client_id : "ID"
|
||||||
|
}
|
||||||
|
}) // Setting SoundCloud Token
|
||||||
|
|
||||||
|
setToken({
|
||||||
|
youtube : {
|
||||||
|
cookie : "Cookies"
|
||||||
|
}
|
||||||
|
}) // Warning : Using setToken for youtube cookies will only update cookies present in memory only.
|
||||||
|
```
|
||||||
|
|
||||||
### Search
|
### Search
|
||||||
|
|
||||||
#### SearchOptions :
|
#### SearchOptions :
|
||||||
|
|||||||
@ -1,16 +1,12 @@
|
|||||||
import tls, { TLSSocket } from 'tls';
|
import tls, { TLSSocket } from 'tls';
|
||||||
import { URL } from 'url';
|
import { URL } from 'url';
|
||||||
import { Timer } from '../YouTube/classes/LiveStream';
|
|
||||||
|
|
||||||
interface ResponseOptions extends tls.ConnectionOptions {
|
interface ProxyOptions extends tls.ConnectionOptions {
|
||||||
body?: string;
|
method: 'GET';
|
||||||
method: 'GET' | 'POST';
|
|
||||||
cookies?: boolean;
|
|
||||||
headers?: Object;
|
headers?: Object;
|
||||||
timeout?: number;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
export class Response {
|
export class Proxy {
|
||||||
parsed_url: URL;
|
parsed_url: URL;
|
||||||
statusCode: number;
|
statusCode: number;
|
||||||
rawHeaders: string;
|
rawHeaders: string;
|
||||||
@ -18,18 +14,14 @@ export class Response {
|
|||||||
body: string;
|
body: string;
|
||||||
socket: TLSSocket;
|
socket: TLSSocket;
|
||||||
sentHeaders: string;
|
sentHeaders: string;
|
||||||
sentBody: string;
|
private options: ProxyOptions;
|
||||||
private options: ResponseOptions;
|
constructor(parsed_url: URL, options: ProxyOptions) {
|
||||||
private timer: Timer | null;
|
this.parsed_url = parsed_url;
|
||||||
constructor(req_url: string, options: ResponseOptions) {
|
|
||||||
this.parsed_url = new URL(req_url);
|
|
||||||
this.sentHeaders = '';
|
this.sentHeaders = '';
|
||||||
this.statusCode = 0;
|
this.statusCode = 0;
|
||||||
this.sentBody = '';
|
|
||||||
this.rawHeaders = '';
|
this.rawHeaders = '';
|
||||||
this.body = '';
|
this.body = '';
|
||||||
this.headers = {};
|
this.headers = {};
|
||||||
this.timer = null;
|
|
||||||
this.options = options;
|
this.options = options;
|
||||||
this.socket = tls.connect(
|
this.socket = tls.connect(
|
||||||
{
|
{
|
||||||
@ -45,7 +37,6 @@ export class Response {
|
|||||||
this.sentHeaders += `${key}: ${value}\r\n`;
|
this.sentHeaders += `${key}: ${value}\r\n`;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
if (options.body) this.sentBody = options.body;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
private onConnect() {
|
private onConnect() {
|
||||||
@ -54,8 +45,7 @@ export class Response {
|
|||||||
`Host : ${this.parsed_url.hostname}\r\n` +
|
`Host : ${this.parsed_url.hostname}\r\n` +
|
||||||
this.sentHeaders +
|
this.sentHeaders +
|
||||||
`Connection: close\r\n` +
|
`Connection: close\r\n` +
|
||||||
`\r\n` +
|
`\r\n`
|
||||||
this.sentBody
|
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -75,21 +65,7 @@ export class Response {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
stream(): Promise<TLSSocket> {
|
fetch(): Promise<Proxy> {
|
||||||
return new Promise((resolve, reject) => {
|
|
||||||
this.timer = new Timer(() => this.socket.end(), this.options.timeout || 1);
|
|
||||||
this.socket.once('error', (err) => reject(err));
|
|
||||||
this.socket.once('data', (chunk) => {
|
|
||||||
this.rawHeaders = chunk.toString('utf-8');
|
|
||||||
this.parseHeaders();
|
|
||||||
resolve(this.socket);
|
|
||||||
});
|
|
||||||
this.socket.on('data', () => this.timer?.reuse());
|
|
||||||
this.socket.once('end', () => this.timer?.destroy());
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
fetch(): Promise<Response> {
|
|
||||||
return new Promise((resolve, reject) => {
|
return new Promise((resolve, reject) => {
|
||||||
this.socket.setEncoding('utf-8');
|
this.socket.setEncoding('utf-8');
|
||||||
this.socket.once('error', (err) => reject(err));
|
this.socket.once('error', (err) => reject(err));
|
||||||
|
|||||||
@ -1,6 +1,17 @@
|
|||||||
import { Response } from './classes';
|
import http, { ClientRequest, IncomingMessage } from 'http';
|
||||||
|
import https, { RequestOptions } from 'https';
|
||||||
|
import { URL } from 'url';
|
||||||
|
import { getCookies, setCookie, uploadCookie } from '../YouTube/utils/cookie';
|
||||||
|
import { Proxy } from './classes';
|
||||||
|
|
||||||
export type Proxy = ProxyOpts | string;
|
export type ProxyOptions = ProxyOpts | string;
|
||||||
|
|
||||||
|
interface RequestOpts extends RequestOptions {
|
||||||
|
body?: string;
|
||||||
|
method?: 'GET' | 'POST';
|
||||||
|
proxies?: ProxyOptions[];
|
||||||
|
cookies?: boolean;
|
||||||
|
}
|
||||||
|
|
||||||
interface ProxyOpts {
|
interface ProxyOpts {
|
||||||
host: string;
|
host: string;
|
||||||
@ -10,43 +21,191 @@ interface ProxyOpts {
|
|||||||
password: string;
|
password: string;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
interface RequestOptions {
|
* Main module which play-dl uses to make a request to stream url.
|
||||||
body?: string;
|
* @param url URL to make https request to
|
||||||
method: 'GET' | 'POST';
|
* @param options Request options for https request
|
||||||
proxies?: Proxy[];
|
* @returns IncomingMessage from the request
|
||||||
cookies?: boolean;
|
*/
|
||||||
headers?: Object;
|
export function request_stream(req_url: string, options: RequestOpts = { method: 'GET' }): Promise<IncomingMessage> {
|
||||||
timeout?: number;
|
|
||||||
}
|
|
||||||
|
|
||||||
interface StreamGetterOptions {
|
|
||||||
method: 'GET' | 'POST';
|
|
||||||
cookies?: boolean;
|
|
||||||
headers: Object;
|
|
||||||
}
|
|
||||||
|
|
||||||
export function request_stream(req_url: string, options: RequestOptions = { method: 'GET' }): Promise<Response> {
|
|
||||||
return new Promise(async (resolve, reject) => {
|
return new Promise(async (resolve, reject) => {
|
||||||
let res = new Response(req_url, options);
|
let res = await https_getter(req_url, options).catch((err: Error) => err);
|
||||||
await res.stream();
|
if (res instanceof Error) {
|
||||||
if (res.statusCode >= 300 && res.statusCode < 400) {
|
reject(res);
|
||||||
res = await request_stream((res.headers as any).location, options);
|
return;
|
||||||
await res.stream();
|
|
||||||
}
|
}
|
||||||
resolve(res);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
export function request(req_url: string, options: RequestOptions = { method: 'GET' }): Promise<Response> {
|
|
||||||
return new Promise(async (resolve, reject) => {
|
|
||||||
let res = new Response(req_url, options);
|
|
||||||
await res.fetch();
|
|
||||||
if (Number(res.statusCode) >= 300 && Number(res.statusCode) < 400) {
|
if (Number(res.statusCode) >= 300 && Number(res.statusCode) < 400) {
|
||||||
res = await request((res.headers as any).location, options);
|
res = await https_getter(res.headers.location as string, options);
|
||||||
} else if (Number(res.statusCode) > 400) {
|
|
||||||
reject(new Error(`Got ${res.statusCode} from the request`));
|
|
||||||
}
|
}
|
||||||
resolve(res);
|
resolve(res);
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
/**
|
||||||
|
* Main module which play-dl uses to make a proxy or normal request
|
||||||
|
* @param url URL to make https request to
|
||||||
|
* @param options Request options for https request
|
||||||
|
* @returns body of that request
|
||||||
|
*/
|
||||||
|
export function request(req_url: string, options: RequestOpts = { method: 'GET' }): Promise<string> {
|
||||||
|
return new Promise(async (resolve, reject) => {
|
||||||
|
if (!options?.proxies || options.proxies.length === 0) {
|
||||||
|
let data = '';
|
||||||
|
let cookies_added = false;
|
||||||
|
if (options.cookies) {
|
||||||
|
let cook = getCookies();
|
||||||
|
if (typeof cook === 'string' && options.headers) {
|
||||||
|
Object.assign(options.headers, { cookie: cook });
|
||||||
|
cookies_added = true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
let res = await https_getter(req_url, options).catch((err: Error) => err);
|
||||||
|
if (res instanceof Error) {
|
||||||
|
reject(res);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (res.headers && res.headers['set-cookie'] && cookies_added) {
|
||||||
|
res.headers['set-cookie'].forEach((x) => {
|
||||||
|
x.split(';').forEach((x) => {
|
||||||
|
const arr = x.split('=');
|
||||||
|
if (arr.length <= 1) return;
|
||||||
|
const key = arr.shift()?.trim() as string;
|
||||||
|
const value = arr.join('=').trim();
|
||||||
|
setCookie(key, value);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
uploadCookie();
|
||||||
|
}
|
||||||
|
if (Number(res.statusCode) >= 300 && Number(res.statusCode) < 400) {
|
||||||
|
res = await https_getter(res.headers.location as string, options);
|
||||||
|
} else if (Number(res.statusCode) > 400) {
|
||||||
|
reject(new Error(`Got ${res.statusCode} from the request`));
|
||||||
|
}
|
||||||
|
res.setEncoding('utf-8');
|
||||||
|
res.on('data', (c) => (data += c));
|
||||||
|
res.on('end', () => resolve(data));
|
||||||
|
} else {
|
||||||
|
let cookies_added = false;
|
||||||
|
if (options.cookies) {
|
||||||
|
let cook = getCookies();
|
||||||
|
if (typeof cook === 'string' && options.headers) {
|
||||||
|
Object.assign(options.headers, { cookie: cook });
|
||||||
|
cookies_added = true;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
let res = await proxy_getter(req_url, options.proxies, options.headers).catch((e: Error) => e);
|
||||||
|
if (res instanceof Error) {
|
||||||
|
reject(res);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (res.headers && (res.headers as any)['set-cookie'] && cookies_added) {
|
||||||
|
(res.headers as any)['set-cookie'].forEach((x: string) => {
|
||||||
|
x.split(';').forEach((x) => {
|
||||||
|
const arr = x.split('=');
|
||||||
|
if (arr.length <= 1) return;
|
||||||
|
const key = arr.shift()?.trim() as string;
|
||||||
|
const value = arr.join('=').trim();
|
||||||
|
setCookie(key, value);
|
||||||
|
});
|
||||||
|
});
|
||||||
|
uploadCookie();
|
||||||
|
}
|
||||||
|
if (res.statusCode >= 300 && res.statusCode < 400) {
|
||||||
|
res = await proxy_getter((res.headers as any)['location'], options.proxies, options.headers);
|
||||||
|
} else if (res.statusCode > 400) {
|
||||||
|
reject(new Error(`GOT ${res.statusCode} from proxy request`));
|
||||||
|
}
|
||||||
|
resolve(res.body);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Chooses one random number between max and min number.
|
||||||
|
* @param min Minimum number
|
||||||
|
* @param max Maximum number
|
||||||
|
* @returns Random Number
|
||||||
|
*/
|
||||||
|
function randomIntFromInterval(min: number, max: number): number {
|
||||||
|
let x = Math.floor(Math.random() * (max - min + 1) + min);
|
||||||
|
if (x === 0) return 0;
|
||||||
|
else return x - 1;
|
||||||
|
}
|
||||||
|
/**
|
||||||
|
* Main module that play-dl uses for proxy.
|
||||||
|
* @param req_url URL to make https request to
|
||||||
|
* @param req_proxy Proxies array
|
||||||
|
* @returns Object with statusCode, head and body
|
||||||
|
*/
|
||||||
|
function proxy_getter(req_url: string, req_proxy: ProxyOptions[], headers?: Object): Promise<Proxy> {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const proxy: string | ProxyOpts = req_proxy[randomIntFromInterval(0, req_proxy.length)];
|
||||||
|
const parsed_url = new URL(req_url);
|
||||||
|
let opts: ProxyOpts;
|
||||||
|
if (typeof proxy === 'string') {
|
||||||
|
const parsed = new URL(proxy);
|
||||||
|
opts = {
|
||||||
|
host: parsed.hostname,
|
||||||
|
port: Number(parsed.port),
|
||||||
|
authentication: {
|
||||||
|
username: parsed.username,
|
||||||
|
password: parsed.password
|
||||||
|
}
|
||||||
|
};
|
||||||
|
} else opts = proxy;
|
||||||
|
let req: ClientRequest;
|
||||||
|
if (opts.authentication?.username.length === 0) {
|
||||||
|
req = http.request({
|
||||||
|
host: opts.host,
|
||||||
|
port: opts.port,
|
||||||
|
method: 'CONNECT',
|
||||||
|
path: `${parsed_url.host}:443`
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
req = http.request({
|
||||||
|
host: opts.host,
|
||||||
|
port: opts.port,
|
||||||
|
method: 'CONNECT',
|
||||||
|
path: `${parsed_url.host}:443`,
|
||||||
|
headers: {
|
||||||
|
'Proxy-Authorization': `Basic ${Buffer.from(
|
||||||
|
`${opts.authentication?.username}:${opts.authentication?.password}`
|
||||||
|
).toString('base64')}`
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
req.on('connect', async function (res, socket) {
|
||||||
|
const conn_proxy = new Proxy(parsed_url, { method: 'GET', socket: socket, headers: headers });
|
||||||
|
await conn_proxy.fetch();
|
||||||
|
socket.end();
|
||||||
|
resolve(conn_proxy);
|
||||||
|
});
|
||||||
|
req.on('error', (e: Error) => reject(e));
|
||||||
|
req.end();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Main module that play-dl uses for making a https request
|
||||||
|
* @param req_url URL to make https request to
|
||||||
|
* @param options Request options for https request
|
||||||
|
* @returns Incoming Message from the https request
|
||||||
|
*/
|
||||||
|
function https_getter(req_url: string, options: RequestOpts = {}): Promise<IncomingMessage> {
|
||||||
|
return new Promise((resolve, reject) => {
|
||||||
|
const s = new URL(req_url);
|
||||||
|
options.method ??= 'GET';
|
||||||
|
const req_options: RequestOptions = {
|
||||||
|
host: s.hostname,
|
||||||
|
path: s.pathname + s.search,
|
||||||
|
headers: options.headers ?? {},
|
||||||
|
method: options.method
|
||||||
|
};
|
||||||
|
|
||||||
|
const req = https.request(req_options, resolve);
|
||||||
|
req.on('error', (err) => {
|
||||||
|
reject(err);
|
||||||
|
});
|
||||||
|
if (options.method === 'POST') req.write(options.body);
|
||||||
|
req.end();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|||||||
@ -1,5 +1,5 @@
|
|||||||
import { request, request_stream } from '../YouTube/utils/request';
|
import { request, request_stream } from '../Request';
|
||||||
import { PassThrough } from 'stream';
|
import { Readable } from 'stream';
|
||||||
import { IncomingMessage } from 'http';
|
import { IncomingMessage } from 'http';
|
||||||
import { StreamType } from '../YouTube/stream';
|
import { StreamType } from '../YouTube/stream';
|
||||||
import { Timer } from '../YouTube/classes/LiveStream';
|
import { Timer } from '../YouTube/classes/LiveStream';
|
||||||
@ -202,7 +202,7 @@ export class SoundCloudPlaylist {
|
|||||||
* SoundCloud Stream class
|
* SoundCloud Stream class
|
||||||
*/
|
*/
|
||||||
export class Stream {
|
export class Stream {
|
||||||
stream: PassThrough;
|
stream: Readable;
|
||||||
type: StreamType;
|
type: StreamType;
|
||||||
private url: string;
|
private url: string;
|
||||||
private downloaded_time: number;
|
private downloaded_time: number;
|
||||||
@ -212,7 +212,7 @@ export class Stream {
|
|||||||
private time: number[];
|
private time: number[];
|
||||||
private segment_urls: string[];
|
private segment_urls: string[];
|
||||||
constructor(url: string, type: StreamType = StreamType.Arbitrary) {
|
constructor(url: string, type: StreamType = StreamType.Arbitrary) {
|
||||||
this.stream = new PassThrough({ highWaterMark: 10 * 1000 * 1000 });
|
this.stream = new Readable({ highWaterMark: 10 * 1000 * 1000, read() {} });
|
||||||
this.type = type;
|
this.type = type;
|
||||||
this.url = url;
|
this.url = url;
|
||||||
this.downloaded_time = 0;
|
this.downloaded_time = 0;
|
||||||
@ -274,7 +274,9 @@ export class Stream {
|
|||||||
}
|
}
|
||||||
|
|
||||||
this.request = stream;
|
this.request = stream;
|
||||||
stream.pipe(this.stream, { end: false });
|
stream.on('data', (c) => {
|
||||||
|
this.stream.push(c);
|
||||||
|
});
|
||||||
stream.on('end', () => {
|
stream.on('end', () => {
|
||||||
if (this.downloaded_time >= 300) return;
|
if (this.downloaded_time >= 300) return;
|
||||||
else this.loop();
|
else this.loop();
|
||||||
@ -286,7 +288,6 @@ export class Stream {
|
|||||||
|
|
||||||
private cleanup() {
|
private cleanup() {
|
||||||
this.timer.destroy();
|
this.timer.destroy();
|
||||||
this.request?.unpipe(this.stream);
|
|
||||||
this.request?.destroy();
|
this.request?.destroy();
|
||||||
this.url = '';
|
this.url = '';
|
||||||
this.downloaded_time = 0;
|
this.downloaded_time = 0;
|
||||||
|
|||||||
@ -1,6 +1,6 @@
|
|||||||
import fs from 'fs';
|
import fs from 'fs';
|
||||||
import { StreamType } from '../YouTube/stream';
|
import { StreamType } from '../YouTube/stream';
|
||||||
import { request } from '../YouTube/utils/request';
|
import { request } from '../Request';
|
||||||
import { SoundCloudPlaylist, SoundCloudTrack, SoundCloudTrackFormat, Stream } from './classes';
|
import { SoundCloudPlaylist, SoundCloudTrack, SoundCloudTrackFormat, Stream } from './classes';
|
||||||
|
|
||||||
let soundData: SoundDataOptions;
|
let soundData: SoundDataOptions;
|
||||||
@ -151,3 +151,7 @@ function parseHlsFormats(data: SoundCloudTrackFormat[]) {
|
|||||||
});
|
});
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export function setSoundCloudToken(options: SoundDataOptions) {
|
||||||
|
soundData = options;
|
||||||
|
}
|
||||||
|
|||||||
@ -1,4 +1,4 @@
|
|||||||
import { request } from '../YouTube/utils/request';
|
import { request } from '../Request';
|
||||||
import { SpotifyDataOptions } from '.';
|
import { SpotifyDataOptions } from '.';
|
||||||
|
|
||||||
interface SpotifyTrackAlbum {
|
interface SpotifyTrackAlbum {
|
||||||
|
|||||||
@ -1,10 +1,11 @@
|
|||||||
import { request } from '../YouTube/utils/request';
|
import { request } from '../Request';
|
||||||
import { SpotifyAlbum, SpotifyPlaylist, SpotifyTrack } from './classes';
|
import { SpotifyAlbum, SpotifyPlaylist, SpotifyTrack } from './classes';
|
||||||
import fs from 'fs';
|
import fs from 'fs';
|
||||||
|
|
||||||
let spotifyData: SpotifyDataOptions;
|
let spotifyData: SpotifyDataOptions;
|
||||||
if (fs.existsSync('.data/spotify.data')) {
|
if (fs.existsSync('.data/spotify.data')) {
|
||||||
spotifyData = JSON.parse(fs.readFileSync('.data/spotify.data').toString());
|
spotifyData = JSON.parse(fs.readFileSync('.data/spotify.data').toString());
|
||||||
|
spotifyData.file = true;
|
||||||
}
|
}
|
||||||
/**
|
/**
|
||||||
* Spotify Data options that are stored in spotify.data file.
|
* Spotify Data options that are stored in spotify.data file.
|
||||||
@ -12,7 +13,7 @@ if (fs.existsSync('.data/spotify.data')) {
|
|||||||
export interface SpotifyDataOptions {
|
export interface SpotifyDataOptions {
|
||||||
client_id: string;
|
client_id: string;
|
||||||
client_secret: string;
|
client_secret: string;
|
||||||
redirect_url: string;
|
redirect_url?: string;
|
||||||
authorization_code?: string;
|
authorization_code?: string;
|
||||||
access_token?: string;
|
access_token?: string;
|
||||||
refresh_token?: string;
|
refresh_token?: string;
|
||||||
@ -20,6 +21,7 @@ export interface SpotifyDataOptions {
|
|||||||
expires_in?: number;
|
expires_in?: number;
|
||||||
expiry?: number;
|
expiry?: number;
|
||||||
market?: string;
|
market?: string;
|
||||||
|
file?: boolean;
|
||||||
}
|
}
|
||||||
|
|
||||||
const pattern = /^((https:)?\/\/)?open.spotify.com\/(track|album|playlist)\//;
|
const pattern = /^((https:)?\/\/)?open.spotify.com\/(track|album|playlist)\//;
|
||||||
@ -89,14 +91,14 @@ export function sp_validate(url: string): 'track' | 'playlist' | 'album' | 'sear
|
|||||||
* @param data Sportify Data options to validate
|
* @param data Sportify Data options to validate
|
||||||
* @returns boolean.
|
* @returns boolean.
|
||||||
*/
|
*/
|
||||||
export async function SpotifyAuthorize(data: SpotifyDataOptions): Promise<boolean> {
|
export async function SpotifyAuthorize(data: SpotifyDataOptions, file: boolean): Promise<boolean> {
|
||||||
const response = await request(`https://accounts.spotify.com/api/token`, {
|
const response = await request(`https://accounts.spotify.com/api/token`, {
|
||||||
headers: {
|
headers: {
|
||||||
'Authorization': `Basic ${Buffer.from(`${data.client_id}:${data.client_secret}`).toString('base64')}`,
|
'Authorization': `Basic ${Buffer.from(`${data.client_id}:${data.client_secret}`).toString('base64')}`,
|
||||||
'Content-Type': 'application/x-www-form-urlencoded'
|
'Content-Type': 'application/x-www-form-urlencoded'
|
||||||
},
|
},
|
||||||
body: `grant_type=authorization_code&code=${data.authorization_code}&redirect_uri=${encodeURI(
|
body: `grant_type=authorization_code&code=${data.authorization_code}&redirect_uri=${encodeURI(
|
||||||
data.redirect_url
|
data.redirect_url as string
|
||||||
)}`,
|
)}`,
|
||||||
method: 'POST'
|
method: 'POST'
|
||||||
}).catch((err: Error) => {
|
}).catch((err: Error) => {
|
||||||
@ -115,7 +117,14 @@ export async function SpotifyAuthorize(data: SpotifyDataOptions): Promise<boolea
|
|||||||
token_type: resp_json.token_type,
|
token_type: resp_json.token_type,
|
||||||
market: data.market
|
market: data.market
|
||||||
};
|
};
|
||||||
fs.writeFileSync('.data/spotify.data', JSON.stringify(spotifyData, undefined, 4));
|
if (file) fs.writeFileSync('.data/spotify.data', JSON.stringify(spotifyData, undefined, 4));
|
||||||
|
else {
|
||||||
|
console.log(`Client ID : ${spotifyData.client_id}`);
|
||||||
|
console.log(`Client Secret : ${spotifyData.client_secret}`);
|
||||||
|
console.log(`Refresh Token : ${spotifyData.refresh_token}`);
|
||||||
|
console.log(`Market : ${spotifyData.market}`);
|
||||||
|
console.log(`\nPaste above info in setToken function.`);
|
||||||
|
}
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
/**
|
/**
|
||||||
@ -198,6 +207,12 @@ export async function refreshToken(): Promise<boolean> {
|
|||||||
spotifyData.expires_in = Number(resp_json.expires_in);
|
spotifyData.expires_in = Number(resp_json.expires_in);
|
||||||
spotifyData.expiry = Date.now() + (resp_json.expires_in - 1) * 1000;
|
spotifyData.expiry = Date.now() + (resp_json.expires_in - 1) * 1000;
|
||||||
spotifyData.token_type = resp_json.token_type;
|
spotifyData.token_type = resp_json.token_type;
|
||||||
fs.writeFileSync('.data/spotify.data', JSON.stringify(spotifyData, undefined, 4));
|
if (spotifyData.file) fs.writeFileSync('.data/spotify.data', JSON.stringify(spotifyData, undefined, 4));
|
||||||
return true;
|
return true;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export function setSpotifyToken(options: SpotifyDataOptions) {
|
||||||
|
spotifyData = options;
|
||||||
|
spotifyData.file = false;
|
||||||
|
refreshToken();
|
||||||
|
}
|
||||||
|
|||||||
@ -1,7 +1,7 @@
|
|||||||
import { PassThrough } from 'stream';
|
import { Readable } from 'stream';
|
||||||
import { IncomingMessage } from 'http';
|
import { IncomingMessage } from 'http';
|
||||||
import { parseAudioFormats, StreamOptions, StreamType } from '../stream';
|
import { parseAudioFormats, StreamOptions, StreamType } from '../stream';
|
||||||
import { Proxy, request, request_stream } from '../utils/request';
|
import { ProxyOptions as Proxy, request, request_stream } from '../../Request';
|
||||||
import { video_info } from '..';
|
import { video_info } from '..';
|
||||||
|
|
||||||
export interface FormatInterface {
|
export interface FormatInterface {
|
||||||
@ -11,7 +11,7 @@ export interface FormatInterface {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export class LiveStreaming {
|
export class LiveStreaming {
|
||||||
stream: PassThrough;
|
stream: Readable;
|
||||||
type: StreamType;
|
type: StreamType;
|
||||||
private base_url: string;
|
private base_url: string;
|
||||||
private url: string;
|
private url: string;
|
||||||
@ -23,7 +23,7 @@ export class LiveStreaming {
|
|||||||
private segments_urls: string[];
|
private segments_urls: string[];
|
||||||
private request: IncomingMessage | null;
|
private request: IncomingMessage | null;
|
||||||
constructor(dash_url: string, target_interval: number, video_url: string) {
|
constructor(dash_url: string, target_interval: number, video_url: string) {
|
||||||
this.stream = new PassThrough({ highWaterMark: 10 * 1000 * 1000 });
|
this.stream = new Readable({ highWaterMark: 10 * 1000 * 1000, read() {} });
|
||||||
this.type = StreamType.Arbitrary;
|
this.type = StreamType.Arbitrary;
|
||||||
this.url = dash_url;
|
this.url = dash_url;
|
||||||
this.base_url = '';
|
this.base_url = '';
|
||||||
@ -72,7 +72,6 @@ export class LiveStreaming {
|
|||||||
private cleanup() {
|
private cleanup() {
|
||||||
this.timer.destroy();
|
this.timer.destroy();
|
||||||
this.dash_timer.destroy();
|
this.dash_timer.destroy();
|
||||||
this.request?.unpipe(this.stream);
|
|
||||||
this.request?.destroy();
|
this.request?.destroy();
|
||||||
this.video_url = '';
|
this.video_url = '';
|
||||||
this.request = null;
|
this.request = null;
|
||||||
@ -102,7 +101,9 @@ export class LiveStreaming {
|
|||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
this.request = stream;
|
this.request = stream;
|
||||||
stream.pipe(this.stream, { end: false });
|
stream.on('data', (c) => {
|
||||||
|
this.stream.push(c);
|
||||||
|
});
|
||||||
stream.on('end', () => {
|
stream.on('end', () => {
|
||||||
this.packet_count++;
|
this.packet_count++;
|
||||||
resolve('');
|
resolve('');
|
||||||
@ -123,7 +124,7 @@ export class LiveStreaming {
|
|||||||
* Class for YouTube Stream
|
* Class for YouTube Stream
|
||||||
*/
|
*/
|
||||||
export class Stream {
|
export class Stream {
|
||||||
stream: PassThrough;
|
stream: Readable;
|
||||||
type: StreamType;
|
type: StreamType;
|
||||||
private url: string;
|
private url: string;
|
||||||
private bytes_count: number;
|
private bytes_count: number;
|
||||||
@ -142,7 +143,7 @@ export class Stream {
|
|||||||
video_url: string,
|
video_url: string,
|
||||||
options: StreamOptions
|
options: StreamOptions
|
||||||
) {
|
) {
|
||||||
this.stream = new PassThrough({ highWaterMark: 10 * 1000 * 1000 });
|
this.stream = new Readable({ highWaterMark: 10 * 1000 * 1000, read() {} });
|
||||||
this.url = url;
|
this.url = url;
|
||||||
this.quality = options.quality as number;
|
this.quality = options.quality as number;
|
||||||
this.proxy = options.proxy || undefined;
|
this.proxy = options.proxy || undefined;
|
||||||
@ -170,7 +171,6 @@ export class Stream {
|
|||||||
}
|
}
|
||||||
|
|
||||||
private cleanup() {
|
private cleanup() {
|
||||||
this.request?.unpipe(this.stream);
|
|
||||||
this.request?.destroy();
|
this.request?.destroy();
|
||||||
this.request = null;
|
this.request = null;
|
||||||
this.url = '';
|
this.url = '';
|
||||||
@ -203,7 +203,9 @@ export class Stream {
|
|||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
this.request = stream;
|
this.request = stream;
|
||||||
stream.pipe(this.stream, { end: false });
|
stream.on('data', (c) => {
|
||||||
|
this.stream.push(c);
|
||||||
|
});
|
||||||
|
|
||||||
stream.once('error', async (err) => {
|
stream.once('error', async (err) => {
|
||||||
this.cleanup();
|
this.cleanup();
|
||||||
|
|||||||
@ -1,5 +1,5 @@
|
|||||||
import { getPlaylistVideos, getContinuationToken } from '../utils/extractor';
|
import { getPlaylistVideos, getContinuationToken } from '../utils/extractor';
|
||||||
import { request } from '../utils/request';
|
import { request } from '../../Request';
|
||||||
import { YouTubeChannel } from './Channel';
|
import { YouTubeChannel } from './Channel';
|
||||||
import { YouTubeVideo } from './Video';
|
import { YouTubeVideo } from './Video';
|
||||||
const BASE_API = 'https://www.youtube.com/youtubei/v1/browse?key=';
|
const BASE_API = 'https://www.youtube.com/youtubei/v1/browse?key=';
|
||||||
|
|||||||
@ -1,4 +1,4 @@
|
|||||||
import { request } from './utils/request';
|
import { request } from './../Request';
|
||||||
import { ParseSearchInterface, ParseSearchResult } from './utils/parser';
|
import { ParseSearchInterface, ParseSearchResult } from './utils/parser';
|
||||||
import { YouTubeVideo } from './classes/Video';
|
import { YouTubeVideo } from './classes/Video';
|
||||||
import { YouTubeChannel } from './classes/Channel';
|
import { YouTubeChannel } from './classes/Channel';
|
||||||
|
|||||||
@ -1,6 +1,6 @@
|
|||||||
import { video_info } from '.';
|
import { video_info } from '.';
|
||||||
import { LiveStreaming, Stream } from './classes/LiveStream';
|
import { LiveStreaming, Stream } from './classes/LiveStream';
|
||||||
import { Proxy } from './utils/request';
|
import { ProxyOptions as Proxy } from './../Request';
|
||||||
|
|
||||||
export enum StreamType {
|
export enum StreamType {
|
||||||
Arbitrary = 'arbitrary',
|
Arbitrary = 'arbitrary',
|
||||||
|
|||||||
@ -1,5 +1,5 @@
|
|||||||
import { URL } from 'url';
|
import { URL } from 'url';
|
||||||
import { request } from './request';
|
import { request } from './../../Request';
|
||||||
import querystring from 'querystring';
|
import querystring from 'querystring';
|
||||||
|
|
||||||
interface formatOptions {
|
interface formatOptions {
|
||||||
|
|||||||
@ -3,10 +3,12 @@ import fs from 'fs';
|
|||||||
let youtubeData: youtubeDataOptions;
|
let youtubeData: youtubeDataOptions;
|
||||||
if (fs.existsSync('.data/youtube.data')) {
|
if (fs.existsSync('.data/youtube.data')) {
|
||||||
youtubeData = JSON.parse(fs.readFileSync('.data/youtube.data').toString());
|
youtubeData = JSON.parse(fs.readFileSync('.data/youtube.data').toString());
|
||||||
|
youtubeData.file = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
interface youtubeDataOptions {
|
interface youtubeDataOptions {
|
||||||
cookie?: Object;
|
cookie?: Object;
|
||||||
|
file?: boolean;
|
||||||
}
|
}
|
||||||
|
|
||||||
export function getCookies(): undefined | string {
|
export function getCookies(): undefined | string {
|
||||||
@ -27,5 +29,20 @@ export function setCookie(key: string, value: string): boolean {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export function uploadCookie() {
|
export function uploadCookie() {
|
||||||
if (youtubeData) fs.writeFileSync('.data/youtube.data', JSON.stringify(youtubeData, undefined, 4));
|
if (youtubeData.cookie && youtubeData.file)
|
||||||
|
fs.writeFileSync('.data/youtube.data', JSON.stringify(youtubeData, undefined, 4));
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setCookieToken(options: { cookie: string }) {
|
||||||
|
let cook = options.cookie;
|
||||||
|
let cookie: Object = {};
|
||||||
|
cook.split(';').forEach((x) => {
|
||||||
|
const arr = x.split('=');
|
||||||
|
if (arr.length <= 1) return;
|
||||||
|
const key = arr.shift()?.trim() as string;
|
||||||
|
const value = arr.join('=').trim();
|
||||||
|
Object.assign(cookie, { [key]: value });
|
||||||
|
});
|
||||||
|
youtubeData = { cookie };
|
||||||
|
youtubeData.file = false;
|
||||||
}
|
}
|
||||||
|
|||||||
@ -1,4 +1,4 @@
|
|||||||
import { Proxy, request } from './request';
|
import { ProxyOptions as Proxy, request } from './../../Request/index';
|
||||||
import { format_decipher } from './cipher';
|
import { format_decipher } from './cipher';
|
||||||
import { YouTubeVideo } from '../classes/Video';
|
import { YouTubeVideo } from '../classes/Video';
|
||||||
import { YouTubePlayList } from '../classes/Playlist';
|
import { YouTubePlayList } from '../classes/Playlist';
|
||||||
@ -13,12 +13,12 @@ interface PlaylistOptions {
|
|||||||
}
|
}
|
||||||
|
|
||||||
const video_id_pattern = /^[a-zA-Z\d_-]{11,12}$/;
|
const video_id_pattern = /^[a-zA-Z\d_-]{11,12}$/;
|
||||||
const playlist_id_pattern = /^PL[a-zA-Z\d_-]{32}$/;
|
const playlist_id_pattern = /^PL[a-zA-Z\d_-]{16,41}$/;
|
||||||
const DEFAULT_API_KEY = 'AIzaSyAO_FJ2SlqU8Q4STEHLGCilw_Y9_11qcW8';
|
const DEFAULT_API_KEY = 'AIzaSyAO_FJ2SlqU8Q4STEHLGCilw_Y9_11qcW8';
|
||||||
const video_pattern =
|
const video_pattern =
|
||||||
/^((?:https?:)?\/\/)?(?:(?:www|m)\.)?((?:youtube\.com|youtu.be))(\/(?:[\w\-]+\?v=|embed\/|v\/)?)([\w\-]+)(\S+)?$/;
|
/^((?:https?:)?\/\/)?(?:(?:www|m)\.)?((?:youtube\.com|youtu.be))(\/(?:[\w\-]+\?v=|embed\/|v\/)?)([\w\-]+)(\S+)?$/;
|
||||||
const playlist_pattern =
|
const playlist_pattern =
|
||||||
/^((?:https?:)?\/\/)?(?:(?:www|m)\.)?(youtube\.com)\/(?:(playlist|watch))(.*)?((\?|\&)list=)PL[a-zA-Z\d_-]{32}(.*)?$/;
|
/^((?:https?:)?\/\/)?(?:(?:www|m)\.)?(youtube\.com)\/(?:(playlist|watch))(.*)?((\?|\&)list=)PL[a-zA-Z\d_-]{16,41}(.*)?$/;
|
||||||
/**
|
/**
|
||||||
* Command to validate a YouTube url
|
* Command to validate a YouTube url
|
||||||
* @param url Url for validation
|
* @param url Url for validation
|
||||||
@ -28,7 +28,11 @@ export function yt_validate(url: string): 'playlist' | 'video' | 'search' | fals
|
|||||||
if (url.indexOf('list=') === -1) {
|
if (url.indexOf('list=') === -1) {
|
||||||
if (url.startsWith('https')) {
|
if (url.startsWith('https')) {
|
||||||
if (url.match(video_pattern)) {
|
if (url.match(video_pattern)) {
|
||||||
const id = url.split('v=')[1].split('&')[0];
|
let id: string;
|
||||||
|
if (url.includes('youtu.be/')) id = url.split('youtu.be/')[1].split(/(\?|\/|&)/)[0];
|
||||||
|
else if (url.includes('youtube.com/embed/'))
|
||||||
|
id = url.split('youtube.com/embed/')[1].split(/(\?|\/|&)/)[0];
|
||||||
|
else id = url.split('watch?v=')[1].split(/(\?|\/|&)/)[0];
|
||||||
if (id.match(video_id_pattern)) return 'video';
|
if (id.match(video_id_pattern)) return 'video';
|
||||||
else return false;
|
else return false;
|
||||||
} else return false;
|
} else return false;
|
||||||
@ -39,10 +43,7 @@ export function yt_validate(url: string): 'playlist' | 'video' | 'search' | fals
|
|||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
if (!url.match(playlist_pattern)) return false;
|
if (!url.match(playlist_pattern)) return false;
|
||||||
const Playlist_id = url.split('list=')[1].split('&')[0];
|
else return 'playlist';
|
||||||
if (Playlist_id.length !== 34 || !Playlist_id.startsWith('PL')) {
|
|
||||||
return false;
|
|
||||||
} else return 'playlist';
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
/**
|
/**
|
||||||
@ -56,9 +57,10 @@ export function extractID(url: string): string {
|
|||||||
if (url.startsWith('https')) {
|
if (url.startsWith('https')) {
|
||||||
if (url.indexOf('list=') === -1) {
|
if (url.indexOf('list=') === -1) {
|
||||||
let video_id: string;
|
let video_id: string;
|
||||||
if (url.includes('youtu.be/')) video_id = url.split('youtu.be/')[1].split('/')[0];
|
if (url.includes('youtu.be/')) video_id = url.split('youtu.be/')[1].split(/(\?|\/|&)/)[0];
|
||||||
else if (url.includes('youtube.com/embed/')) video_id = url.split('youtube.com/embed/')[1].split('/')[0];
|
else if (url.includes('youtube.com/embed/'))
|
||||||
else video_id = url.split('watch?v=')[1].split('&')[0];
|
video_id = url.split('youtube.com/embed/')[1].split(/(\?|\/|&)/)[0];
|
||||||
|
else video_id = url.split('watch?v=')[1].split(/(\?|\/|&)/)[0];
|
||||||
return video_id;
|
return video_id;
|
||||||
} else {
|
} else {
|
||||||
return url.split('list=')[1].split('&')[0];
|
return url.split('list=')[1].split('&')[0];
|
||||||
@ -76,7 +78,7 @@ export async function video_basic_info(url: string, options: InfoOptions = {}) {
|
|||||||
let video_id: string = extractID(url);
|
let video_id: string = extractID(url);
|
||||||
const new_url = `https://www.youtube.com/watch?v=${video_id}&has_verified=1`;
|
const new_url = `https://www.youtube.com/watch?v=${video_id}&has_verified=1`;
|
||||||
const body = await request(new_url, {
|
const body = await request(new_url, {
|
||||||
proxies: options.proxy ?? undefined,
|
proxies: options.proxy ?? [],
|
||||||
headers: { 'accept-language': 'en-US,en-IN;q=0.9,en;q=0.8,hi;q=0.7' },
|
headers: { 'accept-language': 'en-US,en-IN;q=0.9,en;q=0.8,hi;q=0.7' },
|
||||||
cookies: true
|
cookies: true
|
||||||
});
|
});
|
||||||
|
|||||||
@ -1,249 +0,0 @@
|
|||||||
import https, { RequestOptions } from 'https';
|
|
||||||
import tls from 'tls';
|
|
||||||
import http, { ClientRequest, IncomingMessage } from 'http';
|
|
||||||
import { URL } from 'url';
|
|
||||||
import { getCookies, setCookie, uploadCookie } from './cookie';
|
|
||||||
/**
|
|
||||||
* Types for Proxy
|
|
||||||
*/
|
|
||||||
export type Proxy = ProxyOpts | string;
|
|
||||||
|
|
||||||
interface ProxyOpts {
|
|
||||||
host: string;
|
|
||||||
port: number;
|
|
||||||
authentication?: {
|
|
||||||
username: string;
|
|
||||||
password: string;
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
interface ProxyOutput {
|
|
||||||
statusCode: number;
|
|
||||||
head: string[];
|
|
||||||
body: string;
|
|
||||||
}
|
|
||||||
|
|
||||||
interface RequestOpts extends RequestOptions {
|
|
||||||
body?: string;
|
|
||||||
method?: 'GET' | 'POST';
|
|
||||||
proxies?: Proxy[];
|
|
||||||
cookies?: boolean;
|
|
||||||
}
|
|
||||||
/**
|
|
||||||
* Main module that play-dl uses for making a https request
|
|
||||||
* @param req_url URL to make https request to
|
|
||||||
* @param options Request options for https request
|
|
||||||
* @returns Incoming Message from the https request
|
|
||||||
*/
|
|
||||||
function https_getter(req_url: string, options: RequestOpts = {}): Promise<IncomingMessage> {
|
|
||||||
return new Promise((resolve, reject) => {
|
|
||||||
const s = new URL(req_url);
|
|
||||||
options.method ??= 'GET';
|
|
||||||
const req_options: RequestOptions = {
|
|
||||||
host: s.hostname,
|
|
||||||
path: s.pathname + s.search,
|
|
||||||
headers: options.headers ?? {},
|
|
||||||
method: options.method
|
|
||||||
};
|
|
||||||
|
|
||||||
const req = https.request(req_options, resolve);
|
|
||||||
req.on('error', (err) => {
|
|
||||||
reject(err);
|
|
||||||
});
|
|
||||||
if (options.method === 'POST') req.write(options.body);
|
|
||||||
req.end();
|
|
||||||
});
|
|
||||||
}
|
|
||||||
/**
|
|
||||||
* Chooses one random number between max and min number.
|
|
||||||
* @param min Minimum number
|
|
||||||
* @param max Maximum number
|
|
||||||
* @returns Random Number
|
|
||||||
*/
|
|
||||||
function randomIntFromInterval(min: number, max: number): number {
|
|
||||||
let x = Math.floor(Math.random() * (max - min + 1) + min);
|
|
||||||
if (x === 0) return 0;
|
|
||||||
else return x - 1;
|
|
||||||
}
|
|
||||||
/**
|
|
||||||
* Main module that play-dl uses for proxy.
|
|
||||||
* @param req_url URL to make https request to
|
|
||||||
* @param req_proxy Proxies array
|
|
||||||
* @returns Object with statusCode, head and body
|
|
||||||
*/
|
|
||||||
async function proxy_getter(req_url: string, req_proxy: Proxy[]): Promise<ProxyOutput> {
|
|
||||||
return new Promise((resolve, reject) => {
|
|
||||||
const proxy: string | ProxyOpts = req_proxy[randomIntFromInterval(0, req_proxy.length)];
|
|
||||||
const parsed_url = new URL(req_url);
|
|
||||||
let opts: ProxyOpts;
|
|
||||||
if (typeof proxy === 'string') {
|
|
||||||
const parsed = new URL(proxy);
|
|
||||||
opts = {
|
|
||||||
host: parsed.hostname,
|
|
||||||
port: Number(parsed.port),
|
|
||||||
authentication: {
|
|
||||||
username: parsed.username,
|
|
||||||
password: parsed.password
|
|
||||||
}
|
|
||||||
};
|
|
||||||
} else opts = proxy;
|
|
||||||
let req: ClientRequest;
|
|
||||||
if (opts.authentication?.username.length === 0) {
|
|
||||||
req = http.request({
|
|
||||||
host: opts.host,
|
|
||||||
port: opts.port,
|
|
||||||
method: 'CONNECT',
|
|
||||||
path: `${parsed_url.host}:443`
|
|
||||||
});
|
|
||||||
} else {
|
|
||||||
req = http.request({
|
|
||||||
host: opts.host,
|
|
||||||
port: opts.port,
|
|
||||||
method: 'CONNECT',
|
|
||||||
path: `${parsed_url.host}:443`,
|
|
||||||
headers: {
|
|
||||||
'Proxy-Authorization': `Basic ${Buffer.from(
|
|
||||||
`${opts.authentication?.username}:${opts.authentication?.password}`
|
|
||||||
).toString('base64')}`
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
|
|
||||||
req.on('connect', function (res, socket, head) {
|
|
||||||
const tlsConnection = tls.connect(
|
|
||||||
{
|
|
||||||
host: parsed_url.hostname,
|
|
||||||
port: 443,
|
|
||||||
socket: socket,
|
|
||||||
rejectUnauthorized: false
|
|
||||||
},
|
|
||||||
function () {
|
|
||||||
tlsConnection.write(
|
|
||||||
`GET ${parsed_url.pathname}${parsed_url.search} HTTP/1.1\r\n` +
|
|
||||||
`Host : ${parsed_url.hostname}\r\n` +
|
|
||||||
'Connection: close\r\n' +
|
|
||||||
'\r\n'
|
|
||||||
);
|
|
||||||
}
|
|
||||||
);
|
|
||||||
|
|
||||||
tlsConnection.setEncoding('utf-8');
|
|
||||||
let data = '';
|
|
||||||
tlsConnection.once('error', (e) => reject(e));
|
|
||||||
tlsConnection.on('data', (c) => (data += c));
|
|
||||||
tlsConnection.on('end', () => {
|
|
||||||
const y = data.split('\r\n\r\n');
|
|
||||||
const head = y.shift() as string;
|
|
||||||
resolve({
|
|
||||||
statusCode: Number(head.split('\n')[0].split(' ')[1]),
|
|
||||||
head: head.split('\r\n'),
|
|
||||||
body: y.join('\n')
|
|
||||||
});
|
|
||||||
});
|
|
||||||
});
|
|
||||||
req.on('error', (e: Error) => reject(e));
|
|
||||||
req.end();
|
|
||||||
});
|
|
||||||
}
|
|
||||||
/**
|
|
||||||
* Main module which play-dl uses to make a proxy or normal request
|
|
||||||
* @param url URL to make https request to
|
|
||||||
* @param options Request options for https request
|
|
||||||
* @returns body of that request
|
|
||||||
*/
|
|
||||||
export async function request(url: string, options: RequestOpts = {}): Promise<string> {
|
|
||||||
return new Promise(async (resolve, reject) => {
|
|
||||||
if (!options?.proxies || options.proxies.length === 0) {
|
|
||||||
let data = '';
|
|
||||||
let cookies_added = false;
|
|
||||||
if (options.cookies) {
|
|
||||||
let cook = getCookies();
|
|
||||||
if (typeof cook === 'string' && options.headers) {
|
|
||||||
Object.assign(options.headers, { cookie: cook });
|
|
||||||
cookies_added = true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
let res = await https_getter(url, options).catch((err: Error) => err);
|
|
||||||
if (res instanceof Error) {
|
|
||||||
reject(res);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (res.headers && res.headers['set-cookie'] && cookies_added) {
|
|
||||||
res.headers['set-cookie'].forEach((x) => {
|
|
||||||
x.split(';').forEach((x) => {
|
|
||||||
const arr = x.split('=');
|
|
||||||
if (arr.length <= 1) return;
|
|
||||||
const key = arr.shift()?.trim() as string;
|
|
||||||
const value = arr.join('=').trim();
|
|
||||||
setCookie(key, value);
|
|
||||||
});
|
|
||||||
});
|
|
||||||
uploadCookie();
|
|
||||||
}
|
|
||||||
if (Number(res.statusCode) >= 300 && Number(res.statusCode) < 400) {
|
|
||||||
res = await https_getter(res.headers.location as string, options);
|
|
||||||
} else if (Number(res.statusCode) > 400) {
|
|
||||||
reject(new Error(`Got ${res.statusCode} from the request`));
|
|
||||||
}
|
|
||||||
res.setEncoding('utf-8');
|
|
||||||
res.on('data', (c) => (data += c));
|
|
||||||
res.on('end', () => resolve(data));
|
|
||||||
} else {
|
|
||||||
let cookies_added = false;
|
|
||||||
if (options.cookies) {
|
|
||||||
let cook = getCookies();
|
|
||||||
if (typeof cook === 'string' && options.headers) {
|
|
||||||
Object.assign(options.headers, { cookie: cook });
|
|
||||||
cookies_added = true;
|
|
||||||
}
|
|
||||||
}
|
|
||||||
let res = await proxy_getter(url, options.proxies).catch((e: Error) => e);
|
|
||||||
if (res instanceof Error) {
|
|
||||||
reject(res);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (res.head && cookies_added) {
|
|
||||||
let cookies = res.head.filter((x) => x.toLocaleLowerCase().startsWith('set-cookie: '));
|
|
||||||
cookies.forEach((x) => {
|
|
||||||
x.toLocaleLowerCase()
|
|
||||||
.split('set-cookie: ')[1]
|
|
||||||
.split(';')
|
|
||||||
.forEach((y) => {
|
|
||||||
const arr = y.split('=');
|
|
||||||
if (arr.length <= 1) return;
|
|
||||||
const key = arr.shift()?.trim() as string;
|
|
||||||
const value = arr.join('=').trim();
|
|
||||||
setCookie(key, value);
|
|
||||||
});
|
|
||||||
});
|
|
||||||
uploadCookie();
|
|
||||||
}
|
|
||||||
if (res.statusCode >= 300 && res.statusCode < 400) {
|
|
||||||
let url = res.head.filter((x) => x.startsWith('Location: '));
|
|
||||||
res = await proxy_getter(url[0].split('\n')[0], options.proxies);
|
|
||||||
} else if (res.statusCode > 400) {
|
|
||||||
reject(new Error(`GOT ${res.statusCode} from proxy request`));
|
|
||||||
}
|
|
||||||
resolve(res.body);
|
|
||||||
}
|
|
||||||
});
|
|
||||||
}
|
|
||||||
/**
|
|
||||||
* Main module which play-dl uses to make a request to stream url.
|
|
||||||
* @param url URL to make https request to
|
|
||||||
* @param options Request options for https request
|
|
||||||
* @returns IncomingMessage from the request
|
|
||||||
*/
|
|
||||||
export async function request_stream(url: string, options?: RequestOpts): Promise<IncomingMessage> {
|
|
||||||
return new Promise(async (resolve, reject) => {
|
|
||||||
let res = await https_getter(url, options).catch((err: Error) => err);
|
|
||||||
if (res instanceof Error) {
|
|
||||||
reject(res);
|
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (Number(res.statusCode) >= 300 && Number(res.statusCode) < 400) {
|
|
||||||
res = await https_getter(res.headers.location as string, options);
|
|
||||||
}
|
|
||||||
resolve(res);
|
|
||||||
});
|
|
||||||
}
|
|
||||||
171
play-dl/index.ts
171
play-dl/index.ts
@ -1,6 +1,7 @@
|
|||||||
export { playlist_info, video_basic_info, video_info, yt_validate, extractID, YouTube, YouTubeStream } from './YouTube';
|
export { playlist_info, video_basic_info, video_info, yt_validate, extractID, YouTube, YouTubeStream } from './YouTube';
|
||||||
export { spotify, sp_validate, refreshToken, is_expired, Spotify } from './Spotify';
|
export { spotify, sp_validate, refreshToken, is_expired, Spotify } from './Spotify';
|
||||||
export { soundcloud, so_validate, SoundCloud, SoundCloudStream } from './SoundCloud';
|
export { soundcloud, so_validate, SoundCloud, SoundCloudStream } from './SoundCloud';
|
||||||
|
export { setToken } from './token';
|
||||||
|
|
||||||
enum AudioPlayerStatus {
|
enum AudioPlayerStatus {
|
||||||
Idle = 'idle',
|
Idle = 'idle',
|
||||||
@ -114,97 +115,117 @@ export function authorization(): void {
|
|||||||
input: process.stdin,
|
input: process.stdin,
|
||||||
output: process.stdout
|
output: process.stdout
|
||||||
});
|
});
|
||||||
ask.question('Choose your service - sc (for SoundCloud) / sp (for Spotify) / yo (for YouTube): ', (msg) => {
|
ask.question('Do you want to save data in a file ? (Yes / No): ', (msg) => {
|
||||||
if (msg.toLowerCase().startsWith('sp')) {
|
let file: boolean;
|
||||||
let client_id: string, client_secret: string, redirect_url: string, market: string;
|
if (msg.toLowerCase() === 'yes') file = true;
|
||||||
ask.question('Start by entering your Client ID : ', (id) => {
|
else if (msg.toLowerCase() === 'no') file = false;
|
||||||
client_id = id;
|
else {
|
||||||
ask.question('Now enter your Client Secret : ', (secret) => {
|
console.log("That option doesn't exist. Try again...");
|
||||||
client_secret = secret;
|
ask.close();
|
||||||
ask.question('Enter your Redirect URL now : ', (url) => {
|
return;
|
||||||
redirect_url = url;
|
}
|
||||||
console.log(
|
ask.question('Choose your service - sc (for SoundCloud) / sp (for Spotify) / yo (for YouTube): ', (msg) => {
|
||||||
'\nIf you would like to know your region code visit : \nhttps://en.wikipedia.org/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements \n'
|
if (msg.toLowerCase().startsWith('sp')) {
|
||||||
);
|
let client_id: string, client_secret: string, redirect_url: string, market: string;
|
||||||
ask.question('Enter your region code (2-letter country code) : ', (mar) => {
|
ask.question('Start by entering your Client ID : ', (id) => {
|
||||||
if (mar.length === 2) market = mar;
|
client_id = id;
|
||||||
else {
|
ask.question('Now enter your Client Secret : ', (secret) => {
|
||||||
|
client_secret = secret;
|
||||||
|
ask.question('Enter your Redirect URL now : ', (url) => {
|
||||||
|
redirect_url = url;
|
||||||
|
console.log(
|
||||||
|
'\nIf you would like to know your region code visit : \nhttps://en.wikipedia.org/wiki/ISO_3166-1_alpha-2#Officially_assigned_code_elements \n'
|
||||||
|
);
|
||||||
|
ask.question('Enter your region code (2-letter country code) : ', (mar) => {
|
||||||
|
if (mar.length === 2) market = mar;
|
||||||
|
else {
|
||||||
|
console.log(
|
||||||
|
"That doesn't look like a valid region code, IN will be selected as default."
|
||||||
|
);
|
||||||
|
market = 'IN';
|
||||||
|
}
|
||||||
console.log(
|
console.log(
|
||||||
"That doesn't look like a valid region code, IN will be selected as default."
|
'\nNow open your browser and paste the below url, then authorize it and copy the redirected url. \n'
|
||||||
);
|
);
|
||||||
market = 'IN';
|
console.log(
|
||||||
}
|
`https://accounts.spotify.com/authorize?client_id=${client_id}&response_type=code&redirect_uri=${encodeURI(
|
||||||
console.log(
|
redirect_url
|
||||||
'\nNow open your browser and paste the below url, then authorize it and copy the redirected url. \n'
|
)} \n`
|
||||||
);
|
);
|
||||||
console.log(
|
ask.question('Paste the url which you just copied : ', async (url) => {
|
||||||
`https://accounts.spotify.com/authorize?client_id=${client_id}&response_type=code&redirect_uri=${encodeURI(
|
if (!fs.existsSync('.data')) fs.mkdirSync('.data');
|
||||||
redirect_url
|
const spotifyData = {
|
||||||
)} \n`
|
client_id,
|
||||||
);
|
client_secret,
|
||||||
ask.question('Paste the url which you just copied : ', async (url) => {
|
redirect_url,
|
||||||
if (!fs.existsSync('.data')) fs.mkdirSync('.data');
|
authorization_code: url.split('code=')[1],
|
||||||
const spotifyData = {
|
market
|
||||||
client_id,
|
};
|
||||||
client_secret,
|
const check = await SpotifyAuthorize(spotifyData, file);
|
||||||
redirect_url,
|
if (check === false) throw new Error('Failed to get access token.');
|
||||||
authorization_code: url.split('code=')[1],
|
ask.close();
|
||||||
market
|
});
|
||||||
};
|
|
||||||
const check = await SpotifyAuthorize(spotifyData);
|
|
||||||
if (check === false) throw new Error('Failed to get access token.');
|
|
||||||
ask.close();
|
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
});
|
} else if (msg.toLowerCase().startsWith('sc')) {
|
||||||
} else if (msg.toLowerCase().startsWith('sc')) {
|
if (!file) {
|
||||||
ask.question('Client ID : ', async (id) => {
|
console.log('You already had a client ID, just paste that in setToken function.');
|
||||||
let client_id = id;
|
|
||||||
if (!client_id) {
|
|
||||||
console.log("You didn't provide a client ID. Try again...");
|
|
||||||
ask.close();
|
ask.close();
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
if (!fs.existsSync('.data')) fs.mkdirSync('.data');
|
ask.question('Client ID : ', async (id) => {
|
||||||
console.log('Validating your client ID, hold on...');
|
let client_id = id;
|
||||||
if (await check_id(client_id)) {
|
if (!client_id) {
|
||||||
console.log('Client ID has been validated successfully.');
|
console.log("You didn't provide a client ID. Try again...");
|
||||||
fs.writeFileSync('.data/soundcloud.data', JSON.stringify({ client_id }, undefined, 4));
|
ask.close();
|
||||||
} else console.log("That doesn't look like a valid client ID. Retry with a correct client ID.");
|
return;
|
||||||
ask.close();
|
}
|
||||||
});
|
if (!fs.existsSync('.data')) fs.mkdirSync('.data');
|
||||||
} else if (msg.toLowerCase().startsWith('yo')) {
|
console.log('Validating your client ID, hold on...');
|
||||||
ask.question('Cookies : ', (cook: string) => {
|
if (await check_id(client_id)) {
|
||||||
if (!cook || cook.length === 0) {
|
console.log('Client ID has been validated successfully.');
|
||||||
console.log("You didn't provide a cookie. Try again...");
|
fs.writeFileSync('.data/soundcloud.data', JSON.stringify({ client_id }, undefined, 4));
|
||||||
|
} else console.log("That doesn't look like a valid client ID. Retry with a correct client ID.");
|
||||||
ask.close();
|
ask.close();
|
||||||
return;
|
|
||||||
}
|
|
||||||
if (!fs.existsSync('.data')) fs.mkdirSync('.data');
|
|
||||||
console.log('Cookies has been added successfully.');
|
|
||||||
let cookie: Object = {};
|
|
||||||
cook.split(';').forEach((x) => {
|
|
||||||
const arr = x.split('=');
|
|
||||||
if (arr.length <= 1) return;
|
|
||||||
const key = arr.shift()?.trim() as string;
|
|
||||||
const value = arr.join('=').trim();
|
|
||||||
Object.assign(cookie, { [key]: value });
|
|
||||||
});
|
});
|
||||||
fs.writeFileSync('.data/youtube.data', JSON.stringify({ cookie }, undefined, 4));
|
} else if (msg.toLowerCase().startsWith('yo')) {
|
||||||
|
if (!file) {
|
||||||
|
console.log('You already had cookie, just paste that in setToken function.');
|
||||||
|
ask.close();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
ask.question('Cookies : ', (cook: string) => {
|
||||||
|
if (!cook || cook.length === 0) {
|
||||||
|
console.log("You didn't provide a cookie. Try again...");
|
||||||
|
ask.close();
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
if (!fs.existsSync('.data')) fs.mkdirSync('.data');
|
||||||
|
console.log('Cookies has been added successfully.');
|
||||||
|
let cookie: Object = {};
|
||||||
|
cook.split(';').forEach((x) => {
|
||||||
|
const arr = x.split('=');
|
||||||
|
if (arr.length <= 1) return;
|
||||||
|
const key = arr.shift()?.trim() as string;
|
||||||
|
const value = arr.join('=').trim();
|
||||||
|
Object.assign(cookie, { [key]: value });
|
||||||
|
});
|
||||||
|
fs.writeFileSync('.data/youtube.data', JSON.stringify({ cookie }, undefined, 4));
|
||||||
|
ask.close();
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
console.log("That option doesn't exist. Try again...");
|
||||||
ask.close();
|
ask.close();
|
||||||
});
|
}
|
||||||
} else {
|
});
|
||||||
console.log("That option doesn't exist. Try again...");
|
|
||||||
ask.close();
|
|
||||||
}
|
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
export function attachListeners(player: EventEmitter, resource: YouTubeStream | SoundCloudStream) {
|
export function attachListeners(player: EventEmitter, resource: YouTubeStream | SoundCloudStream) {
|
||||||
const pauseListener = () => resource.pause()
|
const pauseListener = () => resource.pause();
|
||||||
const resumeListener = () => resource.resume()
|
const resumeListener = () => resource.resume();
|
||||||
player.on(AudioPlayerStatus.Paused, pauseListener);
|
player.on(AudioPlayerStatus.Paused, pauseListener);
|
||||||
player.on(AudioPlayerStatus.AutoPaused, pauseListener);
|
player.on(AudioPlayerStatus.AutoPaused, pauseListener);
|
||||||
player.on(AudioPlayerStatus.Playing, resumeListener);
|
player.on(AudioPlayerStatus.Playing, resumeListener);
|
||||||
|
|||||||
24
play-dl/token.ts
Normal file
24
play-dl/token.ts
Normal file
@ -0,0 +1,24 @@
|
|||||||
|
import { setSoundCloudToken } from './SoundCloud';
|
||||||
|
import { setSpotifyToken } from './Spotify';
|
||||||
|
import { setCookieToken } from './YouTube/utils/cookie';
|
||||||
|
|
||||||
|
interface tokenOptions {
|
||||||
|
spotify?: {
|
||||||
|
client_id: string;
|
||||||
|
client_secret: string;
|
||||||
|
refresh_token: string;
|
||||||
|
market: string;
|
||||||
|
};
|
||||||
|
soundcloud?: {
|
||||||
|
client_id: string;
|
||||||
|
};
|
||||||
|
youtube?: {
|
||||||
|
cookie: string;
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
export function setToken(options: tokenOptions) {
|
||||||
|
if (options.spotify) setSpotifyToken(options.spotify);
|
||||||
|
if (options.soundcloud) setSoundCloudToken(options.soundcloud);
|
||||||
|
if (options.youtube) setCookieToken(options.youtube);
|
||||||
|
}
|
||||||
Loading…
x
Reference in New Issue
Block a user