123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412 |
- import { apiInterceptors, collectApp, getAppList, newDialogue, recommendApps, unCollectApp } from '@/client/api';
- import { SearchOutlined, StarFilled, StarOutlined } from '@ant-design/icons';
- import { useRequest } from 'ahooks';
- import type { SegmentedProps } from 'antd';
- import { Avatar, Button, ConfigProvider, Input, Segmented, Spin, message } from 'antd';
- import cls from 'classnames';
- import { NextPage } from 'next';
- import { useRouter } from 'next/router';
- import { useContext, useEffect, useState } from 'react';
- import { useTranslation } from 'react-i18next';
- import type { GridCellRenderer, Index, IndexRange } from 'react-virtualized';
- import { AutoSizer, Grid, InfiniteLoader } from 'react-virtualized';
- import { ChatContext } from '@/app/chat-context';
- import IconFont from '@/new-components/common/Icon';
- import BlurredCard from '@/new-components/common/blurredCard';
- import { AppListResponse } from '@/types/app';
- import moment from 'moment';
- import { UserInfoResponse } from '@/types/userinfo';
- import { STORAGE_USERINFO_KEY } from '../utils/constants';
- const Playground: NextPage = () => {
- const router = useRouter();
- const { t } = useTranslation();
- const { setAgent, setCurrentDialogInfo, model } = useContext(ChatContext);
- const [activeKey, setActiveKey] = useState<string>('all');
- const [apps, setApps] = useState<any>({
- app_list: [],
- total_count: 0,
- });
- const items: SegmentedProps['options'] = [
- {
- value: 'recommend',
- label: t('recommend_apps'),
- },
- {
- value: 'all',
- label: t('all_apps'),
- },
- {
- value: 'collected',
- label: t('my_collected_apps'),
- },
- ];
- const getAppListWithParams = (params: Record<string, string>) =>
- apiInterceptors(
- getAppList({
- page_no: '1',
- page_size: '12',
- ...params,
- }),
- );
- const getHotAppList = (params: Record<string, string>) =>
- apiInterceptors(
- recommendApps({
- page_no: '1',
- page_size: '12',
- ...params,
- }),
- );
- // 获取应用列表
- const { run: getAppListFn, loading } = useRequest(
- async (app_name = '', page_no = '1', page_size = '12') => {
- switch (activeKey) {
- case 'recommend':
- return await getHotAppList({
- ...{ page_no, page_size },
- });
- case 'collected':
- return await getAppListWithParams({
- is_collected: 'true',
- ignore_user: 'true',
- published: 'true',
- need_owner_info: 'true',
- ...{ app_name, page_no, page_size },
- });
- case 'all':
- return await getAppListWithParams({
- ignore_user: 'true',
- published: 'true',
- need_owner_info: 'true',
- ...{ app_name, page_no, page_size },
- });
- default:
- return [];
- }
- },
- {
- manual: true,
- onSuccess: (res: [any, [] | AppListResponse]) => {
- const [_error, data] = res;
- if (activeKey === 'recommend') {
- if (Array.isArray(data)) {
- return setApps({
- app_list: data,
- total_count: data.length,
- });
- }
- } else {
- if ('app_list' in data) {
- const code = data?.app_list?.[0]?.app_code;
- const index = code ? apps.app_list.findIndex((item: any) => item.app_code === code) : -1;
- if (index !== -1) {
- const finallyIndex = Math.floor(index / 12) * 12;
- setApps(
- {
- app_list: apps.app_list.toSpliced(finallyIndex, 12, ...data.app_list) || [],
- total_count: data?.total_count || 0,
- } || {},
- );
- } else {
- console.log('concat');
- setApps(
- {
- app_list: apps.app_list.concat(data?.app_list) || [],
- total_count: data?.total_count || 0,
- } || {},
- );
- }
- }
- }
- },
- debounceWait: 500,
- },
- );
- const onSearch = async (e: any) => {
- setApps({
- app_list: [],
- total_count: 0,
- });
- getAppListFn(e.target.value);
- };
- const collect = async (data: Record<string, any>) => {
- const [error] = await apiInterceptors(
- data.is_collected === 'true'
- ? unCollectApp({ app_code: data.app_code })
- : collectApp({ app_code: data.app_code }),
- );
- const index = apps.app_list.findIndex((item: any) => item.app_code === data.app_code);
- if (error) return;
- if (data.is_collected === 'true') {
- message.success(t('cancel_success'));
- } else {
- message.success(t('collect_success'));
- }
- getAppListFn('', (Math.floor(index / 12) + 1).toString());
- };
- const columnCount = 3;
- function isRowLoaded({ index }: Index) {
- return !!apps.app_list[index]; // 检查给定的索引是否已经加载
- }
- function loadMoreRows({ startIndex, stopIndex }: IndexRange) {
- const pageSize = 12;
- const currentPage = Math.ceil(startIndex / pageSize) + 1; // 计算当前页数
- console.log(startIndex, stopIndex, currentPage);
- // 这里应该是一个从服务器获取更多数据的异步操作
- // 例如,你可能会调用 API 并返回一个 Promise
- return getAppListFn('', currentPage.toString());
- }
- const cellRenderer: GridCellRenderer = ({ columnIndex, key, rowIndex, style }) => {
- // 计算数组中的索引
- const index = rowIndex * columnCount + columnIndex;
- if (!isRowLoaded({ index })) return null;
- const item = apps.app_list[index];
- return (
- <div key={key} style={style} >
- <BlurredCard
- key={item.app_code}
- name={item.app_name}
- description={item.app_describe}
- className='w-11/12 hover:bg-slate-200'
- RightTop={
- item.is_collected === 'true' ? (
- <StarFilled
- onClick={() => collect(item)}
- style={{
- height: '21px',
- cursor: 'pointer',
- color: '#f9c533',
- }}
- />
- ) : (
- <StarOutlined
- onClick={() => collect(item)}
- style={{
- height: '21px',
- cursor: 'pointer',
- }}
- />
- )
- }
- onClick={async () => {
- // 原生应用跳转
- if (item.team_mode === 'native_app') {
- const { chat_scene = '' } = item.team_context;
- const [, res] = await apiInterceptors(newDialogue({ chat_mode: chat_scene }));
- if (res) {
- setCurrentDialogInfo?.({
- chat_scene: res.chat_mode,
- app_code: item.app_code,
- });
- localStorage.setItem(
- 'cur_dialog_info',
- JSON.stringify({
- chat_scene: res.chat_mode,
- app_code: item.app_code,
- }),
- );
- router.push(`/chat?scene=${chat_scene}&id=${res.conv_uid}${model ? `&model=${model}` : ''}`);
- }
- } else {
- // 自定义应用
- const [, res] = await apiInterceptors(newDialogue({ chat_mode: 'chat_agent' }));
- if (res) {
- setCurrentDialogInfo?.({
- chat_scene: res.chat_mode,
- app_code: item.app_code,
- });
- localStorage.setItem(
- 'cur_dialog_info',
- JSON.stringify({
- chat_scene: res.chat_mode,
- app_code: item.app_code,
- }),
- );
- setAgent?.(item.app_code);
- router.push(`/chat/?scene=chat_agent&id=${res.conv_uid}${model ? `&model=${model}` : ''}`);
- }
- }
- }}
- LeftBottom={
- <div className='flex gap-8 items-center text-[#878c93] text-sm dark:text-stone-200'
-
- >
- {item.owner_name && (
- <div className='flex gap-1 items-center'>
- <Avatar
- src={item?.owner_avatar_url}
- className='bg-gradient-to-tr from-[#31afff] to-[#1677ff] cursor-pointer'
- >
- {item.owner_name}
- </Avatar>
- <span>{item.owner_name}</span>
- </div>
- )}
- {activeKey === 'recommend' ? (
- <div className='flex items-start gap-1'>
- <IconFont type='icon-hot' className='text-lg' />
- <span className='text-[#878c93]'>{item.hot_value}</span>
- </div>
- ) : (
- <div>{t('update') + '于' + moment(item?.updated_at).fromNow() + ' '}</div>
- )}
- </div>
- }
- scene={item?.team_context?.chat_scene || 'chat_agent'}
- />
- </div>
- );
- };
- useEffect(() => {
- // setPageNo('1');
- setApps({
- app_list: [],
- total_count: 0,
- });
- }, [activeKey]);
- useEffect(() => {
- getAppListFn();
- }, [activeKey, getAppListFn]);
- const [userInfo, setUserInfo] = useState<UserInfoResponse>();
- useEffect(() => {
- try {
- const user = JSON.parse(localStorage.getItem(STORAGE_USERINFO_KEY) ?? '');
- setUserInfo(user);
- } catch {
- return undefined;
- }
- }, []);
- return (
- <div
- className='flex flex-col h-full w-full backdrop-filter backdrop-blur bg-[#fff] bg-gradient-light px-2 '
- id='home-container'
- >
- <div className='mt-2 rounded-[10px] flex h-16 justify-between items-center px-2'>
- <Input
- variant='filled'
- prefix={<SearchOutlined />}
- placeholder={t('please_enter_the_keywords')}
- onChange={onSearch}
- onPressEnter={onSearch}
- allowClear
- className={cls(
- 'w-[400px] h-[40px] border-1 border-[#d1d1d1] backdrop-filter backdrop-blur-lg dark:border-[#6f7f95] dark:bg-[#6f7f95] dark:bg-opacity-60',
- )}
- />
- <span className='flex gap-2 items-center'>
- <Avatar className='bg-gradient-to-tr from-[#31afff] to-[#1677ff] cursor-pointer'>
-
- </Avatar>
- <span
- >
- admin
- </span>
- </span>
- </div>
- <ConfigProvider
- theme={{
- components: {
- Button: {
- defaultBorderColor: 'white',
- },
- Segmented: {
- itemSelectedBg: '#2867f5',
- itemSelectedColor: 'white',
- },
- },
- }}
- >
- {/* Apps list */}
- <div
- className='rounded-[10px] flex flex-col h-full mt-4 relative bg-slate-200 p-4 border-1 mb-2'
- // style={{
- // paddingBottom: apps.total_count > 12 ? 45 : 20,
- // }}
- >
- <div className='flex justify-between items-center'>
- <div className='flex items-center gap-4'>
- <Segmented
- className='h-10 backdrop-filter backdrop-blur-lg bg-white bg-opacity-30 border border-white rounded-lg shadow p-1 dark:border-[#6f7f95] dark:bg-[#6f7f95] dark:bg-opacity-60'
- options={items}
- onChange={key => setActiveKey(key as any)}
- value={activeKey}
- />
-
- </div>
- <div className='flex items-center gap-4'
- style={{ backgroundColor: '#7288FA!important' }}
- >
- <Button
- className='border-none text-white bg-button-gradient'
- onClick={() => {
- localStorage.removeItem('new_app_info');
- router.push('/construct/app?openModal=true');
- }}
- style={{ backgroundColor: '#fff!important'}}
- >
- 创建应用
- </Button>
- </div>
- </div>
- {loading && !apps.app_list.length ? (
- <Spin size='large' className='flex items-center justify-center h-full' spinning={loading} />
- ) : (
- <>
- <InfiniteLoader
- isRowLoaded={isRowLoaded}
- loadMoreRows={loadMoreRows}
- rowCount={apps.total_count}
- >
- {({ onRowsRendered, registerChild }) => (
- <AutoSizer>
- {({ width, height }) => (
- <Grid
- ref={registerChild}
- onSectionRendered={({ rowStartIndex, rowStopIndex }) => {
- const startIndex = rowStartIndex * columnCount;
- const stopIndex = rowStopIndex * columnCount + (columnCount - 1);
- onRowsRendered({
- startIndex,
- stopIndex,
- });
- }}
- cellRenderer={cellRenderer}
- columnWidth={width / 4}
- columnCount={4}
- height={height}
- rowHeight={200}
- rowCount={apps.total_count}
- width={width}
- />
- )}
- </AutoSizer>
- )}
- </InfiniteLoader>
- {loading && apps.app_list.length && (
- <Spin className='flex items-end justify-center h-full' spinning={loading} />
- )}
- </>
- )}
- {/* <TabContent apps={apps?.app_list || []} loading={loading} refresh={refresh} /> */}
- </div>
- </ConfigProvider>
- </div>
- );
- };
- export default Playground;
|