biz-a-cli 2.3.52 → 2.3.54
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/bin/directHubEvent.js +31 -16
- package/bin/hub.js +15 -15
- package/bin/hubEvent.js +6 -2
- package/bin/log/debug.log +5 -0
- package/bin/log/error.log +5 -0
- package/bin/log/exception.log +0 -0
- package/bin/log/info.log +5 -0
- package/bin/node +0 -0
- package/log/debug.log +4 -0
- package/log/error.log +4 -0
- package/log/exception.log +0 -0
- package/log/info.log +4 -0
- package/package.json +2 -2
- package/scheduler/timer.js +29 -17
- package/tests/data.test.js +14 -0
- package/tests/hub.test.js +5 -0
- package/tests/mailCtl.test.js +5 -0
- package/tests/timer.test.js +101 -6
- package/tests/watcher.test.js +2 -0
package/bin/directHubEvent.js
CHANGED
|
@@ -2,23 +2,38 @@ import axios from 'axios'
|
|
|
2
2
|
import { IDLE_SOCKET_TIMEOUT_MILLISECONDS } from './hubEvent.js'
|
|
3
3
|
import { Tunnel as QuickTunnel } from 'cloudflared'
|
|
4
4
|
|
|
5
|
-
export async function localhostTunnel(port){
|
|
6
|
-
|
|
7
|
-
|
|
8
|
-
|
|
9
|
-
|
|
10
|
-
|
|
11
|
-
let url = await new Promise((resolve)=>{
|
|
12
|
-
let tunnelURL = ''
|
|
13
|
-
qt.once('url', (qtUrl)=>{console.log('URL obtained');tunnelURL=qtUrl})
|
|
14
|
-
qt.once('connected', (conn)=>{console.log('CONNECTED', conn); resolve(tunnelURL)})
|
|
15
|
-
qt.once('exit', (code)=>{resolve('')})
|
|
16
|
-
qt.once('error', (err)=>{resolve('')})
|
|
5
|
+
export async function localhostTunnel(port, notifier){
|
|
6
|
+
let tunnelUrl = ''
|
|
7
|
+
let qt = QuickTunnel.quick('127.0.0.1:'+port)
|
|
8
|
+
qt.on('url', (qtUrl)=>{
|
|
9
|
+
// console.log('qt url', qtUrl)
|
|
10
|
+
tunnelUrl = qtUrl
|
|
17
11
|
})
|
|
18
|
-
|
|
19
|
-
|
|
20
|
-
|
|
21
|
-
|
|
12
|
+
qt.on('connected', (conn)=>{
|
|
13
|
+
// console.log('qt connect', conn)
|
|
14
|
+
notifier(tunnelUrl)
|
|
15
|
+
})
|
|
16
|
+
qt.on('disconnected', (conn)=>{
|
|
17
|
+
// console.log('qt disconnect', conn)
|
|
18
|
+
qt.stop
|
|
19
|
+
})
|
|
20
|
+
qt.on('error', (err)=>{
|
|
21
|
+
// console.log('qt err', err)
|
|
22
|
+
qt.stop
|
|
23
|
+
})
|
|
24
|
+
qt.on('exit', (code)=>{
|
|
25
|
+
// console.log('qt exit', code)
|
|
26
|
+
notifier('')
|
|
27
|
+
console.log(`${new Date()}: Direct Hub is not available, will try to reinitiate it in 5 minutes`, code)
|
|
28
|
+
setTimeout(()=>{qt = localhostTunnel(port, notifier)}, 5*60000)
|
|
29
|
+
})
|
|
30
|
+
// qt.on('stdout', (data)=>{
|
|
31
|
+
// console.log('qt stdout', data)
|
|
32
|
+
// })
|
|
33
|
+
// qt.on('stderr', (data)=>{
|
|
34
|
+
// console.log('qt stderr', data)
|
|
35
|
+
// })
|
|
36
|
+
return qt
|
|
22
37
|
}
|
|
23
38
|
|
|
24
39
|
export function directHubEvent(serverSocket, argv){
|
package/bin/hub.js
CHANGED
|
@@ -122,7 +122,6 @@ app.set('args', argv);
|
|
|
122
122
|
|
|
123
123
|
app.use('/cb', runCliScript);
|
|
124
124
|
|
|
125
|
-
|
|
126
125
|
// create HTTP(s) Server
|
|
127
126
|
const keyFile = path.join(import.meta.dirname, "../cert/key.pem")
|
|
128
127
|
const certFile = path.join(import.meta.dirname, "../cert/cert.pem")
|
|
@@ -130,32 +129,33 @@ const rootFile = path.join(import.meta.dirname, "../cert/root.pem")
|
|
|
130
129
|
const isHttps = (fs.existsSync(keyFile) && fs.existsSync(certFile) && fs.existsSync(rootFile))
|
|
131
130
|
const getProtocol = ()=>(isHttps ? 'Https://' : 'Http://')
|
|
132
131
|
let server = isHttps ? https.createServer({key: fs.readFileSync(keyFile), cert: fs.readFileSync(certFile), ca: fs.readFileSync(rootFile),}, app) : http.createServer(app)
|
|
133
|
-
|
|
134
|
-
|
|
135
|
-
// publish CLI with tunnel
|
|
136
|
-
argv.publicUrl = (argv.publish==true) ? await localhostTunnel(argv.serverport) : ''
|
|
137
|
-
|
|
138
|
-
// prepare CLI Address
|
|
139
132
|
argv.cliAddress = ()=>{
|
|
140
133
|
const ip = Object.values(os.networkInterfaces()).flat().reduce((ip, {family, address, internal})=> ip || !internal && family==='IPv4' && address, undefined)
|
|
141
134
|
return {ip, port: argv.serverport, address: `${ip}:${argv.serverport}`, publicUrl: argv.publicUrl}
|
|
142
135
|
}
|
|
143
|
-
const cliAddress = argv.cliAddress()
|
|
144
136
|
server.listen(argv.serverport, () => {
|
|
145
|
-
|
|
137
|
+
const info = argv.cliAddress()
|
|
138
|
+
console.log(`${new Date()}: CLI is listening at ${getProtocol() + (process.env.HOST || info.ip || 'localhost')}:${info.port} `);
|
|
146
139
|
});
|
|
147
140
|
|
|
148
|
-
|
|
149
141
|
// BizA CLI as socket client to BizA SERVER
|
|
150
|
-
await hubEvent(ioClient(argv['server'], {query: {cliAddress: cliAddress.address }}), argv);
|
|
142
|
+
await hubEvent(ioClient(argv['server'], {query: {cliAddress: argv.cliAddress().address }}), argv);
|
|
151
143
|
console.log(`${new Date()}: CLI connected to BizA Server using sub domain "${argv['subdomain']}"`)
|
|
152
144
|
|
|
153
|
-
|
|
154
145
|
// BizA CLI as socket server for BizA CLIENT
|
|
155
|
-
const serverCORSOrigin = ['https://biz-a.id', 'https://test.biz-a.id', /\.biz-a\.id$/].concat((process.env.NODE_ENV === 'production') ? [] : [`http://${cliAddress.ip}:4200`, 'http://localhost:4200'])
|
|
156
|
-
// console.log('Allowed Origins', serverCORSOrigin)
|
|
146
|
+
const serverCORSOrigin = ['https://biz-a.id', 'https://test.biz-a.id', /\.biz-a\.id$/].concat((process.env.NODE_ENV === 'production') ? [] : [`http://${argv.cliAddress().ip}:4200`, 'http://localhost:4200'])
|
|
157
147
|
directHubEvent(new ioServer(server, {cors: {origin: serverCORSOrigin}}), argv)
|
|
158
|
-
console.log(`${new Date()}: CLI is listening at "${cliAddress.publicUrl ? cliAddress.publicUrl : cliAddress.address}"`)
|
|
159
148
|
|
|
149
|
+
// publish CLI
|
|
150
|
+
argv.publicUrl = ''
|
|
151
|
+
if (argv.publish==true) {
|
|
152
|
+
localhostTunnel(argv.serverport, (url)=>{
|
|
153
|
+
if (url!==argv.publicUrl) {
|
|
154
|
+
argv.publicUrl = url
|
|
155
|
+
const info = argv.cliAddress()
|
|
156
|
+
console.log(`${new Date()}: CLI is listening at "${info.publicUrl ? info.publicUrl : info.address}"`)
|
|
157
|
+
}
|
|
158
|
+
})
|
|
159
|
+
}
|
|
160
160
|
|
|
161
161
|
export { app }
|
package/bin/hubEvent.js
CHANGED
|
@@ -46,7 +46,10 @@ export default async (socket, argv) => new Promise((resolve, reject) => {
|
|
|
46
46
|
transform(chunk, encoding, next){
|
|
47
47
|
const apiResponse = chunk.toString().toLowerCase()
|
|
48
48
|
const cliAddress = argv.cliAddress()
|
|
49
|
-
if ( (apiResponse.indexOf('200 ok') > -1) && (apiResponse.indexOf('server: datasnaphttpservice') > -1) &&
|
|
49
|
+
if ( (apiResponse.indexOf('200 ok') > -1) && (apiResponse.indexOf('server: datasnaphttpservice') > -1) &&
|
|
50
|
+
// (cliAddress.publicUrl || cliAddress.address) // if we need directHub with local LAN
|
|
51
|
+
(cliAddress.publicUrl)
|
|
52
|
+
) {
|
|
50
53
|
// don't use string to insert additional headers, chunk can have mixed content of string and binary data
|
|
51
54
|
const response = Buffer.from(chunk)
|
|
52
55
|
const delimiter = '\r\n\r\n'
|
|
@@ -56,7 +59,8 @@ export default async (socket, argv) => new Promise((resolve, reject) => {
|
|
|
56
59
|
Buffer.from(
|
|
57
60
|
'\r\n' +
|
|
58
61
|
'Access-Control-Expose-Headers: biza-cli-address\r\n' +
|
|
59
|
-
`biza-cli-address: ${cliAddress.publicUrl ? cliAddress.publicUrl : cliAddress.address}\r\n` +
|
|
62
|
+
// `biza-cli-address: ${cliAddress.publicUrl ? cliAddress.publicUrl : cliAddress.address}\r\n` + // if we need directHub with local LAN
|
|
63
|
+
`biza-cli-address: ${cliAddress.publicUrl}\r\n` +
|
|
60
64
|
'\r\n'
|
|
61
65
|
)
|
|
62
66
|
])
|
|
@@ -0,0 +1,5 @@
|
|
|
1
|
+
{"level":"error","message":"Unhandled Rejection: Error: querySrv EREFUSED _mongodb._tcp.imm-cdm.ohcqt.mongodb.net","stack":"Error: Error: querySrv EREFUSED _mongodb._tcp.imm-cdm.ohcqt.mongodb.net\n at fetchCompanyObjectId (file:///c:/SourceCode/biz-a/cli/scheduler/configController.js:92:15)\n at async getCompanyObjectId (file:///c:/SourceCode/biz-a/cli/scheduler/configController.js:107:29)\n at async Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:51:21)"}
|
|
2
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:70:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:77:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:86:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:85:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
3
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
4
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
5
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:72:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
@@ -0,0 +1,5 @@
|
|
|
1
|
+
{"level":"error","message":"Unhandled Rejection: Error: querySrv EREFUSED _mongodb._tcp.imm-cdm.ohcqt.mongodb.net","stack":"Error: Error: querySrv EREFUSED _mongodb._tcp.imm-cdm.ohcqt.mongodb.net\n at fetchCompanyObjectId (file:///c:/SourceCode/biz-a/cli/scheduler/configController.js:92:15)\n at async getCompanyObjectId (file:///c:/SourceCode/biz-a/cli/scheduler/configController.js:107:29)\n at async Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:51:21)"}
|
|
2
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:70:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:77:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:86:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:85:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
3
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
4
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
5
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:72:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
File without changes
|
package/bin/log/info.log
ADDED
|
@@ -0,0 +1,5 @@
|
|
|
1
|
+
{"level":"error","message":"Unhandled Rejection: Error: querySrv EREFUSED _mongodb._tcp.imm-cdm.ohcqt.mongodb.net","stack":"Error: Error: querySrv EREFUSED _mongodb._tcp.imm-cdm.ohcqt.mongodb.net\n at fetchCompanyObjectId (file:///c:/SourceCode/biz-a/cli/scheduler/configController.js:92:15)\n at async getCompanyObjectId (file:///c:/SourceCode/biz-a/cli/scheduler/configController.js:107:29)\n at async Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:51:21)"}
|
|
2
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:70:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:77:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:86:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:85:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
3
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
4
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
5
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (c:\\SourceCode\\biz-a\\cli\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:79:23)\n at isItTime (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:84:26)\n at file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:93:33\n at Array.map (<anonymous>)\n at loopTimer (file:///c:/SourceCode/biz-a/cli/scheduler/watcherlib.js:92:27)\n at Module.runScheduler (file:///c:/SourceCode/biz-a/cli/scheduler/timer.js:72:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
package/bin/node
ADDED
|
File without changes
|
package/log/debug.log
ADDED
|
@@ -0,0 +1,4 @@
|
|
|
1
|
+
{"code":"ERR_BAD_RESPONSE","config":{"adapter":["xhr","http","fetch"],"data":"{\"_parameters\":[\"{\\\"dbIndex\\\":2,\\\"method\\\":\\\"list\\\",\\\"object\\\":{\\\"start\\\":0,\\\"length\\\":-1,\\\"order\\\":[],\\\"filter\\\":[],\\\"columns\\\":[{\\\"data\\\":\\\"SYS$WATCHER.ID\\\",\\\"key\\\":\\\"watcher_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.COMPANY_OBJ_ID\\\",\\\"key\\\":\\\"company_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.ID\\\",\\\"key\\\":\\\"timer_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.WATCHER_ID\\\",\\\"key\\\":\\\"timer_watcher_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.NAME\\\",\\\"key\\\":\\\"name\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.ACTIVE\\\",\\\"key\\\":\\\"active\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.TIME_ZONE\\\",\\\"key\\\":\\\"timezone\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.SEQ\\\",\\\"key\\\":\\\"seq\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.SCRIPT_ID\\\",\\\"key\\\":\\\"scriptid\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$DAILY.DAYS\\\",\\\"key\\\":\\\"daily_days\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$WEEKLY.ORDINAL\\\",\\\"key\\\":\\\"weekly_ordinal\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$WEEKLY.DAYS\\\",\\\"key\\\":\\\"weekly_days\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MONTHLY.DAYS\\\",\\\"key\\\":\\\"monthly_days\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MINUTELY.EVERYMIN\\\",\\\"key\\\":\\\"minutely_everymin\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MINUTELY.TIME_FROM\\\",\\\"key\\\":\\\"minutely_time_from\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MINUTELY.TIME_TO\\\",\\\"key\\\":\\\"minutely_time_to\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$HOURLY.HOURS\\\",\\\"key\\\":\\\"hourly_hours\\\"},{\\\"data\\\":\\\"SYS$TIMER.SCRIPT_ID.ID.SYS$CLI_SCRIPT.SCRIPT\\\",\\\"key\\\":\\\"cli_script\\\"}]}}\"]}","env":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"1547","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"maxBodyLength":-1,"maxContentLength":-1,"method":"post","params":{"subdomain":"scy"},"timeout":0,"transformRequest":[null],"transformResponse":[null],"transitional":{"clarifyTimeoutError":false,"forcedJSONParsing":true,"silentJSONParsing":true},"url":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22","xsrfCookieName":"XSRF-TOKEN","xsrfHeaderName":"X-XSRF-TOKEN"},"level":"error","message":"Unhandled Rejection: Request failed with status code 502","name":"AxiosError","request":{"_closed":true,"_contentLength":"1547","_defaultKeepAlive":true,"_ended":true,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 1547\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"1547","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":{"http:":{"METHODS":["ACL","BIND","CHECKOUT","CONNECT","COPY","DELETE","GET","HEAD","LINK","LOCK","M-SEARCH","MERGE","MKACTIVITY","MKCALENDAR","MKCOL","MOVE","NOTIFY","OPTIONS","PATCH","POST","PROPFIND","PROPPATCH","PURGE","PUT","REBIND","REPORT","SEARCH","SOURCE","SUBSCRIBE","TRACE","UNBIND","UNLINK","UNLOCK","UNSUBSCRIBE"],"STATUS_CODES":{"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a Teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Too Early","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"},"globalAgent":{"_events":{},"_eventsCount":2,"defaultPort":80,"freeSockets":{},"keepAlive":true,"keepAliveMsecs":1000,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"http:","requests":{},"scheduling":"lifo","sockets":{},"totalSocketCount":0},"maxHeaderSize":16384},"https:":{"globalAgent":{"_events":{},"_eventsCount":2,"_sessionCache":{"list":[],"map":{}},"defaultPort":443,"freeSockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"keepAlive":true,"keepAliveMsecs":1000,"maxCachedSessions":100,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"https:","requests":{},"scheduling":"lifo","sockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null,null],"end":[null,null],"newListener":[null,null],"timeout":[null,null]},"_eventsCount":11,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":"[Circular]","socket":"[Circular]"},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"socket":"[Circular]"},"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"totalSocketCount":2}}},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[],"_requestBodyLength":1547,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":{"_events":{},"_eventsCount":2,"_sessionCache":{"list":[],"map":{}},"defaultPort":443,"freeSockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"keepAlive":true,"keepAliveMsecs":1000,"maxCachedSessions":100,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"https:","requests":{},"scheduling":"lifo","sockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null,null],"end":[null,null],"newListener":[null,null],"timeout":[null,null]},"_eventsCount":11,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":{"http:":{"METHODS":["ACL","BIND","CHECKOUT","CONNECT","COPY","DELETE","GET","HEAD","LINK","LOCK","M-SEARCH","MERGE","MKACTIVITY","MKCALENDAR","MKCOL","MOVE","NOTIFY","OPTIONS","PATCH","POST","PROPFIND","PROPPATCH","PURGE","PUT","REBIND","REPORT","SEARCH","SOURCE","SUBSCRIBE","TRACE","UNBIND","UNLINK","UNLOCK","UNSUBSCRIBE"],"STATUS_CODES":{"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a Teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Too Early","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"},"globalAgent":{"_events":{},"_eventsCount":2,"defaultPort":80,"freeSockets":{},"keepAlive":true,"keepAliveMsecs":1000,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"http:","requests":{},"scheduling":"lifo","sockets":{},"totalSocketCount":0},"maxHeaderSize":16384},"https:":{"globalAgent":"[Circular]"}},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":"[Circular]","socket":"[Circular]"},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":{"http:":{"METHODS":["ACL","BIND","CHECKOUT","CONNECT","COPY","DELETE","GET","HEAD","LINK","LOCK","M-SEARCH","MERGE","MKACTIVITY","MKCALENDAR","MKCOL","MOVE","NOTIFY","OPTIONS","PATCH","POST","PROPFIND","PROPPATCH","PURGE","PUT","REBIND","REPORT","SEARCH","SOURCE","SUBSCRIBE","TRACE","UNBIND","UNLINK","UNLOCK","UNSUBSCRIBE"],"STATUS_CODES":{"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a Teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Too Early","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"},"globalAgent":{"_events":{},"_eventsCount":2,"defaultPort":80,"freeSockets":{},"keepAlive":true,"keepAliveMsecs":1000,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"http:","requests":{},"scheduling":"lifo","sockets":{},"totalSocketCount":0},"maxHeaderSize":16384},"https:":{"globalAgent":"[Circular]"}},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"socket":"[Circular]"},"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"totalSocketCount":2},"chunkedEncoding":false,"destroyed":true,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":null,"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":{"_consuming":false,"_dumped":false,"_events":{"end":[null,null]},"_eventsCount":4,"_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"aborted":false,"client":{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000},"complete":true,"httpVersion":"1.1","httpVersionMajor":1,"httpVersionMinor":1,"method":null,"rawHeaders":["Server","Cowboy","Report-To","{\"group\":\"heroku-nel\",\"max_age\":3600,\"endpoints\":[{\"url\":\"https://nel.heroku.com/reports?ts=1735811638&sid=1b10b0ff-8a76-4548-befa-353fc6c6c045&s=1Yjeiu8xhhbZKXDVBvZ%2BHspBhzopEd8nRDmnWYRxMeU%3D\"}]}","Reporting-Endpoints","heroku-nel=https://nel.heroku.com/reports?ts=1735811638&sid=1b10b0ff-8a76-4548-befa-353fc6c6c045&s=1Yjeiu8xhhbZKXDVBvZ%2BHspBhzopEd8nRDmnWYRxMeU%3D","Nel","{\"report_to\":\"heroku-nel\",\"max_age\":3600,\"success_fraction\":0.005,\"failure_fraction\":0.05,\"response_headers\":[\"Via\"]}","Connection","keep-alive","X-Powered-By","Express","Access-Control-Allow-Origin","*","Date","Thu, 02 Jan 2025 09:53:58 GMT","Content-Length","41","Via","1.1 vegur"],"rawTrailers":[],"redirects":[],"req":"[Circular]","responseUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","socket":null,"statusCode":502,"statusMessage":"Bad Gateway","upgrade":false,"url":""},"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000},"strictContentLength":false,"timeoutCb":null,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"response":{"config":{"adapter":["xhr","http","fetch"],"data":"{\"_parameters\":[\"{\\\"dbIndex\\\":2,\\\"method\\\":\\\"list\\\",\\\"object\\\":{\\\"start\\\":0,\\\"length\\\":-1,\\\"order\\\":[],\\\"filter\\\":[],\\\"columns\\\":[{\\\"data\\\":\\\"SYS$WATCHER.ID\\\",\\\"key\\\":\\\"watcher_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.COMPANY_OBJ_ID\\\",\\\"key\\\":\\\"company_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.ID\\\",\\\"key\\\":\\\"timer_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.WATCHER_ID\\\",\\\"key\\\":\\\"timer_watcher_id\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.NAME\\\",\\\"key\\\":\\\"name\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.ACTIVE\\\",\\\"key\\\":\\\"active\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.TIME_ZONE\\\",\\\"key\\\":\\\"timezone\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.SEQ\\\",\\\"key\\\":\\\"seq\\\"},{\\\"data\\\":\\\"SYS$WATCHER.ID.WATCHER_ID.SYS$TIMER.SCRIPT_ID\\\",\\\"key\\\":\\\"scriptid\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$DAILY.DAYS\\\",\\\"key\\\":\\\"daily_days\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$WEEKLY.ORDINAL\\\",\\\"key\\\":\\\"weekly_ordinal\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$WEEKLY.DAYS\\\",\\\"key\\\":\\\"weekly_days\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MONTHLY.DAYS\\\",\\\"key\\\":\\\"monthly_days\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MINUTELY.EVERYMIN\\\",\\\"key\\\":\\\"minutely_everymin\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MINUTELY.TIME_FROM\\\",\\\"key\\\":\\\"minutely_time_from\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$MINUTELY.TIME_TO\\\",\\\"key\\\":\\\"minutely_time_to\\\"},{\\\"data\\\":\\\"SYS$TIMER.ID.TIMER_ID.SYS$HOURLY.HOURS\\\",\\\"key\\\":\\\"hourly_hours\\\"},{\\\"data\\\":\\\"SYS$TIMER.SCRIPT_ID.ID.SYS$CLI_SCRIPT.SCRIPT\\\",\\\"key\\\":\\\"cli_script\\\"}]}}\"]}","env":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"1547","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"maxBodyLength":-1,"maxContentLength":-1,"method":"post","params":{"subdomain":"scy"},"timeout":0,"transformRequest":[null],"transformResponse":[null],"transitional":{"clarifyTimeoutError":false,"forcedJSONParsing":true,"silentJSONParsing":true},"url":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22","xsrfCookieName":"XSRF-TOKEN","xsrfHeaderName":"X-XSRF-TOKEN"},"data":"scy is currently unregistered or offline.","headers":{"access-control-allow-origin":"*","connection":"keep-alive","content-length":"41","date":"Thu, 02 Jan 2025 09:53:58 GMT","nel":"{\"report_to\":\"heroku-nel\",\"max_age\":3600,\"success_fraction\":0.005,\"failure_fraction\":0.05,\"response_headers\":[\"Via\"]}","report-to":"{\"group\":\"heroku-nel\",\"max_age\":3600,\"endpoints\":[{\"url\":\"https://nel.heroku.com/reports?ts=1735811638&sid=1b10b0ff-8a76-4548-befa-353fc6c6c045&s=1Yjeiu8xhhbZKXDVBvZ%2BHspBhzopEd8nRDmnWYRxMeU%3D\"}]}","reporting-endpoints":"heroku-nel=https://nel.heroku.com/reports?ts=1735811638&sid=1b10b0ff-8a76-4548-befa-353fc6c6c045&s=1Yjeiu8xhhbZKXDVBvZ%2BHspBhzopEd8nRDmnWYRxMeU%3D","server":"Cowboy","via":"1.1 vegur","x-powered-by":"Express"},"request":{"_closed":true,"_contentLength":"1547","_defaultKeepAlive":true,"_ended":true,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 1547\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"1547","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":{"http:":{"METHODS":["ACL","BIND","CHECKOUT","CONNECT","COPY","DELETE","GET","HEAD","LINK","LOCK","M-SEARCH","MERGE","MKACTIVITY","MKCALENDAR","MKCOL","MOVE","NOTIFY","OPTIONS","PATCH","POST","PROPFIND","PROPPATCH","PURGE","PUT","REBIND","REPORT","SEARCH","SOURCE","SUBSCRIBE","TRACE","UNBIND","UNLINK","UNLOCK","UNSUBSCRIBE"],"STATUS_CODES":{"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a Teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Too Early","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"},"globalAgent":{"_events":{},"_eventsCount":2,"defaultPort":80,"freeSockets":{},"keepAlive":true,"keepAliveMsecs":1000,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"http:","requests":{},"scheduling":"lifo","sockets":{},"totalSocketCount":0},"maxHeaderSize":16384},"https:":{"globalAgent":{"_events":{},"_eventsCount":2,"_sessionCache":{"list":[],"map":{}},"defaultPort":443,"freeSockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"keepAlive":true,"keepAliveMsecs":1000,"maxCachedSessions":100,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"https:","requests":{},"scheduling":"lifo","sockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null,null],"end":[null,null],"newListener":[null,null],"timeout":[null,null]},"_eventsCount":11,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":"[Circular]","socket":"[Circular]"},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"socket":"[Circular]"},"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"totalSocketCount":2}}},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[],"_requestBodyLength":1547,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":{"_events":{},"_eventsCount":2,"_sessionCache":{"list":[],"map":{}},"defaultPort":443,"freeSockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"keepAlive":true,"keepAliveMsecs":1000,"maxCachedSessions":100,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"https:","requests":{},"scheduling":"lifo","sockets":{"biz-a.herokuapp.com:443:::::::::::::::::::::":[{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null,null],"end":[null,null],"newListener":[null,null],"timeout":[null,null]},"_eventsCount":11,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":{"http:":{"METHODS":["ACL","BIND","CHECKOUT","CONNECT","COPY","DELETE","GET","HEAD","LINK","LOCK","M-SEARCH","MERGE","MKACTIVITY","MKCALENDAR","MKCOL","MOVE","NOTIFY","OPTIONS","PATCH","POST","PROPFIND","PROPPATCH","PURGE","PUT","REBIND","REPORT","SEARCH","SOURCE","SUBSCRIBE","TRACE","UNBIND","UNLINK","UNLOCK","UNSUBSCRIBE"],"STATUS_CODES":{"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a Teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Too Early","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"},"globalAgent":{"_events":{},"_eventsCount":2,"defaultPort":80,"freeSockets":{},"keepAlive":true,"keepAliveMsecs":1000,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"http:","requests":{},"scheduling":"lifo","sockets":{},"totalSocketCount":0},"maxHeaderSize":16384},"https:":{"globalAgent":"[Circular]"}},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":"[Circular]","socket":"[Circular]"},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":{"0":null,"5":null,"6":null,"_consumed":false,"_headers":[],"_url":"","incoming":null,"maxHeaderPairs":2000,"outgoing":{"_closed":false,"_contentLength":"306","_defaultKeepAlive":true,"_ended":false,"_events":{},"_eventsCount":7,"_hasBody":true,"_header":"POST /hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy HTTP/1.1\r\nAccept: application/json, text/plain, */*\r\nContent-Type: text/plain\r\nUser-Agent: axios/1.7.9\r\nContent-Length: 306\r\nAccept-Encoding: gzip, compress, deflate, br\r\nHost: biz-a.herokuapp.com\r\nConnection: keep-alive\r\n\r\n","_headerSent":true,"_keepAliveTimeout":0,"_last":false,"_redirectable":{"_currentRequest":"[Circular]","_currentUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","_ended":true,"_ending":true,"_events":{},"_eventsCount":3,"_options":{"agents":{},"beforeRedirects":{},"headers":{"Accept":"application/json, text/plain, */*","Accept-Encoding":"gzip, compress, deflate, br","Content-Length":"306","Content-Type":"text/plain","User-Agent":"axios/1.7.9"},"hostname":"biz-a.herokuapp.com","maxBodyLength":null,"maxRedirects":21,"method":"POST","nativeProtocols":{"http:":{"METHODS":["ACL","BIND","CHECKOUT","CONNECT","COPY","DELETE","GET","HEAD","LINK","LOCK","M-SEARCH","MERGE","MKACTIVITY","MKCALENDAR","MKCOL","MOVE","NOTIFY","OPTIONS","PATCH","POST","PROPFIND","PROPPATCH","PURGE","PUT","REBIND","REPORT","SEARCH","SOURCE","SUBSCRIBE","TRACE","UNBIND","UNLINK","UNLOCK","UNSUBSCRIBE"],"STATUS_CODES":{"100":"Continue","101":"Switching Protocols","102":"Processing","103":"Early Hints","200":"OK","201":"Created","202":"Accepted","203":"Non-Authoritative Information","204":"No Content","205":"Reset Content","206":"Partial Content","207":"Multi-Status","208":"Already Reported","226":"IM Used","300":"Multiple Choices","301":"Moved Permanently","302":"Found","303":"See Other","304":"Not Modified","305":"Use Proxy","307":"Temporary Redirect","308":"Permanent Redirect","400":"Bad Request","401":"Unauthorized","402":"Payment Required","403":"Forbidden","404":"Not Found","405":"Method Not Allowed","406":"Not Acceptable","407":"Proxy Authentication Required","408":"Request Timeout","409":"Conflict","410":"Gone","411":"Length Required","412":"Precondition Failed","413":"Payload Too Large","414":"URI Too Long","415":"Unsupported Media Type","416":"Range Not Satisfiable","417":"Expectation Failed","418":"I'm a Teapot","421":"Misdirected Request","422":"Unprocessable Entity","423":"Locked","424":"Failed Dependency","425":"Too Early","426":"Upgrade Required","428":"Precondition Required","429":"Too Many Requests","431":"Request Header Fields Too Large","451":"Unavailable For Legal Reasons","500":"Internal Server Error","501":"Not Implemented","502":"Bad Gateway","503":"Service Unavailable","504":"Gateway Timeout","505":"HTTP Version Not Supported","506":"Variant Also Negotiates","507":"Insufficient Storage","508":"Loop Detected","509":"Bandwidth Limit Exceeded","510":"Not Extended","511":"Network Authentication Required"},"globalAgent":{"_events":{},"_eventsCount":2,"defaultPort":80,"freeSockets":{},"keepAlive":true,"keepAliveMsecs":1000,"maxFreeSockets":256,"maxSockets":null,"maxTotalSockets":null,"options":{"keepAlive":true,"noDelay":true,"path":null,"scheduling":"lifo","timeout":5000},"protocol":"http:","requests":{},"scheduling":"lifo","sockets":{},"totalSocketCount":0},"maxHeaderSize":16384},"https:":{"globalAgent":"[Circular]"}},"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","pathname":"/hub/fina/rest/TOrmMethod/%22list%22","port":"","protocol":"https:","search":"?subdomain=scy"},"_redirectCount":0,"_redirects":[],"_requestBodyBuffers":[{"data":{"data":[123,34,95,112,97,114,97,109,101,116,101,114,115,34,58,91,34,123,92,34,100,98,73,110,100,101,120,92,34,58,50,44,92,34,109,101,116,104,111,100,92,34,58,92,34,108,105,115,116,92,34,44,92,34,111,98,106,101,99,116,92,34,58,123,92,34,115,116,97,114,116,92,34,58,48,44,92,34,108,101,110,103,116,104,92,34,58,45,49,44,92,34,111,114,100,101,114,92,34,58,91,93,44,92,34,102,105,108,116,101,114,92,34,58,91,93,44,92,34,99,111,108,117,109,110,115,92,34,58,91,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,104,105,115,116,111,114,121,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,84,73,77,69,82,95,73,68,92,34,44,92,34,107,101,121,92,34,58,92,34,116,105,109,101,114,95,105,100,92,34,125,44,123,92,34,100,97,116,97,92,34,58,92,34,83,89,83,36,72,73,83,84,79,82,89,46,76,65,84,69,83,84,95,82,85,78,92,34,44,92,34,107,101,121,92,34,58,92,34,108,97,116,101,115,116,95,114,117,110,92,34,125,93,125,125,34,93,125],"type":"Buffer"}}],"_requestBodyLength":306,"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0}},"_removedConnection":false,"_removedContLen":false,"_removedTE":false,"_trailer":"","aborted":false,"agent":"[Circular]","chunkedEncoding":false,"destroyed":false,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":"[Circular]","path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":null,"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":"[Circular]","strictContentLength":false,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"socket":"[Circular]"},"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000}]},"totalSocketCount":2},"chunkedEncoding":false,"destroyed":true,"finished":true,"host":"biz-a.herokuapp.com","maxHeadersCount":null,"maxRequestsOnConnectionReached":false,"method":"POST","outputData":[],"outputSize":0,"parser":null,"path":"/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","protocol":"https:","res":{"_consuming":false,"_dumped":false,"_events":{"end":[null,null]},"_eventsCount":4,"_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"aborted":false,"client":{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000},"complete":true,"httpVersion":"1.1","httpVersionMajor":1,"httpVersionMinor":1,"method":null,"rawHeaders":["Server","Cowboy","Report-To","{\"group\":\"heroku-nel\",\"max_age\":3600,\"endpoints\":[{\"url\":\"https://nel.heroku.com/reports?ts=1735811638&sid=1b10b0ff-8a76-4548-befa-353fc6c6c045&s=1Yjeiu8xhhbZKXDVBvZ%2BHspBhzopEd8nRDmnWYRxMeU%3D\"}]}","Reporting-Endpoints","heroku-nel=https://nel.heroku.com/reports?ts=1735811638&sid=1b10b0ff-8a76-4548-befa-353fc6c6c045&s=1Yjeiu8xhhbZKXDVBvZ%2BHspBhzopEd8nRDmnWYRxMeU%3D","Nel","{\"report_to\":\"heroku-nel\",\"max_age\":3600,\"success_fraction\":0.005,\"failure_fraction\":0.05,\"response_headers\":[\"Via\"]}","Connection","keep-alive","X-Powered-By","Express","Access-Control-Allow-Origin","*","Date","Thu, 02 Jan 2025 09:53:58 GMT","Content-Length","41","Via","1.1 vegur"],"rawTrailers":[],"redirects":[],"req":"[Circular]","responseUrl":"https://biz-a.herokuapp.com/hub/fina/rest/TOrmMethod/%22list%22?subdomain=scy","socket":null,"statusCode":502,"statusMessage":"Bad Gateway","upgrade":false,"url":""},"reusedSocket":false,"sendDate":false,"shouldKeepAlive":true,"socket":{"_SNICallback":null,"_closeAfterHandlingError":false,"_controlReleased":true,"_events":{"close":[null,null,null],"newListener":[null,null]},"_eventsCount":9,"_hadError":false,"_host":"biz-a.herokuapp.com","_httpMessage":null,"_newSessionPending":false,"_parent":null,"_pendingData":null,"_pendingEncoding":"","_readableState":{"awaitDrainWriters":null,"buffer":[],"bufferIndex":0,"highWaterMark":16384,"length":0,"pipes":[]},"_rejectUnauthorized":true,"_requestCert":true,"_secureEstablished":true,"_securePending":false,"_server":null,"_sockname":null,"_tlsOptions":{"isServer":false,"pipe":false,"rejectUnauthorized":true,"requestCert":true,"secureContext":{"context":{}}},"_writableState":{"bufferedIndex":0,"corked":0,"highWaterMark":16384,"length":0,"pendingcb":0,"writelen":0},"allowHalfOpen":false,"alpnProtocol":false,"authorizationError":null,"authorized":true,"autoSelectFamilyAttemptedAddresses":["54.165.58.209:443","52.5.82.174:443","54.159.116.102:443","18.208.60.216:443"],"connecting":false,"encrypted":true,"handle":{"_parent":{"onconnection":null,"reading":true},"_parentWrap":null,"_secureContext":{"context":{}},"reading":true},"parser":null,"secureConnecting":false,"servername":"biz-a.herokuapp.com","ssl":null,"timeout":5000},"strictContentLength":false,"timeoutCb":null,"upgradeOrConnect":false,"useChunkedEncodingByDefault":true,"writable":true},"status":502,"statusText":"Bad Gateway"},"stack":"AxiosError: Request failed with status code 502\n at settle (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli/node_modules/axios/lib/core/settle.js:19:12)\n at IncomingMessage.handleStreamEnd (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli/node_modules/axios/lib/adapters/http.js:599:11)\n at IncomingMessage.emit (node:events:531:35)\n at endReadableNT (node:internal/streams/readable:1696:12)\n at process.processTicksAndRejections (node:internal/process/task_queues:82:21)\n at Axios.request (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli/node_modules/axios/lib/core/Axios.js:45:41)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)\n at async queryData (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli/scheduler/datalib.js:126:15)\n at async Promise.all (index 1)","status":502}
|
|
2
|
+
{"code":"ERR_MODULE_NOT_FOUND","level":"error","message":"Unhandled Rejection: Cannot find module 'C:\\SourceCode\\biz-a\\mailController.js' imported from C:\\SourceCode\\biz-a\\cli\\","stack":"Error [ERR_MODULE_NOT_FOUND]: Cannot find module 'C:\\SourceCode\\biz-a\\mailController.js' imported from C:\\SourceCode\\biz-a\\cli\\\n at finalizeResolution (node:internal/modules/esm/resolve:265:11)\n at moduleResolve (node:internal/modules/esm/resolve:933:10)\n at defaultResolve (node:internal/modules/esm/resolve:1169:11)\n at ModuleLoader.defaultResolve (node:internal/modules/esm/loader:540:12)\n at ModuleLoader.resolve (node:internal/modules/esm/loader:509:25)\n at ModuleLoader.getModuleJob (node:internal/modules/esm/loader:239:38)\n at ModuleLoader.import (node:internal/modules/esm/loader:472:34)\n at defaultImportModuleDynamicallyForScript (node:internal/modules/esm/utils:227:31)\n at importModuleDynamicallyCallback (node:internal/modules/esm/utils:244:12)\n at Object.onInit (evalmachine.<anonymous>:5:47)","url":"file:///C:/SourceCode/biz-a/mailController.js"}
|
|
3
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (C:\\Users\\Developer\\AppData\\Roaming\\nvm\\v20.17.0\\node_modules\\biz-a-cli-dev\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:70:23)\n at isItTime (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:75:26)\n at file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:84:33\n at Array.map (<anonymous>)\n at loopTimer (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:83:27)\n at Module.runScheduler (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|
|
4
|
+
{"level":"error","message":"Unhandled Rejection: Invalid time zone specified: null","stack":"RangeError: Invalid time zone specified: null\n at Date.toLocaleString (<anonymous>)\n at f.tz (C:\\Users\\Developer\\AppData\\Roaming\\nvm\\v20.17.0\\node_modules\\biz-a-cli-dev\\node_modules\\dayjs\\plugin\\timezone.js:1:1041)\n at setTimeZoneDate (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:70:23)\n at isItTime (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:75:26)\n at file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:84:33\n at Array.map (<anonymous>)\n at loopTimer (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/watcherlib.js:83:27)\n at Module.runScheduler (file:///C:/Users/Developer/AppData/Roaming/nvm/v20.17.0/node_modules/biz-a-cli-dev/scheduler/timer.js:70:13)\n at process.processTicksAndRejections (node:internal/process/task_queues:95:5)"}
|