test: Fix Audio render tests and added more

This commit is contained in:
Valere
2025-10-08 14:48:40 +02:00
parent afe004c6e7
commit 427a8dd644
3 changed files with 148 additions and 100 deletions

View File

@@ -6,21 +6,24 @@ Please see LICENSE in the repository root for full details.
*/ */
import { afterEach, beforeEach, expect, it, vi } from "vitest"; import { afterEach, beforeEach, expect, it, vi } from "vitest";
import { render } from "@testing-library/react"; import { render, type RenderResult } from "@testing-library/react";
import { import {
getTrackReferenceId, getTrackReferenceId,
type TrackReference, type TrackReference,
} from "@livekit/components-core"; } from "@livekit/components-core";
import { type RemoteAudioTrack } from "livekit-client"; import {
type Participant,
type RemoteAudioTrack,
type RemoteParticipant,
type Room,
} from "livekit-client";
import { type ReactNode } from "react"; import { type ReactNode } from "react";
import { useTracks } from "@livekit/components-react"; import { useTracks } from "@livekit/components-react";
import { of } from "rxjs";
import { testAudioContext } from "../useAudioContext.test"; import { testAudioContext } from "../useAudioContext.test";
import * as MediaDevicesContext from "../MediaDevicesContext"; import * as MediaDevicesContext from "../MediaDevicesContext";
import { LivekitRoomAudioRenderer } from "./MatrixAudioRenderer"; import { LivekitRoomAudioRenderer } from "./MatrixAudioRenderer";
import { import {
mockLivekitRoom,
mockMatrixRoomMember, mockMatrixRoomMember,
mockMediaDevices, mockMediaDevices,
mockRtcMembership, mockRtcMembership,
@@ -54,90 +57,148 @@ vi.mock("@livekit/components-react", async (importOriginal) => {
}; };
}); });
const tracks = [mockTrack("test:123")]; let tracks: TrackReference[] = [];
vi.mocked(useTracks).mockReturnValue(tracks);
it("should render for member", () => { /**
// TODO this is duplicated test setup in all tests * Render the test component with given rtc members and livekit participant identities.
const localRtcMember = mockRtcMembership("@carol:example.org", "CCCC"); *
const carol = mockMatrixRoomMember(localRtcMember); * It is possible to have rtc members that are not in livekit (e.g. not yet joined) and vice versa.
const p = { *
id: "test:123", * @param rtcMembers - Array of active rtc members with userId and deviceId.
participant: undefined, * @param livekitParticipantIdentities - Array of livekit participant (that are publishing).
member: carol, * */
};
const livekitRoom = mockLivekitRoom( function renderTestComponent(
{}, rtcMembers: { userId: string; deviceId: string }[],
{ livekitParticipantIdentities: ({ id: string; isLocal?: boolean } | string)[],
remoteParticipants$: of([]), ): RenderResult {
}, const liveKitParticipants = livekitParticipantIdentities.map((p) => {
); const identity = typeof p === "string" ? p : p.id;
const { container, queryAllByTestId } = render( const isLocal = typeof p === "string" ? false : (p.isLocal ?? false);
return vi.mocked<RemoteParticipant>({
identity,
isLocal,
} as unknown as RemoteParticipant);
});
const participants = rtcMembers.map(({ userId, deviceId }) => {
const p = liveKitParticipants.find(
(p) => p.identity === `${userId}:${deviceId}`,
);
const localRtcMember = mockRtcMembership(userId, deviceId);
const member = mockMatrixRoomMember(localRtcMember);
return {
id: `${userId}:${deviceId}`,
participant: p,
member,
};
});
const livekitRoom = vi.mocked<Room>({
remoteParticipants: new Map<string, Participant>(
liveKitParticipants.map((p) => [p.identity, p]),
),
} as unknown as Room);
tracks = participants
.filter((p) => p.participant)
.map((p) => mockTrack(p.participant!)) as TrackReference[];
vi.mocked(useTracks).mockReturnValue(tracks);
return render(
<MediaDevicesProvider value={mockMediaDevices({})}> <MediaDevicesProvider value={mockMediaDevices({})}>
<LivekitRoomAudioRenderer <LivekitRoomAudioRenderer
participants={[p]} participants={participants}
livekitRoom={livekitRoom} livekitRoom={livekitRoom}
url={""} url={""}
/> />
</MediaDevicesProvider>, </MediaDevicesProvider>,
); );
}
it("should render for member", () => {
const { container, queryAllByTestId } = renderTestComponent(
[{ userId: "@alice", deviceId: "DEV0" }],
["@alice:DEV0"],
);
expect(container).toBeTruthy(); expect(container).toBeTruthy();
expect(queryAllByTestId("audio")).toHaveLength(1); expect(queryAllByTestId("audio")).toHaveLength(1);
}); });
it("should not render without member", () => { it("should not render without member", () => {
// const memberships = [ const { container, queryAllByTestId } = renderTestComponent(
// { sender: "othermember", deviceId: "123" }, [{ userId: "@bob", deviceId: "DEV0" }],
// ] as CallMembership[]; ["@alice:DEV0"],
const localRtcMember = mockRtcMembership("@carol:example.org", "CCCC");
const carol = mockMatrixRoomMember(localRtcMember);
const p = {
id: "test:123",
participant: undefined,
member: carol,
};
const livekitRoom = mockLivekitRoom(
{},
{
remoteParticipants$: of([]),
},
);
const { container, queryAllByTestId } = render(
<MediaDevicesProvider value={mockMediaDevices({})}>
<LivekitRoomAudioRenderer
participants={[p]}
livekitRoom={livekitRoom}
url={""}
/>
</MediaDevicesProvider>,
); );
expect(container).toBeTruthy(); expect(container).toBeTruthy();
expect(queryAllByTestId("audio")).toHaveLength(0); expect(queryAllByTestId("audio")).toHaveLength(0);
}); });
const TEST_CASES: {
rtcUsers: { userId: string; deviceId: string }[];
livekitParticipantIdentities: (string | { id: string; isLocal?: boolean })[];
expectedAudioTracks: number;
}[] = [
{
rtcUsers: [
{ userId: "@alice", deviceId: "DEV0" },
{ userId: "@alice", deviceId: "DEV1" },
{ userId: "@bob", deviceId: "DEV0" },
],
livekitParticipantIdentities: [
{ id: "@alice:DEV0" },
"@bob:DEV0",
"@alice:DEV1",
],
expectedAudioTracks: 3,
},
// Alice DEV0 is local participant, should not render
{
rtcUsers: [
{ userId: "@alice", deviceId: "DEV0" },
{ userId: "@alice", deviceId: "DEV1" },
{ userId: "@bob", deviceId: "DEV0" },
],
livekitParticipantIdentities: [
{ id: "@alice:DEV0", isLocal: true },
"@bob:DEV0",
"@alice:DEV1",
],
expectedAudioTracks: 2,
},
// Charlie is a rtc member but not in livekit
{
rtcUsers: [
{ userId: "@alice", deviceId: "DEV0" },
{ userId: "@bob", deviceId: "DEV0" },
{ userId: "@charlie", deviceId: "DEV0" },
],
livekitParticipantIdentities: ["@alice:DEV0", { id: "@bob:DEV0" }],
expectedAudioTracks: 2,
},
// Charlie is in livekit but not rtc member
{
rtcUsers: [
{ userId: "@alice", deviceId: "DEV0" },
{ userId: "@bob", deviceId: "DEV0" },
],
livekitParticipantIdentities: ["@alice:DEV0", "@bob:DEV0", "@charlie:DEV0"],
expectedAudioTracks: 2,
},
];
TEST_CASES.forEach(
({ rtcUsers, livekitParticipantIdentities, expectedAudioTracks }, index) => {
it(`should render sound test cases #${index + 1}`, () => {
const { queryAllByTestId } = renderTestComponent(
rtcUsers,
livekitParticipantIdentities,
);
expect(queryAllByTestId("audio")).toHaveLength(expectedAudioTracks);
});
},
);
it("should not setup audioContext gain and pan if there is no need to.", () => { it("should not setup audioContext gain and pan if there is no need to.", () => {
const localRtcMember = mockRtcMembership("@carol:example.org", "CCCC"); renderTestComponent([{ userId: "@bob", deviceId: "DEV0" }], ["@bob:DEV0"]);
const carol = mockMatrixRoomMember(localRtcMember);
const p = {
id: "test:123",
participant: undefined,
member: carol,
};
const livekitRoom = mockLivekitRoom(
{},
{
remoteParticipants$: of([]),
},
);
render(
<MediaDevicesProvider value={mockMediaDevices({})}>
<LivekitRoomAudioRenderer
participants={[p]}
livekitRoom={livekitRoom}
url={""}
/>
</MediaDevicesProvider>,
);
const audioTrack = tracks[0].publication.track! as RemoteAudioTrack; const audioTrack = tracks[0].publication.track! as RemoteAudioTrack;
expect(audioTrack.setAudioContext).toHaveBeenCalledTimes(1); expect(audioTrack.setAudioContext).toHaveBeenCalledTimes(1);
@@ -154,28 +215,8 @@ it("should setup audioContext gain and pan", () => {
pan: 1, pan: 1,
volume: 0.1, volume: 0.1,
}); });
const localRtcMember = mockRtcMembership("@carol:example.org", "CCCC");
const carol = mockMatrixRoomMember(localRtcMember); renderTestComponent([{ userId: "@bob", deviceId: "DEV0" }], ["@bob:DEV0"]);
const p = {
id: "test:123",
participant: undefined,
member: carol,
};
const livekitRoom = mockLivekitRoom(
{},
{
remoteParticipants$: of([]),
},
);
render(
<MediaDevicesProvider value={mockMediaDevices({})}>
<LivekitRoomAudioRenderer
participants={[p]}
url={""}
livekitRoom={livekitRoom}
/>
</MediaDevicesProvider>,
);
const audioTrack = tracks[0].publication.track! as RemoteAudioTrack; const audioTrack = tracks[0].publication.track! as RemoteAudioTrack;
expect(audioTrack.setAudioContext).toHaveBeenCalled(); expect(audioTrack.setAudioContext).toHaveBeenCalled();

View File

@@ -32,6 +32,7 @@ export interface MatrixAudioRendererProps {
* This list needs to be composed based on the matrixRTC members so that we do not play audio from users * This list needs to be composed based on the matrixRTC members so that we do not play audio from users
* that are not expected to be in the rtc session. * that are not expected to be in the rtc session.
*/ */
// TODO: Why do we have this structure? looks like we only need the valid/active participants (not the room member or id)?
participants: { participants: {
id: string; id: string;
// TODO it appears to be optional as per InCallView? but what does that mean here? a rtc member not yet joined in livekit? // TODO it appears to be optional as per InCallView? but what does that mean here? a rtc member not yet joined in livekit?
@@ -66,8 +67,15 @@ export function LivekitRoomAudioRenderer({
participants, participants,
muted, muted,
}: MatrixAudioRendererProps): ReactNode { }: MatrixAudioRendererProps): ReactNode {
const participantSet = useMemo( // This is the list of valid identities that are allowed to play audio.
() => new Set(participants.map(({ participant }) => participant)), // It is derived from the list of matrix rtc members.
const validIdentities = useMemo(
() =>
new Set(
participants
.filter(({ participant }) => participant) // filter out participants that are not yet joined in livekit
.map(({ participant }) => participant!.identity),
),
[participants], [participants],
); );
@@ -102,7 +110,7 @@ export function LivekitRoomAudioRenderer({
room: livekitRoom, room: livekitRoom,
}, },
).filter((ref) => { ).filter((ref) => {
const isValid = participantSet?.has(ref.participant); const isValid = validIdentities.has(ref.participant.identity);
if (!isValid && !ref.participant.isLocal) if (!isValid && !ref.participant.isLocal)
logInvalid(ref.participant.identity); logInvalid(ref.participant.identity);
return ( return (
@@ -115,14 +123,14 @@ export function LivekitRoomAudioRenderer({
useEffect(() => { useEffect(() => {
if ( if (
loggedInvalidIdentities.current.size && loggedInvalidIdentities.current.size &&
tracks.every((t) => participantSet.has(t.participant)) tracks.every((t) => validIdentities.has(t.participant.identity))
) { ) {
logger.debug( logger.debug(
`[MatrixAudioRenderer] All audio tracks from ${url} have a matching matrix call member identity.`, `[MatrixAudioRenderer] All audio tracks from ${url} have a matching matrix call member identity.`,
); );
loggedInvalidIdentities.current.clear(); loggedInvalidIdentities.current.clear();
} }
}, [tracks, participantSet, url]); }, [tracks, validIdentities, url]);
// This component is also (in addition to the "only play audio for connected members" logic above) // This component is also (in addition to the "only play audio for connected members" logic above)
// responsible for mimicking earpiece audio on iPhones. // responsible for mimicking earpiece audio on iPhones.

View File

@@ -28,6 +28,7 @@ import { type MembershipManagerEventHandlerMap } from "matrix-js-sdk/lib/matrixr
import { import {
type LocalParticipant, type LocalParticipant,
type LocalTrackPublication, type LocalTrackPublication,
type Participant,
type RemoteParticipant, type RemoteParticipant,
type RemoteTrackPublication, type RemoteTrackPublication,
type Room as LivekitRoom, type Room as LivekitRoom,
@@ -392,11 +393,9 @@ export class MockRTCSession extends TypedEventEmitter<
} }
} }
export const mockTrack = (identity: string): TrackReference => export const mockTrack = (participant: Participant): TrackReference =>
({ ({
participant: { participant,
identity,
},
publication: { publication: {
kind: Track.Kind.Audio, kind: Track.Kind.Audio,
source: "mic", source: "mic",