@ant-design/icons#MenuOutlined JavaScript Examples
The following examples show how to use
@ant-design/icons#MenuOutlined.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: index.jsx From starter-antd-admin-crud-auth-mern with MIT License | 5 votes |
export default function SidePanel({
config,
topContent,
bottomContent,
fixHeaderPanel,
}) {
const { ADD_NEW_ENTITY } = config;
const { state, crudContextAction } = useCrudContext();
const { isPanelCollapsed, isBoxCollapsed } = state;
const { panel, collapsedBox } = crudContextAction;
const [styleSider, setStyleSider] = useState("0px");
const [opacitySider, setOpacitySider] = useState("1");
useEffect(() => {
if (isPanelCollapsed) {
setStyleSider("-400px");
setOpacitySider(0);
} else {
setStyleSider("0px");
setOpacitySider(1);
}
setTimeout(() => {
setStyleSider("0px");
setOpacitySider(1);
}, 300);
}, [isPanelCollapsed]);
const collapsePanel = () => {
panel.collapse();
};
const collapsePanelBox = () => {
collapsedBox.collapse();
};
return (
<Sider
trigger={<MenuOutlined className="trigger" />}
width={400}
collapsible
collapsed={isPanelCollapsed}
collapsedWidth={"0px"}
onCollapse={collapsePanel}
zeroWidthTriggerStyle={{
right: "-50px",
top: "15px",
}}
style={{
background: "#FFF",
left: styleSider,
opacity: opacitySider,
}}
>
{fixHeaderPanel}
<CollapseBox
buttonTitle={ADD_NEW_ENTITY}
isPanelCollapsed={isPanelCollapsed}
isCollapsed={isBoxCollapsed}
onCollapse={collapsePanelBox}
topContent={topContent}
bottomContent={bottomContent}
></CollapseBox>
</Sider>
);
}
Example #2
Source File: drag-sorting-handler.jsx From virtuoso-design-system with MIT License | 5 votes |
DragHandle = sortableHandle(() => <MenuOutlined style={{ cursor: 'grab', color: '#999' }} />)
Example #3
Source File: SamplesTable.jsx From ui with MIT License | 4 votes |
SamplesTable = forwardRef((props, ref) => {
const dispatch = useDispatch();
const [tableData, setTableData] = useState([]);
const experiments = useSelector((state) => state.experiments);
const samples = useSelector((state) => state.samples);
const areSamplesLoading = useSelector((state) => state.samples.meta.loading);
const activeExperimentId = useSelector((state) => state.experiments.meta.activeExperimentId);
const activeExperiment = useSelector((state) => state.experiments[activeExperimentId]);
const [sampleNames, setSampleNames] = useState(new Set());
const DragHandle = sortableHandle(() => <MenuOutlined style={{ cursor: 'grab', color: '#999' }} />);
const initialTableColumns = [
{
fixed: 'left',
index: 0,
key: 'sort',
dataIndex: 'sort',
width: 30,
render: () => <DragHandle />,
},
{
className: `${integrationTestConstants.classes.SAMPLE_CELL}`,
index: 1,
key: 'sample',
title: 'Sample',
dataIndex: 'name',
fixed: true,
render: (text, record, indx) => <SampleNameCell cellInfo={{ text, record, indx }} />,
},
{
index: 2,
key: 'barcodes',
title: 'barcodes.tsv',
dataIndex: 'barcodes',
render: (tableCellData) => <UploadCell columnId='barcodes' tableCellData={tableCellData} />,
},
{
index: 3,
key: 'genes',
title: 'genes.tsv',
dataIndex: 'genes',
render: (tableCellData) => <UploadCell columnId='genes' tableCellData={tableCellData} />,
},
{
index: 4,
key: 'matrix',
title: 'matrix.mtx',
dataIndex: 'matrix',
render: (tableCellData) => <UploadCell columnId='matrix' tableCellData={tableCellData} />,
},
];
const [tableColumns, setTableColumns] = useState(initialTableColumns);
useEffect(() => {
if (activeExperiment.sampleIds.length > 0) {
// if there are samples - build the table columns
setSampleNames(new Set(activeExperiment.sampleIds.map((id) => samples[id]?.name.trim())));
const metadataColumns = activeExperiment.metadataKeys.map(
(metadataKey) => createInitializedMetadataColumn(metadataKeyToName(metadataKey)),
) || [];
setTableColumns([...initialTableColumns, ...metadataColumns]);
} else {
setTableColumns([]);
setSampleNames(new Set());
}
}, [samples, activeExperiment]);
useConditionalEffect(() => {
dispatch(loadSamples(activeExperimentId));
}, [activeExperiment?.sampleIds], { lazy: true });
const deleteMetadataColumn = (name) => {
dispatch(deleteMetadataTrack(name, activeExperimentId));
};
const createInitializedMetadataColumn = (name) => {
const key = metadataNameToKey(name);
return {
key,
title: () => (
<MetadataColumnTitle
name={name}
sampleNames={sampleNames}
setCells={setCells}
deleteMetadataColumn={deleteMetadataColumn}
activeExperimentId={activeExperimentId}
/>
),
width: 200,
dataIndex: key,
render: (cellValue, record, rowIdx) => (
<EditableFieldCell
cellText={cellValue}
dataIndex={key}
rowIdx={rowIdx}
onAfterSubmit={(newValue) => {
dispatch(updateValueInMetadataTrack(activeExperimentId, record.uuid, key, newValue));
}}
/>
),
};
};
const onMetadataCreate = (name) => {
dispatch(createMetadataTrack(name, activeExperimentId));
};
useImperativeHandle(ref, () => ({
createMetadataColumn() {
const key = temporaryMetadataKey(tableColumns);
const metadataCreateColumn = {
key,
fixed: 'right',
title: () => (
<MetadataPopover
existingMetadata={activeExperiment.metadataKeys}
onCreate={(name) => {
onMetadataCreate(name);
}}
onCancel={() => {
deleteMetadataColumn(key);
}}
message='Provide new metadata track name'
visible
>
<Space>
New Metadata Track
</Space>
</MetadataPopover>
),
width: 200,
};
setTableColumns([...tableColumns, metadataCreateColumn]);
},
}));
const MASS_EDIT_ACTIONS = [
'REPLACE_EMPTY',
'REPLACE_ALL',
'CLEAR_ALL',
];
const setCells = (value, metadataKey, actionType) => {
if (!MASS_EDIT_ACTIONS.includes(actionType)) return;
const canUpdateCell = (sampleUuid, action) => {
if (action !== 'REPLACE_EMPTY') return true;
const isMetadataEmpty = (uuid) => (
!samples[uuid].metadata[metadataKey]
|| samples[uuid].metadata[metadataKey] === METADATA_DEFAULT_VALUE
);
return isMetadataEmpty(sampleUuid);
};
activeExperiment.sampleIds.forEach(
(sampleUuid) => {
if (canUpdateCell(sampleUuid, actionType)) {
dispatch(updateValueInMetadataTrack(activeExperimentId, sampleUuid, metadataKey, value));
}
},
);
};
useEffect(() => {
if (activeExperiment.sampleIds.length === 0) {
setTableData([]);
return;
}
const newData = activeExperiment.sampleIds.map((sampleUuid, idx) => {
// upload problems sometimes lead to partial updates and incosistent states
// in this situation it's possible that the sampleUuid does not exist
// this a temporary fix so that the whole UI doesn't crash preventing the
// user from removing the dataset or uploading another one.
const sampleFiles = samples[sampleUuid]?.files || {};
const barcodesFile = sampleFiles['barcodes.tsv.gz'] ?? { upload: { status: UploadStatus.FILE_NOT_FOUND } };
const genesFile = sampleFiles['features.tsv.gz'] ?? { upload: { status: UploadStatus.FILE_NOT_FOUND } };
const matrixFile = sampleFiles['matrix.mtx.gz'] ?? { upload: { status: UploadStatus.FILE_NOT_FOUND } };
const barcodesData = { sampleUuid, file: barcodesFile };
const genesData = { sampleUuid, file: genesFile };
const matrixData = { sampleUuid, file: matrixFile };
return {
key: idx,
name: samples[sampleUuid]?.name || 'UPLOAD ERROR: Please reupload sample',
uuid: sampleUuid,
barcodes: barcodesData,
genes: genesData,
matrix: matrixData,
...samples[sampleUuid]?.metadata,
};
});
setTableData(newData);
}, [experiments, samples, activeExperimentId]);
const noDataComponent = (
<ExampleExperimentsSpace
introductionText='Start uploading your samples by clicking on Add samples.'
imageStyle={{ height: 60 }}
/>
);
const onSortEnd = async ({ oldIndex, newIndex }) => {
if (oldIndex !== newIndex) {
const newData = arrayMoveImmutable(tableData, oldIndex, newIndex).filter((el) => !!el);
const newSampleOrder = newData.map((sample) => sample.uuid);
try {
await dispatch(reorderSamples(activeExperimentId, oldIndex, newIndex, newSampleOrder));
} catch (e) {
// If the fetch fails, avoid doing setTableData(newData)
return;
}
setTableData(newData);
}
};
const SortableRow = sortableElement((otherProps) => <tr {...otherProps} className={`${otherProps.className} drag-visible`} />);
const SortableTable = sortableContainer((otherProps) => <tbody {...otherProps} />);
const DragContainer = (otherProps) => (
<SortableTable
useDragHandle
disableAutoscroll
helperClass='row-dragging'
onSortEnd={onSortEnd}
{...otherProps}
/>
);
const DraggableRow = (otherProps) => {
const index = tableData.findIndex((x) => x.key === otherProps['data-row-key']);
return <SortableRow index={index} {...otherProps} />;
};
const renderLoader = () => (
<>
<Row justify='center'>
<ClipLoader
size={50}
color='#8f0b10'
/>
</Row>
<Row justify='center'>
<Text>
We're getting your samples ...
</Text>
</Row>
</>
);
const renderSamplesTable = () => (
<Row>
<Col>
<Table
id='samples-table'
size='small'
scroll={{
x: 'max-content',
}}
bordered
columns={tableColumns}
dataSource={tableData}
sticky
pagination={false}
locale={{ emptyText: noDataComponent }}
components={{
body: {
wrapper: DragContainer,
row: DraggableRow,
},
}}
/>
</Col>
</Row>
);
return (
<>
{areSamplesLoading ? renderLoader() : renderSamplesTable()}
</>
);
})
Example #4
Source File: index.jsx From erp-crm with MIT License | 4 votes |
export default function SidePanel({ config, topContent, bottomContent, fixHeaderPanel }) {
const { ADD_NEW_ENTITY } = config;
const { state, crudContextAction } = useCrudContext();
const { isPanelClose, isBoxCollapsed } = state;
const { panel, collapsedBox } = crudContextAction;
const [isSidePanelClose, setSidePanel] = useState(isPanelClose);
const [leftSider, setLeftSider] = useState('-1px');
const [opacitySider, setOpacitySider] = useState(0);
const [paddingTopSider, setPaddingTopSider] = useState('20px');
const { state: stateApp, appContextAction } = useAppContext();
const { isNavMenuClose } = stateApp;
const { navMenu } = appContextAction;
useEffect(() => {
let timer = [];
if (isPanelClose) {
setOpacitySider(0);
setPaddingTopSider('20px');
timer = setTimeout(() => {
setLeftSider('-1px');
setSidePanel(isPanelClose);
}, 200);
} else {
setSidePanel(isPanelClose);
setLeftSider(0);
timer = setTimeout(() => {
setOpacitySider(1);
setPaddingTopSider(0);
}, 200);
if (!isNavMenuClose) {
navMenu.close();
}
}
return () => clearTimeout(timer);
}, [isPanelClose]);
const collapsePanel = () => {
panel.collapse();
};
const collapsePanelBox = () => {
collapsedBox.collapse();
};
return (
<Sider
trigger={<MenuOutlined className="trigger" />}
width={400}
collapsible
collapsed={isSidePanelClose}
collapsedWidth={'0px'}
onCollapse={collapsePanel}
className="sidePanel"
zeroWidthTriggerStyle={{
right: '-50px',
top: '15px',
}}
style={{
left: leftSider,
}}
>
<div
className="sidePanelContent"
style={{
opacity: opacitySider,
paddingTop: paddingTopSider,
}}
>
{fixHeaderPanel}
<CollapseBox
buttonTitle={ADD_NEW_ENTITY}
isCollapsed={isBoxCollapsed}
onCollapse={collapsePanelBox}
topContent={topContent}
bottomContent={bottomContent}
></CollapseBox>
</div>
</Sider>
);
}
Example #5
Source File: ChatHeader.js From react-chat-app with MIT License | 4 votes |
ChatHeader = (props) => {
const { conn, chats, activeChat } = useContext(ChatEngineContext);
const capitalize = (str, lower = true) => {
return (lower ? str.toLowerCase() : str).replace(
/(?:^|\s|["'([{])+\S/g,
(match) => match.toUpperCase()
);
};
if (!chats || !activeChat || !chats[activeChat]) {
return <div />;
}
if (!conn || conn === null) {
return <div />;
}
const chat = chats[activeChat];
const otherPerson = chat.people.find(
(person) => person.person.username !== conn.userName
);
const userStatus = (otherPerson) ? otherPerson.person.first_name : ""
const title = otherPerson
? capitalize(decodeURIComponent(otherPerson.person.username))
: "";
function getDateTime(date) {
if (!date) return ''
date = date.replace(' ', 'T')
const year = date.substr(0, 4)
const month = date.substr(5, 2)
const day = date.substr(8, 2)
const hour = date.substr(11, 2)
const minute = date.substr(14, 2)
const second = date.substr(17, 2)
var d = new Date(`${year}-${month}-${day}T${hour}:${minute}:${second}`)
let offset = (-(d.getTimezoneOffset()) / 60)
d.setHours(d.getHours() + offset)
return d
}
function timeSinceDate(date) {
if (!date) return ''
let convertedDate = getDateTime(date)
let sent = convertedDate.toString()
const dayStr = sent.substr(0, 10)
const timeStr = sent.substr(15, 6)
return `${dayStr} at ${timeStr}`
}
return (
<Row className="ce-chat-title" style={styles.titleSection}>
<div className="mobile-toggler">
<MenuOutlined
onClick={() => {
document.querySelector(".chat-container").children[0].children[1].children[0].style.display = "block";
document.querySelector(".chat-container").children[0].children[1].children[1].style.display = "none";
}}
/>
</div>
<Col
xs={8}
sm={12}
style={styles.titleContainer}
className="ce-chat-title-container"
>
{otherPerson && otherPerson.person.avatar ? (
<Avatar
avatar={otherPerson.person.avatar ? otherPerson.person.avatar : ""}
username={otherPerson.person.username}
is_online={otherPerson.person.is_online}
/>
) : (
<img
src={empty}
className="chat-card-avatar"
style={{ borderRadius: "50%", width: "40px" }}
alt=""
/>
)}
<div className="ce-chat-header-container">
<div
style={styles.titleText}
className="ce-chat-title-text"
id={`ce-chat-feed-title-${title}`}
>
{title}
</div>
<div style={styles.subtitleText} className="ce-chat-subtitle-text">
{userStatus ? userStatus : (
chat.last_message.created && chat.last_message.created.length > 0 ?
`Active ${timeSinceDate(chat.last_message.created)}` :
'Say hello!'
)}
</div>
</div>
</Col>
</Row>
);
}