Spaces:
Paused
Paused
File size: 6,814 Bytes
9ada4bc |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 |
import { ChildProcess } from 'child_process'
import { HttpRequestEventMap } from './glossary'
import { Interceptor } from './Interceptor'
import { BatchInterceptor } from './BatchInterceptor'
import { ClientRequestInterceptor } from './interceptors/ClientRequest'
import { XMLHttpRequestInterceptor } from './interceptors/XMLHttpRequest'
import { toInteractiveRequest } from './utils/toInteractiveRequest'
import { emitAsync } from './utils/emitAsync'
export interface SerializedRequest {
id: string
url: string
method: string
headers: Array<[string, string]>
credentials: RequestCredentials
body: string
}
interface RevivedRequest extends Omit<SerializedRequest, 'url' | 'headers'> {
url: URL
headers: Headers
}
export interface SerializedResponse {
status: number
statusText: string
headers: Array<[string, string]>
body: string
}
export class RemoteHttpInterceptor extends BatchInterceptor<
[ClientRequestInterceptor, XMLHttpRequestInterceptor]
> {
constructor() {
super({
name: 'remote-interceptor',
interceptors: [
new ClientRequestInterceptor(),
new XMLHttpRequestInterceptor(),
],
})
}
protected setup() {
super.setup()
let handleParentMessage: NodeJS.MessageListener
this.on('request', async ({ request, requestId }) => {
// Send the stringified intercepted request to
// the parent process where the remote resolver is established.
const serializedRequest = JSON.stringify({
id: requestId,
method: request.method,
url: request.url,
headers: Array.from(request.headers.entries()),
credentials: request.credentials,
body: ['GET', 'HEAD'].includes(request.method)
? null
: await request.text(),
} as SerializedRequest)
this.logger.info(
'sent serialized request to the child:',
serializedRequest
)
process.send?.(`request:${serializedRequest}`)
const responsePromise = new Promise<void>((resolve) => {
handleParentMessage = (message) => {
if (typeof message !== 'string') {
return resolve()
}
if (message.startsWith(`response:${requestId}`)) {
const [, serializedResponse] =
message.match(/^response:.+?:(.+)$/) || []
if (!serializedResponse) {
return resolve()
}
const responseInit = JSON.parse(
serializedResponse
) as SerializedResponse
const mockedResponse = new Response(responseInit.body, {
status: responseInit.status,
statusText: responseInit.statusText,
headers: responseInit.headers,
})
request.respondWith(mockedResponse)
return resolve()
}
}
})
// Listen for the mocked response message from the parent.
this.logger.info(
'add "message" listener to the parent process',
handleParentMessage
)
process.addListener('message', handleParentMessage)
return responsePromise
})
this.subscriptions.push(() => {
process.removeListener('message', handleParentMessage)
})
}
}
export function requestReviver(key: string, value: any) {
switch (key) {
case 'url':
return new URL(value)
case 'headers':
return new Headers(value)
default:
return value
}
}
export interface RemoveResolverOptions {
process: ChildProcess
}
export class RemoteHttpResolver extends Interceptor<HttpRequestEventMap> {
static symbol = Symbol('remote-resolver')
private process: ChildProcess
constructor(options: RemoveResolverOptions) {
super(RemoteHttpResolver.symbol)
this.process = options.process
}
protected setup() {
const logger = this.logger.extend('setup')
const handleChildMessage: NodeJS.MessageListener = async (message) => {
logger.info('received message from child!', message)
if (typeof message !== 'string' || !message.startsWith('request:')) {
logger.info('unknown message, ignoring...')
return
}
const [, serializedRequest] = message.match(/^request:(.+)$/) || []
if (!serializedRequest) {
return
}
const requestJson = JSON.parse(
serializedRequest,
requestReviver
) as RevivedRequest
logger.info('parsed intercepted request', requestJson)
const capturedRequest = new Request(requestJson.url, {
method: requestJson.method,
headers: new Headers(requestJson.headers),
credentials: requestJson.credentials,
body: requestJson.body,
})
const { interactiveRequest, requestController } =
toInteractiveRequest(capturedRequest)
this.emitter.once('request', () => {
if (requestController.responsePromise.state === 'pending') {
requestController.respondWith(undefined)
}
})
await emitAsync(this.emitter, 'request', {
request: interactiveRequest,
requestId: requestJson.id,
})
const mockedResponse = await requestController.responsePromise
if (!mockedResponse) {
return
}
logger.info('event.respondWith called with:', mockedResponse)
const responseClone = mockedResponse.clone()
const responseText = await mockedResponse.text()
// Send the mocked response to the child process.
const serializedResponse = JSON.stringify({
status: mockedResponse.status,
statusText: mockedResponse.statusText,
headers: Array.from(mockedResponse.headers.entries()),
body: responseText,
} as SerializedResponse)
this.process.send(
`response:${requestJson.id}:${serializedResponse}`,
(error) => {
if (error) {
return
}
// Emit an optimistic "response" event at this point,
// not to rely on the back-and-forth signaling for the sake of the event.
this.emitter.emit('response', {
response: responseClone,
isMockedResponse: true,
request: capturedRequest,
requestId: requestJson.id,
})
}
)
logger.info(
'sent serialized mocked response to the parent:',
serializedResponse
)
}
this.subscriptions.push(() => {
this.process.removeListener('message', handleChildMessage)
logger.info('removed the "message" listener from the child process!')
})
logger.info('adding a "message" listener to the child process')
this.process.addListener('message', handleChildMessage)
this.process.once('error', () => this.dispose())
this.process.once('exit', () => this.dispose())
}
}
|