Browse Source

Add initial song list page for Jellyfin

- Add settings for pagination size
- Add view redux slice
- Add pagination component
master
jeffvli 3 years ago
committed by Jeff
parent
commit
a58bab7263
  1. 42
      src/__tests__/App.test.tsx
  2. 356
      src/components/library/MusicList.tsx
  3. 54
      src/components/settings/ConfigPanels/LookAndFeelConfig.tsx
  4. 102
      src/components/shared/Paginator.tsx
  5. 12
      src/components/shared/setDefaultSettings.ts
  6. 24
      src/components/shared/styled.ts
  7. 15
      src/components/viewtypes/ListViewTable.tsx
  8. 29
      src/components/viewtypes/ListViewType.tsx
  9. 2
      src/redux/folderSlice.ts
  10. 2
      src/redux/store.ts
  11. 59
      src/redux/viewSlice.ts
  12. 4
      src/shared/mockSettings.ts
  13. 1
      src/types.ts

42
src/__tests__/App.test.tsx

@ -15,6 +15,7 @@ import App from '../App';
import { AlbumPage } from '../redux/albumSlice';
import { Server } from '../types';
import { ArtistPage } from '../redux/artistSlice';
import { View } from '../redux/viewSlice';
const middlewares: Middleware<Record<string, unknown>, any, Dispatch<AnyAction>>[] | undefined = [];
const mockStore = configureMockStore(middlewares);
@ -114,6 +115,7 @@ const folderState: FolderSelection = {
dashboard: false,
search: false,
starred: false,
music: false,
},
currentViewedFolder: undefined,
};
@ -457,6 +459,21 @@ const artistState: ArtistPage = {
},
};
const viewState: View = {
music: {
filter: 'random',
sort: {
column: undefined,
type: 'asc',
},
pagination: {
recordsPerPage: 100,
activePage: 1,
pages: 1,
},
},
};
const mockInitialState = {
player: playerState,
playQueue: playQueueState,
@ -467,32 +484,11 @@ const mockInitialState = {
favorite: favoriteState,
album: albumState,
artist: artistState,
view: viewState,
};
describe('App', () => {
it('Should render with dark theme', () => {
const store = mockStore(mockInitialState);
expect(
render(
<Provider store={store}>
<App />
</Provider>
)
).toBeTruthy();
});
it('Should render with light theme', () => {
const store = mockStore(mockInitialState);
expect(
render(
<Provider store={store}>
<App />
</Provider>
)
).toBeTruthy();
});
it('Should render with no theme specified', () => {
it('Should render', () => {
const store = mockStore(mockInitialState);
expect(
render(

356
src/components/library/MusicList.tsx

@ -0,0 +1,356 @@
import React, { useEffect, useRef, useState } from 'react';
import _ from 'lodash';
import settings from 'electron-settings';
import { ButtonToolbar } from 'rsuite';
import { useQuery, useQueryClient } from 'react-query';
import ListViewType from '../viewtypes/ListViewType';
import useSearchQuery from '../../hooks/useSearchQuery';
import GenericPageHeader from '../layout/GenericPageHeader';
import GenericPage from '../layout/GenericPage';
import { useAppDispatch, useAppSelector } from '../../redux/hooks';
import {
toggleSelected,
setRangeSelected,
toggleRangeSelected,
clearSelected,
} from '../../redux/multiSelectSlice';
import { StyledInputPicker, StyledInputPickerContainer, StyledTag } from '../shared/styled';
import { RefreshButton } from '../shared/ToolbarButtons';
import { setSearchQuery } from '../../redux/miscSlice';
import { apiController } from '../../api/controller';
import { Item } from '../../types';
import useColumnSort from '../../hooks/useColumnSort';
import { fixPlayer2Index, setPlayQueueByRowClick, setStar } from '../../redux/playQueueSlice';
import { setFilter, setPagination } from '../../redux/viewSlice';
import { setStatus } from '../../redux/playerSlice';
export const MUSIC_SORT_TYPES = [
{ label: 'A-Z (Name)', value: 'alphabeticalByName', role: 'Default' },
{ label: 'A-Z (Album)', value: 'alphabeticalByAlbum', role: 'Default' },
{ label: 'A-Z (Album Artist)', value: 'alphabeticalByArtist', role: 'Default' },
{ label: 'A-Z (Artist)', value: 'alphabeticalByTrackArtist', replacement: 'Artist' },
{ label: 'Most Played', value: 'frequent', role: 'Default' },
{ label: 'Random', value: 'random', role: 'Default' },
{ label: 'Recently Added', value: 'newest', role: 'Default' },
{ label: 'Recently Played', value: 'recent', role: 'Default' },
{ label: 'Release Date', value: 'year', role: 'Default' },
];
const MusicList = () => {
const dispatch = useAppDispatch();
const queryClient = useQueryClient();
const folder = useAppSelector((state) => state.folder);
const config = useAppSelector((state) => state.config);
const misc = useAppSelector((state) => state.misc);
const view = useAppSelector((state) => state.view);
const [isRefreshing, setIsRefreshing] = useState(false);
const [sortTypes, setSortTypes] = useState<any[]>([]);
const [musicFolder, setMusicFolder] = useState({ loaded: false, id: undefined });
const musicFilterPickerContainerRef = useRef(null);
const [currentQueryKey, setCurrentQueryKey] = useState<any>(['musicList']);
useEffect(() => {
if (folder.applied.music) {
setMusicFolder({ loaded: true, id: folder.musicFolder });
} else {
setMusicFolder({ loaded: true, id: undefined });
}
setCurrentQueryKey([
'musicList',
view.music.filter,
view.music.pagination.activePage,
musicFolder.id,
]);
}, [
folder.applied.music,
folder.musicFolder,
musicFolder.id,
view.music.filter,
view.music.pagination.activePage,
]);
const { isLoading, isError, data: musicData, error }: any = useQuery(
currentQueryKey,
() =>
view.music.filter === 'random' || view.music.pagination.recordsPerPage !== 0
? apiController({
serverType: config.serverType,
endpoint: 'getSongs',
args: {
type: view.music.filter,
size:
view.music.pagination.recordsPerPage === 0
? 100
: view.music.pagination.recordsPerPage,
offset: (view.music.pagination.activePage - 1) * view.music.pagination.recordsPerPage,
recursive: false,
musicFolderId: musicFolder.id,
order: [
'alphabeticalByName',
'alphabeticalByAlbum',
'alphabeticalByArtist',
'alphabeticalByTrackArtist',
'newest',
].includes(view.music.filter)
? 'asc'
: 'desc',
},
})
: apiController({
serverType: config.serverType,
endpoint: 'getSongs',
args: {
type: view.music.filter,
recursive: true,
musicFolderId: musicFolder.id,
},
}),
{
// Due to extensive fetch times without pagination, we want to cache for the entire session
cacheTime: view.music.pagination.recordsPerPage !== 0 ? 600000 : Infinity,
staleTime: view.music.pagination.recordsPerPage !== 0 ? 600000 : Infinity,
enabled: currentQueryKey !== ['musicList'] && musicFolder.loaded,
onSuccess: (e) => {
dispatch(
setPagination({
listType: Item.Music,
data: {
pages: Math.floor(e.totalRecordCount / view.music.pagination.recordsPerPage) + 1,
},
})
);
},
}
);
const searchedData = useSearchQuery(misc.searchQuery, musicData?.data, [
'title',
'artist',
'genre',
'year',
]);
const { sortedData } = useColumnSort(musicData?.data, Item.Album, view.music.sort);
useEffect(() => {
setSortTypes(MUSIC_SORT_TYPES);
}, []);
let timeout: any = null;
const handleRowClick = (e: any, rowData: any, tableData: any) => {
if (timeout === null) {
timeout = window.setTimeout(() => {
timeout = null;
if (e.ctrlKey) {
dispatch(toggleSelected(rowData));
} else if (e.shiftKey) {
dispatch(setRangeSelected(rowData));
dispatch(toggleRangeSelected(tableData));
}
}, 100);
}
};
const handleRowDoubleClick = (rowData: any) => {
window.clearTimeout(timeout);
timeout = null;
dispatch(clearSelected());
dispatch(
setPlayQueueByRowClick({
entries: musicData.data,
currentIndex: rowData.rowIndex,
currentSongId: rowData.id,
uniqueSongId: rowData.uniqueId,
filters: config.playback.filters,
})
);
dispatch(setStatus('PLAYING'));
dispatch(fixPlayer2Index());
};
const handleRefresh = async () => {
setIsRefreshing(true);
await queryClient.removeQueries(['musicList'], { exact: false });
setIsRefreshing(false);
};
const handleRowFavorite = async (rowData: any) => {
if (!rowData.starred) {
await apiController({
serverType: config.serverType,
endpoint: 'star',
args: { id: rowData.id, type: 'music' },
});
dispatch(setStar({ id: [rowData.id], type: 'star' }));
queryClient.setQueryData(currentQueryKey, (oldData: any) => {
const starredIndices = _.keys(_.pickBy(oldData.data, { id: rowData.id }));
starredIndices.forEach((index) => {
oldData.data[index].starred = Date.now();
});
return oldData;
});
} else {
await apiController({
serverType: config.serverType,
endpoint: 'unstar',
args: { id: rowData.id, type: 'music' },
});
dispatch(setStar({ id: [rowData.id], type: 'unstar' }));
queryClient.setQueryData(currentQueryKey, (oldData: any) => {
const starredIndices = _.keys(_.pickBy(oldData.data, { id: rowData.id }));
starredIndices.forEach((index) => {
oldData.data[index].starred = undefined;
});
return oldData;
});
}
};
const handleRowRating = (rowData: any, e: number) => {
apiController({
serverType: config.serverType,
endpoint: 'setRating',
args: { ids: [rowData.id], rating: e },
});
queryClient.setQueryData(currentQueryKey, (oldData: any) => {
const ratedIndices = _.keys(_.pickBy(oldData.data, { id: rowData.id }));
ratedIndices.forEach((index) => {
oldData.data[index].userRating = e;
});
return oldData;
});
};
return (
<GenericPage
hideDivider
header={
<GenericPageHeader
title={
<>
Songs{' '}
<StyledTag style={{ verticalAlign: 'middle', cursor: 'default' }}>
{musicData?.totalRecordCount || '...'}
</StyledTag>
</>
}
subtitle={
<>
<StyledInputPickerContainer ref={musicFilterPickerContainerRef}>
<ButtonToolbar>
<StyledInputPicker
container={() => musicFilterPickerContainerRef.current}
size="sm"
width={180}
defaultValue={view.music.filter}
value={view.music.filter}
data={sortTypes || MUSIC_SORT_TYPES}
cleanable={false}
placeholder="Sort Type"
onChange={async (value: string) => {
setIsRefreshing(true);
await queryClient.cancelQueries([
'musicList',
view.music.filter,
musicFolder.id,
]);
dispatch(setSearchQuery(''));
dispatch(setFilter({ listType: Item.Music, data: value }));
dispatch(setPagination({ listType: Item.Music, data: { activePage: 1 } }));
localStorage.setItem('scroll_list_musicList', '0');
setIsRefreshing(false);
}}
/>
<RefreshButton onClick={handleRefresh} size="sm" loading={isRefreshing} />
</ButtonToolbar>
</StyledInputPickerContainer>
</>
}
/>
}
>
{isError && <div>Error: {error}</div>}
{!isError && (
<ListViewType
data={misc.searchQuery !== '' ? searchedData : sortedData}
tableColumns={config.lookAndFeel.listView.music.columns}
rowHeight={config.lookAndFeel.listView.music.rowHeight}
fontSize={config.lookAndFeel.listView.music.fontSize}
handleRowClick={handleRowClick}
handleRowDoubleClick={handleRowDoubleClick}
handleRating={handleRowRating}
cacheImages={{
enabled: settings.getSync('cacheImages'),
cacheType: 'album',
cacheIdProperty: 'albumId',
}}
page="musicListPage"
listType="music"
virtualized
disabledContextMenuOptions={[
'moveSelectedTo',
'removeSelected',
'deletePlaylist',
'viewInModal',
'viewInFolder',
]}
loading={isLoading}
handleFavorite={handleRowFavorite}
initialScrollOffset={Number(localStorage.getItem('scroll_list_musicList'))}
onScroll={(scrollIndex: number) => {
localStorage.setItem('scroll_list_musicList', String(Math.abs(scrollIndex)));
}}
paginationProps={
view.music.pagination.recordsPerPage !== 0 && {
pages: view.music.pagination.pages,
activePage: view.music.pagination.activePage,
maxButtons: 3,
prev: true,
next: true,
ellipsis: true,
boundaryLinks: true,
startIndex:
view.music.pagination.recordsPerPage * (view.music.pagination.activePage - 1) + 1,
endIndex: view.music.pagination.recordsPerPage * view.music.pagination.activePage,
handleGoToButton: (e: number) => {
localStorage.setItem('scroll_list_musicList', '0');
dispatch(
setPagination({
listType: Item.Music,
data: {
activePage: e,
},
})
);
},
onSelect: async (e: number) => {
localStorage.setItem('scroll_list_musicList', '0');
await queryClient.cancelQueries(['musicList'], { active: true });
dispatch(
setPagination({
listType: Item.Music,
data: {
activePage: e,
},
})
);
},
}
}
/>
)}
</GenericPage>
);
};
export default MusicList;

54
src/components/settings/ConfigPanels/LookAndFeelConfig.tsx

@ -41,8 +41,10 @@ import {
setGridCardSize,
setGridGapSize,
} from '../../../redux/configSlice';
import { Server } from '../../../types';
import { Item, Server } from '../../../types';
import ConfigOption from '../ConfigOption';
import { setPagination } from '../../../redux/viewSlice';
import { MUSIC_SORT_TYPES } from '../../library/MusicList';
export const ListViewConfigPanel = ({ bordered }: any) => {
const dispatch = useAppDispatch();
@ -279,6 +281,7 @@ export const ThemeConfigPanel = ({ bordered }: any) => {
const titleBarPickerContainerRef = useRef(null);
const startPagePickerContainerRef = useRef(null);
const albumSortDefaultPickerContainerRef = useRef(null);
const musicSortDefaultPickerContainerRef = useRef(null);
const titleBarRestartWhisper = React.createRef<WhisperInstance>();
const [themeList, setThemeList] = useState(
_.concat(settings.getSync('themes'), settings.getSync('themesDefault'))
@ -500,6 +503,54 @@ export const ThemeConfigPanel = ({ bordered }: any) => {
</StyledInputPickerContainer>
}
/>
{config.serverType === Server.Jellyfin && (
<ConfigOption
name="Default Song Sort"
description="The default song page sort selection on application startup."
option={
<StyledInputPickerContainer ref={musicSortDefaultPickerContainerRef}>
<StyledInputPicker
container={() => musicSortDefaultPickerContainerRef.current}
data={MUSIC_SORT_TYPES}
cleanable={false}
defaultValue={String(settings.getSync('musicSortDefault'))}
width={200}
onChange={(e: string) => {
settings.setSync('musicSortDefault', e);
}}
/>
</StyledInputPickerContainer>
}
/>
)}
</ConfigPanel>
);
};
export const PaginationConfigPanel = ({ bordered }: any) => {
const dispatch = useAppDispatch();
const view = useAppSelector((state) => state.view);
return (
<ConfigPanel header="Pagination" bordered={bordered}>
<ConfigOption
name="Items per page (Songs)"
description="The number of items that will be retrieved per page. Setting this to 0 will disable pagination."
option={
<StyledInputNumber
defaultValue={view.music.pagination.recordsPerPage}
step={1}
min={0}
width={125}
onChange={(e: number) => {
dispatch(
setPagination({ listType: Item.Music, data: { recordsPerPage: Number(e) } })
);
settings.setSync('pagination.music', Number(e));
}}
/>
}
/>
</ConfigPanel>
);
};
@ -510,6 +561,7 @@ const LookAndFeelConfig = ({ bordered }: any) => {
<ThemeConfigPanel bordered={bordered} />
<ListViewConfigPanel bordered={bordered} />
<GridViewConfigPanel bordered={bordered} />
<PaginationConfigPanel bordered={bordered} />
</>
);
};

102
src/components/shared/Paginator.tsx

@ -0,0 +1,102 @@
import React from 'react';
import { ButtonGroup, ButtonToolbar, FlexboxGrid, Icon, Whisper } from 'rsuite';
import {
SecondaryTextWrapper,
StyledButton,
StyledIconButton,
StyledPagination,
StyledPopover,
} from './styled';
const Paginator = ({ startIndex, endIndex, handleGoToButton, children, ...rest }: any) => {
return (
<>
<FlexboxGrid justify="space-between" style={{ paddingLeft: '10px', paddingTop: '10px' }}>
<FlexboxGrid.Item style={{ alignSelf: 'center' }}>
{children}
<SecondaryTextWrapper subtitle="true">
{startIndex && startIndex}
{startIndex && endIndex && ` - ${endIndex}`}
</SecondaryTextWrapper>
</FlexboxGrid.Item>
<FlexboxGrid.Item style={{ alignSelf: 'center' }}>
<StyledPagination {...rest} />
{handleGoToButton && (
<Whisper
enterable
preventOverflow
placement="autoVerticalEnd"
trigger="click"
speaker={
<StyledPopover>
<ButtonGroup>
<StyledButton
appearance="subtle"
onClick={() =>
handleGoToButton(
rest.activePage + 5 < rest.pages ? rest.activePage + 5 : rest.pages
)
}
>
+5
</StyledButton>
<StyledButton
appearance="subtle"
onClick={() =>
handleGoToButton(
rest.activePage + 15 < rest.pages ? rest.activePage + 15 : rest.pages
)
}
>
+15
</StyledButton>
<StyledButton
appearance="subtle"
onClick={() =>
handleGoToButton(
rest.activePage + 50 < rest.pages ? rest.activePage + 50 : rest.pages
)
}
>
+50
</StyledButton>
</ButtonGroup>
<ButtonToolbar>
<StyledButton
appearance="subtle"
onClick={() =>
handleGoToButton(rest.activePage - 5 > 1 ? rest.activePage - 5 : 1)
}
>
-5
</StyledButton>
<StyledButton
appearance="subtle"
onClick={() =>
handleGoToButton(rest.activePage - 15 > 1 ? rest.activePage - 15 : 1)
}
>
-15
</StyledButton>
<StyledButton
appearance="subtle"
onClick={() =>
handleGoToButton(rest.activePage - 50 > 1 ? rest.activePage - 50 : 1)
}
>
-50
</StyledButton>
</ButtonToolbar>
</StyledPopover>
}
>
<StyledIconButton size="sm" appearance="subtle" icon={<Icon icon="caret-right" />} />
</Whisper>
)}
</FlexboxGrid.Item>
</FlexboxGrid>
</>
);
};
export default Paginator;

12
src/components/shared/setDefaultSettings.ts

@ -122,6 +122,14 @@ const setDefaultSettings = (force: boolean) => {
settings.setSync('musicFolder.starred', false);
}
if (force || !settings.hasSync('musicFolder.music')) {
settings.setSync('musicFolder.music', true);
}
if (force || !settings.hasSync('pagination.music')) {
settings.setSync('pagination.music', 50);
}
if (force || !settings.hasSync('volume')) {
settings.setSync('volume', 0.3);
}
@ -198,6 +206,10 @@ const setDefaultSettings = (force: boolean) => {
settings.setSync('albumSortDefault', 'random');
}
if (force || !settings.hasSync('musicSortDefault')) {
settings.setSync('musicSortDefault', 'random');
}
if (force || !settings.hasSync('artistViewType')) {
settings.setSync('artistViewType', 'list');
}

24
src/components/shared/styled.ts

@ -17,6 +17,7 @@ import {
Tag,
CheckPicker,
Toggle,
Pagination,
} from 'rsuite';
import styled from 'styled-components';
import TagLink from './TagLink';
@ -641,3 +642,26 @@ export const SecondaryTextWrapper = styled.span<{
? props.theme.colors.layout.page.colorSecondary
: props.theme.colors.layout.page.color};
`;
export const StyledPagination = styled(Pagination)`
vertical-align: middle;
.rs-pagination-btn {
a {
transition: none;
&:hover {
color: ${(props) => props.theme.colors.button.subtle.colorHover} !important;
background-color: ${(props) => props.theme.colors.button.subtle.backgroundHover} !important;
}
&:active {
background-color: none !important;
}
}
}
.rs-pagination-btn-active {
a {
color: ${(props) => props.theme.colors.primary} !important;
}
}
`;

15
src/components/viewtypes/ListViewTable.tsx

@ -61,6 +61,7 @@ import { setActive } from '../../redux/albumSlice';
import { setStatus } from '../../redux/playerSlice';
import { GenericItem } from '../../types';
import { CoverArtWrapper } from '../layout/styled';
import Paginator from '../shared/Paginator';
const StyledTable = styled(Table)<{ rowHeight: number; $isDragging: boolean }>`
.rs-table-row.selected {
@ -79,6 +80,14 @@ const StyledTable = styled(Table)<{ rowHeight: number; $isDragging: boolean }>`
transition: none;
}
.rs-table-loader-wrapper {
background-color: transparent;
}
.rs-table-loader-text {
display: none;
}
// Prevent default drag
-moz-user-select: -moz-none;
-khtml-user-select: none;
@ -114,6 +123,8 @@ const ListViewTable = ({
handleFavorite,
handleRating,
onScroll,
loading,
paginationProps,
}: any) => {
const history = useHistory();
const dispatch = useAppDispatch();
@ -370,6 +381,7 @@ const ListViewTable = ({
: ''
} ${rowData?.isDir ? 'isdir' : ''}`
}
loading={loading}
ref={tableRef}
height={height}
data={sortColumn && !nowPlaying ? sortedData : data}
@ -1206,6 +1218,9 @@ const ListViewTable = ({
</Table.Column>
))}
</StyledTable>
{paginationProps && paginationProps?.recordsPerPage !== 0 && (
<Paginator {...paginationProps} />
)}
</>
);
};

29
src/components/viewtypes/ListViewType.tsx

@ -37,6 +37,8 @@ const ListViewType = (
handleRating,
initialScrollOffset,
onScroll,
loading,
paginationProps,
...rest
}: any,
ref: any
@ -66,7 +68,12 @@ const ListViewType = (
// tableRef?.current?.scrollTop(Math.abs(scrollY));
}, 500);
setHeight(wrapperRef.current ? getHeight(wrapperRef.current) : 200);
setHeight(
wrapperRef.current
? getHeight(wrapperRef.current) -
(paginationProps && paginationProps?.recordsPerPage !== 0 ? 45 : 0)
: 200
);
}
if (!tableHeight) {
if (!miniView) {
@ -79,23 +86,33 @@ const ListViewType = (
}
return undefined;
}, [getHeight, tableHeight, miniView]);
}, [getHeight, tableHeight, miniView, paginationProps]);
useEffect(() => {
if (!isModal && !tableHeight) {
window.requestAnimationFrame(() => {
setHeight(wrapperRef.current ? getHeight(wrapperRef.current) : 200);
setHeight(
wrapperRef.current
? getHeight(wrapperRef.current) -
(paginationProps && paginationProps?.recordsPerPage !== 0 ? 45 : 0)
: 200
);
setShow(true);
});
} else {
setTimeout(() => {
window.requestAnimationFrame(() => {
setHeight(wrapperRef.current ? getHeight(wrapperRef.current) : 200);
setHeight(
wrapperRef.current
? getHeight(wrapperRef.current) -
(paginationProps && paginationProps?.recordsPerPage !== 0 ? 45 : 0)
: 200
);
setShow(true);
});
}, 250);
}
}, [getHeight, tableHeight, isModal]);
}, [getHeight, tableHeight, isModal, paginationProps]);
useEffect(() => {
let scrollDistance = 0;
@ -345,6 +362,8 @@ const ListViewType = (
handleFavorite={handleFavorite}
handleRating={handleRating}
onScroll={onScroll || (() => {})}
paginationProps={paginationProps}
loading={loading}
/>
)}
</div>

2
src/redux/folderSlice.ts

@ -13,6 +13,7 @@ export interface FolderSelection {
dashboard: boolean;
search: boolean;
starred: boolean;
music: boolean;
};
currentViewedFolder?: string;
}
@ -29,6 +30,7 @@ const initialState: FolderSelection = {
dashboard: Boolean(parsedSettings.musicFolder.artists),
search: Boolean(parsedSettings.musicFolder.search),
starred: Boolean(parsedSettings.musicFolder.starred),
music: Boolean(parsedSettings.musicFolder.music),
},
currentViewedFolder: undefined,
};

2
src/redux/store.ts

@ -10,6 +10,7 @@ import configReducer from './configSlice';
import favoriteReducer from './favoriteSlice';
import albumReducer from './albumSlice';
import artistReducer from './artistSlice';
import viewReducer from './viewSlice';
export const store = configureStore<PlayQueue | any>({
reducer: {
@ -23,6 +24,7 @@ export const store = configureStore<PlayQueue | any>({
favorite: favoriteReducer,
album: albumReducer,
artist: artistReducer,
view: viewReducer,
},
middleware: [forwardToMain],
});

59
src/redux/viewSlice.ts

@ -0,0 +1,59 @@
import { createSlice, PayloadAction } from '@reduxjs/toolkit';
import settings from 'electron-settings';
import { mockSettings } from '../shared/mockSettings';
import { Item, Sort, Pagination } from '../types';
const parsedSettings: any = process.env.NODE_ENV === 'test' ? mockSettings : settings.getSync();
export interface View {
music: {
filter: string;
sort: Sort;
pagination: Pagination;
};
}
const initialState: any = {
music: {
filter: String(parsedSettings.musicSortDefault) || 'random',
sort: {
column: undefined,
type: 'asc',
},
pagination: {
recordsPerPage: parsedSettings.pagination.music,
activePage: 1,
pages: 1,
},
},
};
const viewSlice = createSlice({
name: 'view',
initialState,
reducers: {
setFilter: (state, action: PayloadAction<{ listType: Item; data: any }>) => {
if (action.payload.listType === Item.Music) {
state.music.filter = action.payload.data;
}
},
setPagination: (
state,
action: PayloadAction<{
listType: Item;
data: { enabled?: boolean; activePage?: number; pages?: number; recordsPerPage?: number };
}>
) => {
if (action.payload.listType === Item.Music) {
state.music.pagination = {
...state.music.pagination,
...action.payload.data,
};
}
},
},
});
export const { setFilter, setPagination } = viewSlice.actions;
export default viewSlice.reducer;

4
src/shared/mockSettings.ts

@ -22,6 +22,9 @@ export const mockSettings = {
fadeType: 'equalPower',
scrobble: false,
transcode: false,
pagination: {
music: 100,
},
playbackFilters: [
{
filter: '((|\\(|\\[|~|-)[Ii]nst(rumental)?(\\)|\\]|~|-|))',
@ -43,6 +46,7 @@ export const mockSettings = {
playlistViewType: 'grid',
albumViewType: 'grid',
albumSortDefault: 'random',
musicSortDefault: 'random',
musicListFontSize: 13,
musicListRowHeight: 50,
musicListColumns: [

1
src/types.ts

@ -187,7 +187,6 @@ export interface Sort {
}
export interface Pagination {
enabled: boolean;
pages?: number;
activePage?: number;
recordsPerPage: number;

Loading…
Cancel
Save