cloudflare/ts/cloudflare.classes.account.ts

240 lines
7.9 KiB
TypeScript
Raw Normal View History

import plugins = require('./cloudflare.plugins');
2019-07-18 15:12:03 +00:00
import * as interfaces from './interfaces';
// interfaces
2019-07-18 09:51:56 +00:00
import { WorkerManager } from './cloudflare.classes.workermanager';
import { ZoneManager } from './cloudflare.classes.zonemanager';
export class CloudflareAccount {
2020-02-19 16:58:46 +00:00
private authToken: string;
2019-07-18 12:25:10 +00:00
private accountIdentifier: string;
2019-07-18 09:51:56 +00:00
public workerManager = new WorkerManager(this);
public zoneManager = new ZoneManager(this);
2019-07-18 12:25:10 +00:00
/**
* constructor sets auth information on the CloudflareAccountInstance
* @param optionsArg
*/
2020-02-19 16:58:46 +00:00
constructor(authTokenArg: string) {
this.authToken = authTokenArg
}
/**
* gets you the account identifier
*/
2019-07-18 12:25:10 +00:00
public async getAccountIdentifier() {
2019-07-18 15:12:03 +00:00
if (!this.accountIdentifier) {
const route = `/accounts?page=1&per_page=20&direction=desc`;
const response: any = await this.request('GET', route);
this.accountIdentifier = response.result[0].id;
}
2019-07-18 12:25:10 +00:00
return this.accountIdentifier;
}
/**
* gets a zone id of a domain from cloudflare
* @param domainName
*/
2019-07-18 09:51:56 +00:00
public async getZoneId(domainName: string) {
const domain = new plugins.smartstring.Domain(domainName);
const zoneArray = await this.convenience.listZones(domain.zoneName);
2019-07-18 09:51:56 +00:00
const filteredResponse = zoneArray.filter(zoneArg => {
return zoneArg.name === domainName;
});
if (filteredResponse.length >= 1) {
return filteredResponse[0].id;
} else {
2019-07-18 09:51:56 +00:00
plugins.smartlog.defaultLogger.log(
'error',
`the domain ${domainName} does not appear to be in this account!`
);
throw new Error(`the domain ${domainName} does not appear to be in this account!`);
}
}
public convenience = {
/**
* gets a record
* @param domainNameArg
* @param typeArg
*/
getRecord: async (
domainNameArg: string,
2020-02-19 14:16:23 +00:00
typeArg: plugins.tsclass.network.TDnsRecordType
): Promise<interfaces.ICflareRecord> => {
const domain = new plugins.smartstring.Domain(domainNameArg);
const recordArrayArg = await this.convenience.listRecords(domain.zoneName);
const filteredResponse = recordArrayArg.filter(recordArg => {
return recordArg.type === typeArg && recordArg.name === domainNameArg;
});
return filteredResponse[0];
},
/**
* creates a record
*/
createRecord: async (
domainNameArg: string,
2020-02-19 14:16:23 +00:00
typeArg: plugins.tsclass.network.TDnsRecordType,
contentArg: string
): Promise<any> => {
const domain = new plugins.smartstring.Domain(domainNameArg);
const domainIdArg = await this.getZoneId(domain.zoneName);
const dataObject = {
name: domain.fullName,
type: typeArg,
content: contentArg
};
const response = await this.request(
'POST',
'/zones/' + domainIdArg + '/dns_records',
dataObject
);
return response;
},
/**
* removes a record from Cloudflare
* @param domainNameArg
* @param typeArg
*/
removeRecord: async (
domainNameArg: string,
2020-02-19 14:16:23 +00:00
typeArg: plugins.tsclass.network.TDnsRecordType
): Promise<any> => {
const domain = new plugins.smartstring.Domain(domainNameArg);
const cflareRecord = await this.convenience.getRecord(domain.fullName, typeArg);
if (cflareRecord) {
const requestRoute: string = `/zones/${cflareRecord.zone_id}/dns_records/${cflareRecord.id}`;
return await this.request('DELETE', requestRoute);
} else {
throw new Error(`could not remove record for ${domainNameArg} with type ${typeArg}`);
}
},
2020-02-10 11:26:13 +00:00
/**
* cleanrecord allows the cleaning of any previous records to avoid unwanted sideeffects
*/
2020-02-19 14:16:23 +00:00
cleanRecord: async (domainNameArg: string, typeArg: plugins.tsclass.network.TDnsRecordType) => {
console.log(`cleaning record for ${domainNameArg}`);
2020-02-10 14:40:55 +00:00
},
/**
* updates a record
* @param domainNameArg
* @param typeArg
* @param valueArg
*/
2020-02-19 14:16:23 +00:00
updateRecord: async (domainNameArg: string, typeArg: plugins.tsclass.network.TDnsRecordType, valueArg) => {
// TODO: implement
const domain = new plugins.smartstring.Domain(domainNameArg);
},
/**
* list all records of a specified domain name
* @param domainNameArg - the domain name that you want to get the records from
*/
listRecords: async (domainNameArg: string): Promise<interfaces.ICflareRecord[]> => {
const domain = new plugins.smartstring.Domain(domainNameArg);
const domainId = await this.getZoneId(domain.zoneName);
const responseArg: any = await this.request(
'GET',
'/zones/' + domainId + '/dns_records?per_page=100'
);
const result: interfaces.ICflareRecord[] = responseArg.result;
return result;
},
/**
* list all zones in the associated authenticated account
* @param domainName
*/
listZones: async (domainName?: string): Promise<interfaces.ICflareZone[]> => {
// TODO: handle pagination
let requestRoute = `/zones?per_page=50`;
// may be optionally filtered by domain name
if (domainName) {
requestRoute = `${requestRoute}&name=${domainName}`;
}
const response: any = await this.request('GET', requestRoute);
const result = response.result;
return result;
},
/**
* purges a zone
*/
purgeZone: async (domainName: string): Promise<void> => {
const domain = new plugins.smartstring.Domain(domainName);
const domainId = await this.getZoneId(domain.zoneName);
const requestUrl = `/zones/${domainId}/purge_cache`;
const payload = {
purge_everything: true
};
const respone = await this.request('DELETE', requestUrl, payload);
2020-02-10 11:26:13 +00:00
},
// acme convenience functions
acmeSetDnsChallenge: async (dnsChallenge: plugins.tsclass.network.IDnsChallenge) => {
2020-02-10 14:40:55 +00:00
await this.convenience.cleanRecord(dnsChallenge.hostName, 'TXT');
2020-02-10 11:26:13 +00:00
await this.convenience.createRecord(dnsChallenge.hostName, 'TXT', dnsChallenge.challenge);
},
acmeRemoveDnsChallenge: async (dnsChallenge: plugins.tsclass.network.IDnsChallenge) => {
await this.convenience.removeRecord(dnsChallenge.hostName, 'TXT');
}
};
2019-07-18 15:12:03 +00:00
public request(
methodArg: string,
routeArg: string,
dataArg: any = {},
requestHeadersArg = {}
): Promise<any> {
2019-07-18 09:51:56 +00:00
const done = plugins.smartpromise.defer();
const options: plugins.smartrequest.ISmartRequestOptions = {
method: methodArg,
headers: {
'Content-Type': 'application/json',
2020-02-19 16:58:46 +00:00
'Authorization': `Bearer ${this.authToken}`,
2019-07-18 12:25:10 +00:00
'Content-Length': Buffer.byteLength(JSON.stringify(dataArg)),
...requestHeadersArg
},
2019-07-18 15:12:03 +00:00
requestBody: dataArg
};
2019-07-18 12:25:10 +00:00
// console.log(options);
let retryCount = 0; // count the amount of retries
2019-07-18 09:51:56 +00:00
const makeRequest = async () => {
const response: any = await plugins.smartrequest.request(
`https://api.cloudflare.com/client/v4${routeArg}`,
options
);
if (response.statusCode === 200) {
done.resolve(response.body);
} else if (response.statusCode === 429) {
console.log('rate limited! Waiting for retry!');
retryRequest();
} else if (response.statusCode === 400) {
console.log(`bad request for route ${routeArg}! Going to retry!`);
2019-07-18 12:25:10 +00:00
console.log(response.body);
} else {
console.log(response.statusCode);
done.reject(new Error('request failed'));
}
};
2019-07-18 09:51:56 +00:00
const retryRequest = async (
delayTimeArg = Math.floor(Math.random() * (60000 - 8000) + 8000)
) => {
console.log(`retry started and waiting for ${delayTimeArg} ms`);
await plugins.smartdelay.delayFor(delayTimeArg);
if (retryCount < 10) {
retryCount++;
return await makeRequest();
}
};
makeRequest();
return done.promise;
}
private authCheck() {
2020-02-19 16:58:46 +00:00
return !!this.authToken; // check if auth is available
}
}