Skip to content

Widget: Don't allow un-encrypted to-device traffic if the room is encrypted (parity with rust widget driver) #30241

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

Open
wants to merge 4 commits into
base: develop
Choose a base branch
from
Open
Show file tree
Hide file tree
Changes from 3 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
37 changes: 31 additions & 6 deletions src/stores/widgets/StopGapWidget.ts
Original file line number Diff line number Diff line change
Expand Up @@ -13,6 +13,7 @@ import {
type MatrixClient,
ClientEvent,
RoomStateEvent,
type ReceivedToDeviceMessage,
} from "matrix-js-sdk/src/matrix";
import { KnownMembership } from "matrix-js-sdk/src/types";
import {
Expand Down Expand Up @@ -360,7 +361,7 @@ export class StopGapWidget extends EventEmitter {
this.client.on(ClientEvent.Event, this.onEvent);
this.client.on(MatrixEventEvent.Decrypted, this.onEventDecrypted);
this.client.on(RoomStateEvent.Events, this.onStateUpdate);
this.client.on(ClientEvent.ToDeviceEvent, this.onToDeviceEvent);
this.client.on(ClientEvent.ReceivedToDeviceMessage, this.onToDeviceMessage);

this.messaging.on(
`action:${WidgetApiFromWidgetAction.UpdateAlwaysOnScreen}`,
Expand Down Expand Up @@ -493,7 +494,7 @@ export class StopGapWidget extends EventEmitter {
this.client.off(ClientEvent.Event, this.onEvent);
this.client.off(MatrixEventEvent.Decrypted, this.onEventDecrypted);
this.client.off(RoomStateEvent.Events, this.onStateUpdate);
this.client.off(ClientEvent.ToDeviceEvent, this.onToDeviceEvent);
this.client.off(ClientEvent.ReceivedToDeviceMessage, this.onToDeviceMessage);
}

private onEvent = (ev: MatrixEvent): void => {
Expand All @@ -513,10 +514,34 @@ export class StopGapWidget extends EventEmitter {
});
};

private onToDeviceEvent = async (ev: MatrixEvent): Promise<void> => {
await this.client.decryptEventIfNeeded(ev);
if (ev.isDecryptionFailure()) return;
await this.messaging?.feedToDevice(ev.getEffectiveEvent() as IRoomEvent, ev.isEncrypted());
private onToDeviceMessage = async (payload: ReceivedToDeviceMessage): Promise<void> => {
// Check if the room the widget is in is end-to-end encrypted
let acceptEncryptedTrafficOnly: boolean;
if (this.roomId && this.client.getCrypto()) {
acceptEncryptedTrafficOnly = await this.client.getCrypto()!.isEncryptionEnabledInRoom(this.roomId);
} else {
// If the widget is not in a room, default to encrypted traffic only
acceptEncryptedTrafficOnly = true;
}
const { message, encryptionInfo } = payload;

if (acceptEncryptedTrafficOnly) {
// Only pass on to-device messages that are encrypted
if (encryptionInfo != null) {
// TODO: Update the widget API to use a proper IToDeviceMessage instead of a IRoomEvent
await this.messaging?.feedToDevice(message as IRoomEvent, true);
} else {
logger.warn(
`Received to-device event in clear for a widget in an e2e room (${this.roomId}), dropping.`,
);
}
return;
} else {
// Forward to the widget.
// It is ok to send an encrypted to-device message even if the room is clear.
// TODO: Update the widget API to use a proper IToDeviceMessage instead of a IRoomEvent
await this.messaging?.feedToDevice(message as IRoomEvent, encryptionInfo != null);
}
};

/**
Expand Down
18 changes: 16 additions & 2 deletions src/stores/widgets/StopGapWidgetDriver.ts
Original file line number Diff line number Diff line change
Expand Up @@ -424,8 +424,22 @@ export class StopGapWidgetDriver extends WidgetDriver {
): Promise<void> {
const client = MatrixClientPeg.safeGet();

if (encrypted) {
const crypto = client.getCrypto();
const crypto = client.getCrypto();

let forceEncryptedTraffic: boolean;
if (crypto) {
if (this.inRoomId) {
forceEncryptedTraffic = await client.getCrypto()!.isEncryptionEnabledInRoom(this.inRoomId);
} else {
// If the widget is not in a room, we default to only encrypted traffic
forceEncryptedTraffic = true;
}
} else {
// If the client does not have crypto we default to not allowing encrypted traffic?
forceEncryptedTraffic = false;
}

if (forceEncryptedTraffic || encrypted) {
if (!crypto) throw new Error("E2EE not enabled");

// attempt to re-batch these up into a single request
Expand Down
1 change: 1 addition & 0 deletions test/test-utils/test-utils.ts
Original file line number Diff line number Diff line change
Expand Up @@ -158,6 +158,7 @@ export function createTestClient(): MatrixClient {
isSecretStorageReady: jest.fn().mockResolvedValue(false),
deleteKeyBackupVersion: jest.fn(),
crossSignDevice: jest.fn(),
encryptToDeviceMessages: jest.fn(),
}),

getPushActionsForEvent: jest.fn(),
Expand Down
115 changes: 108 additions & 7 deletions test/unit-tests/stores/widgets/StopGapWidget-test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -83,16 +83,117 @@ describe("StopGapWidget", () => {
});

it("feeds incoming to-device messages to the widget", async () => {
const event = mkEvent({
event: true,
type: "org.example.foo",
user: "@alice:example.org",
content: { hello: "world" },
const receivedToDevice = {
message: {
type: "org.example.foo",
sender: "@alice:example.org",
content: {
hello: "world",
},
},
encryptionInfo: null,
};

client.emit(ClientEvent.ReceivedToDeviceMessage, receivedToDevice);
await Promise.resolve(); // flush promises
expect(messaging.feedToDevice).toHaveBeenCalledWith(receivedToDevice.message, false);
});

it("feeds incoming encrypted to-device messages to the widget", async () => {
const receivedToDevice = {
message: {
type: "org.example.foo",
sender: "@alice:example.org",
content: {
hello: "world",
},
},
encryptionInfo: {
senderVerified: false,
sender: "@alice:example.org",
senderCurve25519KeyBase64: "",
senderDevice: "ABCDEFGHI",
},
};

client.emit(ClientEvent.ReceivedToDeviceMessage, receivedToDevice);
await Promise.resolve(); // flush promises
expect(messaging.feedToDevice).toHaveBeenCalledWith(receivedToDevice.message, true);
});

it("Drop sent in clear to-device messages if room is encrypted.", async () => {
jest.spyOn(client.getCrypto()!, "isEncryptionEnabledInRoom").mockResolvedValue(true);

const clearReceivedToDevice = {
message: {
type: "org.example.foo",
sender: "@alice:example.org",
content: {
hello: "spoofed world",
},
},
encryptionInfo: null,
};

client.emit(ClientEvent.ReceivedToDeviceMessage, clearReceivedToDevice);
await Promise.resolve(); // flush promises
expect(messaging.feedToDevice).not.toHaveBeenCalled();

const encryptedReceivedToDevice = {
message: {
type: "org.example.foo",
sender: "@alice:example.org",
content: {
hello: "Hello world",
},
},
encryptionInfo: {
senderVerified: false,
sender: "@alice:example.org",
senderCurve25519KeyBase64: "",
senderDevice: "ABCDEFGHI",
},
};

client.emit(ClientEvent.ReceivedToDeviceMessage, encryptedReceivedToDevice);
await Promise.resolve(); // flush promises
expect(messaging.feedToDevice).toHaveBeenCalledWith(encryptedReceivedToDevice.message, true);
});

it("Default to only encrypted traffic if there is no room.", async () => {
// Replace the widget with one that has no room
// first stop messaging to clear the previous widget
widget.stopMessaging();
widget = new StopGapWidget({
app: {
id: "test",
creatorUserId: "@alice:example.org",
type: "example",
url: "https://example.org?user-id=$matrix_user_id&device-id=$org.matrix.msc3819.matrix_device_id&base-url=$org.matrix.msc4039.matrix_base_url&theme=$org.matrix.msc2873.client_theme",
},
// no room provided
userId: "@alice:example.org",
creatorUserId: "@alice:example.org",
waitForIframeLoad: true,
userWidget: false,
});
// Start messaging without an iframe, since ClientWidgetApi is mocked
widget.startMessaging(null as unknown as HTMLIFrameElement);

const clearReceivedToDevice = {
message: {
type: "org.example.foo",
sender: "@alice:example.org",
content: {
hello: "spoofed world",
},
},
encryptionInfo: null,
};

client.emit(ClientEvent.ToDeviceEvent, event);
client.emit(ClientEvent.ReceivedToDeviceMessage, clearReceivedToDevice);
await Promise.resolve(); // flush promises
expect(messaging.feedToDevice).toHaveBeenCalledWith(event.getEffectiveEvent(), false);
expect(messaging.feedToDevice).not.toHaveBeenCalled();
});

it("feeds incoming state updates to the widget", () => {
Expand Down
93 changes: 68 additions & 25 deletions test/unit-tests/stores/widgets/StopGapWidgetDriver-test.ts
Original file line number Diff line number Diff line change
Expand Up @@ -190,6 +190,22 @@ describe("StopGapWidgetDriver", () => {

beforeEach(() => {
driver = mkDefaultDriver();

mocked(client.getCrypto()!.encryptToDeviceMessages).mockImplementation(
async (eventType, devices, payload) => {
return {
eventType: "m.room.encrypted",
batch: devices.map(({ userId, deviceId }) => ({
userId,
deviceId,
payload: {
type: "m.room.encrypted",
content: { ciphertext: "ciphertext" },
},
})),
};
},
);
});

it("sends unencrypted messages", async () => {
Expand All @@ -203,25 +219,54 @@ describe("StopGapWidgetDriver", () => {
});
});

it("sends encrypted messages", async () => {
const encryptToDeviceMessages = jest
.fn()
.mockImplementation(
(eventType, recipients: { userId: string; deviceId: string }[], content: object) => ({
eventType: "m.room.encrypted",
batch: recipients.map(({ userId, deviceId }) => ({
userId,
deviceId,
payload: {
eventType,
content,
},
})),
}),
);
it("should force encrypted traffic if room is e2ee", async () => {
mocked(client.getCrypto()!.isEncryptionEnabledInRoom).mockResolvedValue(true);

MatrixClientPeg.safeGet().getCrypto()!.encryptToDeviceMessages = encryptToDeviceMessages;
// Try to send with `encrypted: false`, but it should be forced to true
await driver.sendToDevice("org.example.foo", false, contentMap);
expect(client.getCrypto()!.encryptToDeviceMessages).toHaveBeenCalled();
expect(client.queueToDevice).toHaveBeenCalledWith(
expect.objectContaining({
eventType: "m.room.encrypted",
}),
);
});

it("Allow to send encrypted in clear room", async () => {
mocked(client.getCrypto()!.isEncryptionEnabledInRoom).mockResolvedValue(false);

await driver.sendToDevice("org.example.foo", true, contentMap);
expect(client.getCrypto()!.encryptToDeviceMessages).toHaveBeenCalled();
expect(client.queueToDevice).toHaveBeenCalledWith(
expect.objectContaining({
eventType: "m.room.encrypted",
}),
);
});

it("Should default to encrypted traffic for non-room widgets", async () => {
const driver = new StopGapWidgetDriver(
[],
new Widget({
id: "an_id",
creatorUserId: "@alice:example.org",
type: WidgetType.CUSTOM.preferred,
url: "https://call.element.io",
}),
WidgetKind.Account,
true,
);

await driver.sendToDevice("org.example.foo", false, contentMap);
expect(client.getCrypto()!.encryptToDeviceMessages).toHaveBeenCalled();
expect(client.queueToDevice).toHaveBeenCalledWith(
expect.objectContaining({
eventType: "m.room.encrypted",
}),
);
});

it("sends encrypted messages", async () => {
await driver.sendToDevice("org.example.foo", true, {
"@alice:example.org": {
aliceMobile: {
Expand All @@ -235,14 +280,14 @@ describe("StopGapWidgetDriver", () => {
},
});

expect(encryptToDeviceMessages).toHaveBeenCalledWith(
expect(client.getCrypto()!.encryptToDeviceMessages).toHaveBeenCalledWith(
"org.example.foo",
[{ deviceId: "aliceMobile", userId: "@alice:example.org" }],
{
hello: "alice",
},
);
expect(encryptToDeviceMessages).toHaveBeenCalledWith(
expect(client.getCrypto()!.encryptToDeviceMessages).toHaveBeenCalledWith(
"org.example.foo",
[{ deviceId: "bobDesktop", userId: "@bob:example.org" }],
{
Expand All @@ -252,21 +297,19 @@ describe("StopGapWidgetDriver", () => {
expect(client.queueToDevice).toHaveBeenCalledWith({
eventType: "m.room.encrypted",
batch: expect.arrayContaining([
{
expect.objectContaining({
deviceId: "aliceMobile",
payload: { content: { hello: "alice" }, eventType: "org.example.foo" },
userId: "@alice:example.org",
},
}),
]),
});
expect(client.queueToDevice).toHaveBeenCalledWith({
eventType: "m.room.encrypted",
batch: expect.arrayContaining([
{
expect.objectContaining({
deviceId: "bobDesktop",
payload: { content: { hello: "bob" }, eventType: "org.example.foo" },
userId: "@bob:example.org",
},
}),
]),
});
});
Expand Down
Loading