This repository has been archived by the owner on Sep 11, 2024. It is now read-only.
-
-
Notifications
You must be signed in to change notification settings - Fork 829
Add tests for RoomList #1877
Merged
Merged
Add tests for RoomList #1877
Changes from all commits
Commits
Show all changes
6 commits
Select commit
Hold shift + click to select a range
dc20f32
Move waitForUpdate to test-utils
lukebarnard1 3e55a45
Mock getGroups on MatrixClient for RoomList _makeGroupInviteTiles
lukebarnard1 8fcb530
Install lolex for clock mocking in tests
lukebarnard1 80d251b
Add tests for optimistic updates of moving room tiles
lukebarnard1 e15b390
Add tests for testing room tile updates when tags (groups in LLP) are…
lukebarnard1 c06a04a
Fix unrelated linting issue
lukebarnard1 File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,293 @@ | ||
import React from 'react'; | ||
import ReactTestUtils from 'react-addons-test-utils'; | ||
import ReactDOM from 'react-dom'; | ||
import expect from 'expect'; | ||
import lolex from 'lolex'; | ||
|
||
import * as TestUtils from 'test-utils'; | ||
|
||
import sdk from '../../../../src/index'; | ||
import MatrixClientPeg from '../../../../src/MatrixClientPeg'; | ||
import { DragDropContext } from 'react-beautiful-dnd'; | ||
|
||
import dis from '../../../../src/dispatcher'; | ||
import DMRoomMap from '../../../../src/utils/DMRoomMap.js'; | ||
import GroupStore from '../../../../src/stores/GroupStore.js'; | ||
|
||
import { Room, RoomMember } from 'matrix-js-sdk'; | ||
|
||
function generateRoomId() { | ||
return '!' + Math.random().toString().slice(2, 10) + ':domain'; | ||
} | ||
|
||
function createRoom(opts) { | ||
const room = new Room(generateRoomId()); | ||
if (opts) { | ||
Object.assign(room, opts); | ||
} | ||
return room; | ||
} | ||
|
||
describe('RoomList', () => { | ||
let parentDiv = null; | ||
let sandbox = null; | ||
let client = null; | ||
let root = null; | ||
const myUserId = '@me:domain'; | ||
let clock = null; | ||
|
||
const movingRoomId = '!someroomid'; | ||
let movingRoom; | ||
let otherRoom; | ||
|
||
let myMember; | ||
let myOtherMember; | ||
|
||
beforeEach(function() { | ||
TestUtils.beforeEach(this); | ||
sandbox = TestUtils.stubClient(sandbox); | ||
client = MatrixClientPeg.get(); | ||
client.credentials = {userId: myUserId}; | ||
|
||
clock = lolex.install(); | ||
|
||
DMRoomMap.makeShared(); | ||
|
||
parentDiv = document.createElement('div'); | ||
document.body.appendChild(parentDiv); | ||
|
||
const RoomList = sdk.getComponent('views.rooms.RoomList'); | ||
const WrappedRoomList = TestUtils.wrapInMatrixClientContext(RoomList); | ||
root = ReactDOM.render( | ||
<DragDropContext> | ||
<WrappedRoomList searchFilter="" /> | ||
</DragDropContext> | ||
, parentDiv); | ||
ReactTestUtils.findRenderedComponentWithType(root, RoomList); | ||
|
||
movingRoom = createRoom({name: 'Moving room'}); | ||
expect(movingRoom.roomId).toNotBe(null); | ||
|
||
// Mock joined member | ||
myMember = new RoomMember(movingRoomId, myUserId); | ||
myMember.membership = 'join'; | ||
movingRoom.getMember = (userId) => ({ | ||
[client.credentials.userId]: myMember, | ||
}[userId]); | ||
|
||
otherRoom = createRoom({name: 'Other room'}); | ||
myOtherMember = new RoomMember(otherRoom.roomId, myUserId); | ||
myOtherMember.membership = 'join'; | ||
otherRoom.getMember = (userId) => ({ | ||
[client.credentials.userId]: myOtherMember, | ||
}[userId]); | ||
|
||
// Mock the matrix client | ||
client.getRooms = () => [ | ||
movingRoom, | ||
otherRoom, | ||
createRoom({tags: {'m.favourite': {order: 0.1}}, name: 'Some other room'}), | ||
createRoom({tags: {'m.favourite': {order: 0.2}}, name: 'Some other room 2'}), | ||
createRoom({tags: {'m.lowpriority': {}}, name: 'Some unimportant room'}), | ||
createRoom({tags: {'custom.tag': {}}, name: 'Some room customly tagged'}), | ||
]; | ||
|
||
const roomMap = {}; | ||
client.getRooms().forEach((r) => { | ||
roomMap[r.roomId] = r; | ||
}); | ||
|
||
client.getRoom = (roomId) => roomMap[roomId]; | ||
}); | ||
|
||
afterEach((done) => { | ||
if (parentDiv) { | ||
ReactDOM.unmountComponentAtNode(parentDiv); | ||
parentDiv.remove(); | ||
parentDiv = null; | ||
} | ||
sandbox.restore(); | ||
|
||
clock.uninstall(); | ||
|
||
done(); | ||
}); | ||
|
||
function expectRoomInSubList(room, subListTest) { | ||
const RoomSubList = sdk.getComponent('structures.RoomSubList'); | ||
const RoomTile = sdk.getComponent('views.rooms.RoomTile'); | ||
|
||
const subLists = ReactTestUtils.scryRenderedComponentsWithType(root, RoomSubList); | ||
const containingSubList = subLists.find(subListTest); | ||
|
||
let expectedRoomTile; | ||
try { | ||
const roomTiles = ReactTestUtils.scryRenderedComponentsWithType(containingSubList, RoomTile); | ||
console.info({roomTiles: roomTiles.length}); | ||
expectedRoomTile = roomTiles.find((tile) => tile.props.room === room); | ||
} catch (err) { | ||
// truncate the error message because it's spammy | ||
err.message = 'Error finding RoomTile for ' + room.roomId + ' in ' + | ||
subListTest + ': ' + | ||
err.message.split('componentType')[0] + '...'; | ||
throw err; | ||
} | ||
|
||
expect(expectedRoomTile).toExist(); | ||
expect(expectedRoomTile.props.room).toBe(room); | ||
} | ||
|
||
function expectCorrectMove(oldTag, newTag) { | ||
const getTagSubListTest = (tag) => { | ||
if (tag === undefined) return (s) => s.props.label.endsWith('Rooms'); | ||
return (s) => s.props.tagName === tag; | ||
}; | ||
|
||
// Default to finding the destination sublist with newTag | ||
const destSubListTest = getTagSubListTest(newTag); | ||
const srcSubListTest = getTagSubListTest(oldTag); | ||
|
||
// Set up the room that will be moved such that it has the correct state for a room in | ||
// the section for oldTag | ||
if (['m.favourite', 'm.lowpriority'].includes(oldTag)) movingRoom.tags = {[oldTag]: {}}; | ||
if (oldTag === 'im.vector.fake.direct') { | ||
// Mock inverse m.direct | ||
DMRoomMap.shared().roomToUser = { | ||
[movingRoom.roomId]: '@someotheruser:domain', | ||
}; | ||
} | ||
|
||
dis.dispatch({action: 'MatrixActions.sync', prevState: null, state: 'PREPARED', matrixClient: client}); | ||
|
||
clock.runAll(); | ||
|
||
expectRoomInSubList(movingRoom, srcSubListTest); | ||
|
||
dis.dispatch({action: 'RoomListActions.tagRoom.pending', request: { | ||
oldTag, newTag, room: movingRoom, | ||
}}); | ||
|
||
// Run all setTimeouts for dispatches and room list rate limiting | ||
clock.runAll(); | ||
|
||
expectRoomInSubList(movingRoom, destSubListTest); | ||
} | ||
|
||
function itDoesCorrectOptimisticUpdatesForDraggedRoomTiles() { | ||
describe('does correct optimistic update when dragging from', () => { | ||
it('rooms to people', () => { | ||
expectCorrectMove(undefined, 'im.vector.fake.direct'); | ||
}); | ||
|
||
it('rooms to favourites', () => { | ||
expectCorrectMove(undefined, 'm.favourite'); | ||
}); | ||
|
||
it('rooms to low priority', () => { | ||
expectCorrectMove(undefined, 'm.lowpriority'); | ||
}); | ||
|
||
// XXX: Known to fail - the view does not update immediately to reflect the change. | ||
// Whe running the app live, it updates when some other event occurs (likely the | ||
// m.direct arriving) that these tests do not fire. | ||
xit('people to rooms', () => { | ||
expectCorrectMove('im.vector.fake.direct', undefined); | ||
}); | ||
|
||
it('people to favourites', () => { | ||
expectCorrectMove('im.vector.fake.direct', 'm.favourite'); | ||
}); | ||
|
||
it('people to lowpriority', () => { | ||
expectCorrectMove('im.vector.fake.direct', 'm.lowpriority'); | ||
}); | ||
|
||
it('low priority to rooms', () => { | ||
expectCorrectMove('m.lowpriority', undefined); | ||
}); | ||
|
||
it('low priority to people', () => { | ||
expectCorrectMove('m.lowpriority', 'im.vector.fake.direct'); | ||
}); | ||
|
||
it('low priority to low priority', () => { | ||
expectCorrectMove('m.lowpriority', 'm.lowpriority'); | ||
}); | ||
|
||
it('favourites to rooms', () => { | ||
expectCorrectMove('m.favourite', undefined); | ||
}); | ||
|
||
it('favourites to people', () => { | ||
expectCorrectMove('m.favourite', 'im.vector.fake.direct'); | ||
}); | ||
|
||
it('favourites to low priority', () => { | ||
expectCorrectMove('m.favourite', 'm.lowpriority'); | ||
}); | ||
}); | ||
} | ||
|
||
describe('when no tags are selected', () => { | ||
itDoesCorrectOptimisticUpdatesForDraggedRoomTiles(); | ||
}); | ||
|
||
describe('when tags are selected', () => { | ||
function setupSelectedTag() { | ||
// Simulate a complete sync BEFORE dispatching anything else | ||
dis.dispatch({ | ||
action: 'MatrixActions.sync', | ||
prevState: null, | ||
state: 'PREPARED', | ||
matrixClient: client, | ||
}, true); | ||
|
||
// Simulate joined groups being received | ||
dis.dispatch({ | ||
action: 'GroupActions.fetchJoinedGroups.success', | ||
result: { | ||
groups: ['+group:domain'], | ||
}, | ||
}, true); | ||
|
||
// Simulate receiving tag ordering account data | ||
dis.dispatch({ | ||
action: 'MatrixActions.accountData', | ||
event_type: 'im.vector.web.tag_ordering', | ||
event_content: { | ||
tags: ['+group:domain'], | ||
}, | ||
}, true); | ||
|
||
// GroupStore is not flux, mock and notify | ||
GroupStore.getGroupRooms = (groupId) => { | ||
return [movingRoom]; | ||
}; | ||
GroupStore._notifyListeners(); | ||
|
||
// Select tag | ||
dis.dispatch({action: 'select_tag', tag: '+group:domain'}, true); | ||
} | ||
|
||
beforeEach(() => { | ||
setupSelectedTag(); | ||
}); | ||
|
||
it('displays the correct rooms when the groups rooms are changed', () => { | ||
GroupStore.getGroupRooms = (groupId) => { | ||
return [movingRoom, otherRoom]; | ||
}; | ||
GroupStore._notifyListeners(); | ||
|
||
// Run through RoomList debouncing | ||
clock.runAll(); | ||
|
||
// By default, the test will | ||
expectRoomInSubList(otherRoom, (s) => s.props.label.endsWith('Rooms')); | ||
}); | ||
|
||
itDoesCorrectOptimisticUpdatesForDraggedRoomTiles(); | ||
}); | ||
}); | ||
|
||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Probably a bit moot in this case, but in general for unit tests where nothing is stored between runs, I would probably use the same data each time to make them completely deterministic.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
IRL we discussed and decided that it's ok to do this for room IDs (as here we simulate a homeserver randomly generating unique IDs and the app should be totally ambivalent to the content of the IDs)