Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

chore: emulate frameStartedNavigating event #2879

Merged
merged 6 commits into from
Dec 11, 2024
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
78 changes: 29 additions & 49 deletions src/bidiMapper/modules/cdp/CdpTarget.ts
Original file line number Diff line number Diff line change
Expand Up @@ -21,6 +21,7 @@ import type {CdpClient} from '../../../cdp/CdpClient.js';
import {BiDiModule} from '../../../protocol/chromium-bidi.js';
import type {ChromiumBidi, Session} from '../../../protocol/protocol.js';
import {Deferred} from '../../../utils/Deferred.js';
import {EventEmitter} from '../../../utils/EventEmitter.js';
import type {LoggerFn} from '../../../utils/log.js';
import {LogType} from '../../../utils/log.js';
import type {Result} from '../../../utils/result.js';
Expand All @@ -33,12 +34,15 @@ import type {PreloadScriptStorage} from '../script/PreloadScriptStorage.js';
import type {RealmStorage} from '../script/RealmStorage.js';
import type {EventManager} from '../session/EventManager.js';

import {type TargetEventMap, TargetEvents} from './TargetEvents.js';

interface FetchStages {
request: boolean;
response: boolean;
auth: boolean;
}
export class CdpTarget {

export class CdpTarget extends EventEmitter<TargetEventMap> {
readonly #id: Protocol.Target.TargetID;
readonly #cdpClient: CdpClient;
readonly #browserCdpClient: CdpClient;
Expand All @@ -57,7 +61,6 @@ export class CdpTarget {

#deviceAccessEnabled = false;
#cacheDisableState = false;
#networkDomainEnabled = false;
#fetchDomainStages: FetchStages = {
request: false,
response: false,
Expand Down Expand Up @@ -118,6 +121,7 @@ export class CdpTarget {
unhandledPromptBehavior?: Session.UserPromptHandler,
logger?: LoggerFn,
) {
super();
this.#id = targetId;
this.#cdpClient = cdpClient;
this.#browserCdpClient = browserCdpClient;
Expand Down Expand Up @@ -192,7 +196,11 @@ export class CdpTarget {
// prerendered pages. Generic catch, as the error can vary between CdpClient
// implementations: Tab vs Puppeteer.
}),
this.toggleNetworkIfNeeded(),
// Enabling CDP Network domain is required for navigation detection:
// https://github.com/GoogleChromeLabs/chromium-bidi/issues/2856.
this.#cdpClient
.sendCommand('Network.enable')
.then(() => this.toggleNetworkIfNeeded()),
this.#cdpClient.sendCommand('Target.setAutoAttach', {
autoAttach: true,
waitForDebuggerOnStart: true,
Expand Down Expand Up @@ -265,11 +273,9 @@ export class CdpTarget {
const stages = this.#networkStorage.getInterceptionStages(this.topLevelId);

if (
// Only toggle interception when Network is enabled
!this.#networkDomainEnabled ||
(this.#fetchDomainStages.request === stages.request &&
this.#fetchDomainStages.response === stages.response &&
this.#fetchDomainStages.auth === stages.auth)
this.#fetchDomainStages.request === stages.request &&
this.#fetchDomainStages.response === stages.response &&
this.#fetchDomainStages.auth === stages.auth
) {
return;
}
Expand Down Expand Up @@ -317,25 +323,18 @@ export class CdpTarget {
}

/**
* Toggles both Network and Fetch domains.
* Toggles CDP "Fetch" domain and enable/disable network cache.
*/
async toggleNetworkIfNeeded(): Promise<void> {
const enabled = this.isSubscribedTo(BiDiModule.Network);
if (enabled === this.#networkDomainEnabled) {
return;
}

this.#networkDomainEnabled = enabled;
// Although the Network domain remains active, Fetch domain activation and caching
// settings should be managed dynamically.
try {
await Promise.all([
this.#cdpClient
.sendCommand(enabled ? 'Network.enable' : 'Network.disable')
.then(async () => await this.toggleSetCacheDisabled()),
this.toggleSetCacheDisabled(),
this.toggleFetchIfNeeded(),
]);
} catch (err) {
this.#logger?.(LogType.debugError, err);
this.#networkDomainEnabled = !enabled;
if (!this.#isExpectedError(err)) {
throw err;
}
Expand All @@ -347,10 +346,7 @@ export class CdpTarget {
this.#networkStorage.defaultCacheBehavior === 'bypass';
const cacheDisabled = disable ?? defaultCacheDisabled;

if (
!this.#networkDomainEnabled ||
this.#cacheDisableState === cacheDisabled
) {
if (this.#cacheDisableState === cacheDisabled) {
return;
}
this.#cacheDisableState = cacheDisabled;
Expand Down Expand Up @@ -401,6 +397,15 @@ export class CdpTarget {
}

#setEventListeners() {
this.#cdpClient.on('Network.requestWillBeSent', (eventParams) => {
if (eventParams.loaderId === eventParams.requestId) {
this.emit(TargetEvents.FrameStartedNavigating, {
loaderId: eventParams.loaderId,
url: eventParams.request.url,
frameId: eventParams.frameId,
});
}
});
this.#cdpClient.on('*', (event, params) => {
// We may encounter uses for EventEmitter other than CDP events,
// which we want to skip.
Expand Down Expand Up @@ -436,17 +441,6 @@ export class CdpTarget {
});
}

async #toggleNetwork(enable: boolean): Promise<void> {
this.#networkDomainEnabled = enable;
try {
await this.#cdpClient.sendCommand(
enable ? 'Network.enable' : 'Network.disable',
);
} catch {
this.#networkDomainEnabled = !enable;
}
}

async #enableFetch(stages: FetchStages) {
const patterns: Protocol.Fetch.EnableRequest['patterns'] = [];

Expand All @@ -463,11 +457,7 @@ export class CdpTarget {
requestStage: 'Response',
});
}
if (
// Only enable interception when Network is enabled
this.#networkDomainEnabled &&
patterns.length
) {
if (patterns.length) {
const oldStages = this.#fetchDomainStages;
this.#fetchDomainStages = stages;
try {
Expand Down Expand Up @@ -503,29 +493,19 @@ export class CdpTarget {
this.#fetchDomainStages.request !== stages.request ||
this.#fetchDomainStages.response !== stages.response ||
this.#fetchDomainStages.auth !== stages.auth;
const networkEnable = this.isSubscribedTo(BiDiModule.Network);
const networkChanged = this.#networkDomainEnabled !== networkEnable;

this.#logger?.(
LogType.debugInfo,
'Toggle Network',
`Fetch (${fetchEnable}) ${fetchChanged}`,
`Network (${networkEnable}) ${networkChanged}`,
);

if (networkEnable && networkChanged) {
await this.#toggleNetwork(true);
}
if (fetchEnable && fetchChanged) {
await this.#enableFetch(stages);
}
if (!fetchEnable && fetchChanged) {
await this.#disableFetch();
}

if (!networkEnable && networkChanged && !fetchEnable && !fetchChanged) {
await this.#toggleNetwork(false);
}
}

/**
Expand Down
36 changes: 36 additions & 0 deletions src/bidiMapper/modules/cdp/TargetEvents.ts
Original file line number Diff line number Diff line change
@@ -0,0 +1,36 @@
/*
* Copyright 2024 Google LLC.
* Copyright (c) Microsoft Corporation.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*/

/**
* `FrameStartedNavigating` event addressing lack of such an event in CDP. It is emitted
* on CdpTarget before each `Network.requestWillBeSent` event. Note that there can be
* several `Network.requestWillBeSent` events for a single navigation e.g. on redirection,
* so the `FrameStartedNavigating` can be duplicated as well.
* http://go/webdriver:detect-navigation-started#bookmark=id.64balpqrmadv
*/
export const enum TargetEvents {
FrameStartedNavigating = 'frameStartedNavigating',
}

export type TargetEventMap = {
[TargetEvents.FrameStartedNavigating]: {
loaderId: string;
url: string;
frameId: string | undefined;
};
};
9 changes: 9 additions & 0 deletions src/bidiMapper/modules/context/BrowsingContextImpl.ts
Original file line number Diff line number Diff line change
Expand Up @@ -36,6 +36,7 @@ import {type LoggerFn, LogType} from '../../../utils/log.js';
import {getTimestamp} from '../../../utils/time.js';
import {inchesFromCm} from '../../../utils/unitConversions.js';
import type {CdpTarget} from '../cdp/CdpTarget.js';
import {TargetEvents} from '../cdp/TargetEvents';
import type {Realm} from '../script/Realm.js';
import type {RealmStorage} from '../script/RealmStorage.js';
import {WindowRealm} from '../script/WindowRealm.js';
Expand Down Expand Up @@ -390,6 +391,14 @@ export class BrowsingContextImpl {
this.#deleteAllChildren();
});

this.#cdpTarget.on(TargetEvents.FrameStartedNavigating, (params) => {
this.#logger?.(
LogType.debugInfo,
`Received ${TargetEvents.FrameStartedNavigating} event`,
params,
);
});

this.#cdpTarget.cdpClient.on('Page.navigatedWithinDocument', (params) => {
if (this.id !== params.frameId) {
return;
Expand Down
2 changes: 1 addition & 1 deletion src/cdp/CdpClient.ts
Original file line number Diff line number Diff line change
Expand Up @@ -26,7 +26,7 @@ export type CdpEvents = {
[Property in keyof ProtocolMapping.Events]: ProtocolMapping.Events[Property][0];
};

/** A error that will be thrown if/when the connection is closed. */
/** An error that will be thrown if/when the connection is closed. */
export class CloseError extends Error {}

export interface CdpClient extends EventEmitter<CdpEvents> {
Expand Down
30 changes: 0 additions & 30 deletions tests/network/test_network.py
Original file line number Diff line number Diff line change
Expand Up @@ -421,36 +421,6 @@ async def test_network_before_request_sent_event_with_data_url_emitted(
})


@pytest.mark.asyncio
async def test_network_specific_context_subscription_does_not_enable_cdp_network_globally(
websocket, context_id, create_context, url_base):
await subscribe(websocket, ["network.beforeRequestSent"], [context_id])

new_context_id = await create_context()

await subscribe(websocket, ["cdp.Network.requestWillBeSent"])

command_id = await send_JSON_command(
websocket, {
"method": "browsingContext.navigate",
"params": {
"url": url_base,
"wait": "complete",
"context": new_context_id
}
})
resp = await read_JSON_message(websocket)
while "id" not in resp:
# Assert CDP events are not from Network.
assert resp["method"].startswith("cdp")
assert not resp["params"]["event"].startswith("Network"), \
"There should be no `Network` cdp events, but was " \
f"`{ resp['params']['event'] }` "
resp = await read_JSON_message(websocket)

assert resp == AnyExtending({"type": "success", "id": command_id})


@pytest.mark.asyncio
async def test_network_sends_only_included_cookies(websocket, context_id,
url_base):
Expand Down
Loading