@mui/material#DialogContent TypeScript Examples
The following examples show how to use
@mui/material#DialogContent.
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: Home.tsx From mui-toolpad with MIT License | 6 votes |
function AppDeleteDialog({ app, onClose }: AppDeleteDialogProps) {
const latestApp = useLatest(app);
const deleteAppMutation = client.useMutation('deleteApp');
const handleDeleteClick = React.useCallback(async () => {
if (app) {
await deleteAppMutation.mutateAsync([app.id]);
}
await client.refetchQueries('getApps');
onClose();
}, [app, deleteAppMutation, onClose]);
return (
<Dialog open={!!app} onClose={onClose}>
<DialogForm>
<DialogTitle>Confirm delete</DialogTitle>
<DialogContent>
Are you sure you want to delete application "{latestApp?.name}"
</DialogContent>
<DialogActions>
<Button color="inherit" variant="text" onClick={onClose}>
Cancel
</Button>
<LoadingButton
type="submit"
loading={deleteAppMutation.isLoading}
onClick={handleDeleteClick}
color="error"
>
Delete
</LoadingButton>
</DialogActions>
</DialogForm>
</Dialog>
);
}
Example #2
Source File: FaceTimeLinkDialog.tsx From airmessage-web with Apache License 2.0 | 6 votes |
export default function FaceTimeLinkDialog(props: {
isOpen: boolean,
onDismiss: () => void,
link: string
}) {
const propsLink = props.link;
const propsOnDismiss = props.onDismiss;
const copyLink = useCallback(async () => {
await navigator.clipboard.writeText(propsLink);
propsOnDismiss();
}, [propsLink, propsOnDismiss]);
return (
<Dialog
open={props.isOpen}
onClose={props.onDismiss}>
<DialogTitle>FaceTime link</DialogTitle>
<DialogContent>
<DialogContentText>
{props.link}
</DialogContentText>
</DialogContent>
<DialogActions>
<Button onClick={props.onDismiss} color="primary">
Cancel
</Button>
<Button onClick={copyLink} color="primary" autoFocus>
Copy
</Button>
</DialogActions>
</Dialog>
);
}
Example #3
Source File: Home.tsx From mui-toolpad with MIT License | 6 votes |
function CreateAppDialog({ onClose, ...props }: CreateAppDialogProps) {
const [name, setName] = React.useState('');
const createAppMutation = client.useMutation('createApp');
return (
<Dialog {...props} onClose={onClose}>
<DialogForm
onSubmit={async (event) => {
event.preventDefault();
const app = await createAppMutation.mutateAsync([name]);
window.location.href = `/_toolpad/app/${app.id}/editor`;
}}
>
<DialogTitle>Create a new MUI Toolpad App</DialogTitle>
<DialogContent>
<TextField
sx={{ my: 1 }}
autoFocus
fullWidth
label="name"
value={name}
onChange={(event) => setName(event.target.value)}
/>
</DialogContent>
<DialogActions>
<Button color="inherit" variant="text" onClick={onClose}>
Cancel
</Button>
<LoadingButton type="submit" loading={createAppMutation.isLoading} disabled={!name}>
Create
</LoadingButton>
</DialogActions>
</DialogForm>
</Dialog>
);
}
Example #4
Source File: GroupDeleteModal.tsx From abrechnung with GNU Affero General Public License v3.0 | 6 votes |
export default function GroupDeleteModal({ show, onClose, groupToDelete }) {
const confirmDeleteGroup = () => {
deleteGroup({ groupID: groupToDelete.id })
.then((res) => {
onClose();
})
.catch((err) => {
toast.error(err);
});
};
return (
<Dialog open={show} onClose={onClose}>
<DialogTitle>Delete Group</DialogTitle>
<DialogContent>
<DialogContentText>
{groupToDelete ? <span>Are you sure you want to delete group {groupToDelete.name}</span> : null}
</DialogContentText>
</DialogContent>
<DialogActions>
<Button color="primary" onClick={onClose}>
No
</Button>
<Button color="error" onClick={confirmDeleteGroup}>
Yes pls
</Button>
</DialogActions>
</Dialog>
);
}
Example #5
Source File: Files.tsx From NekoMaid with MIT License | 6 votes |
CompressDialog: React.FC<{ file: string | null, dirs: Record<string, boolean>, onClose: () => void, plugin: Plugin, path: string, refresh: () => void }> =
({ dirs, file, onClose, plugin, path, refresh }) => {
const [value, setValue] = useState('')
const [ext, setExt] = useState('zip')
useEffect(() => {
setValue(file || 'server')
}, [file])
let error: string | undefined
if (!validFilename(value)) error = lang.files.wrongName
else if (((path || '/') + value + '.' + ext) in dirs) error = lang.files.exists
return <Dialog open={file != null} onClose={onClose}>
<DialogTitle>{lang.files.compress}</DialogTitle>
<DialogContent>
<DialogContentText>{lang.files.compressName}</DialogContentText>
<TextField value={value} variant='standard' error={!!error} helperText={error} onChange={e => setValue(e.target.value)} />
<Select variant='standard' value={ext} onChange={e => setExt(e.target.value)}>
{compressFileExt.map(it => <MenuItem key={it} value={it}>.{it}</MenuItem>)}
</Select>
</DialogContent>
<DialogActions>
<Button onClick={onClose}>{minecraft['gui.cancel']}</Button>
<Button disabled={!!error} onClick={() => {
onClose()
plugin.emit('files:compress', (res: boolean) => {
action(res)
refresh()
}, file, value, ext)
}}>{minecraft['gui.ok']}</Button>
</DialogActions>
</Dialog>
}
Example #6
Source File: UTXODetail.tsx From sapio-studio with Mozilla Public License 2.0 | 6 votes |
function ContinuationOption(props: { v: Continuation }) {
const [is_open, setOpen] = React.useState(false);
const name = props.v.path.substr(props.v.path.lastIndexOf('/') + 1);
const dispatch = useDispatch();
return (
<div>
<Button onClick={() => setOpen(true)} variant="contained">
{name}
</Button>
<Dialog open={is_open} onClose={() => setOpen(false)}>
<DialogTitle>
<Typography variant="h5">{name}</Typography>
<ASM
className="txhex"
value={props.v.path}
label="Full Path"
/>
</DialogTitle>
<DialogContent>
<MemoizeContForm {...props} />
</DialogContent>
<DialogActions>
<Button onClick={() => dispatch(recreate_contract())}>
Recompile
</Button>
<Button onClick={() => setOpen(false)}>Close</Button>
</DialogActions>
</Dialog>
</div>
);
}
Example #7
Source File: cookies-dialog.tsx From master-frontend-lemoncode with MIT License | 6 votes |
CookiesDialog: React.FunctionComponent<Props> = (props) => {
const { onAgreeClick } = props;
const [open, setOpen] = React.useState(false);
const handleAgreeClick = () => {
setOpen(false);
onAgreeClick();
};
return (
<>
<Button variant="outlined" onClick={() => setOpen(true)}>
Learn more about our cookies
</Button>
<Dialog open={open} onClose={() => setOpen(false)}>
<DialogTitle>About cookies</DialogTitle>
<DialogContent>
<DialogContentText>
Any information that you voluntarily provide to us, including your
name and email address, will be used for the sole purpose for which
the information was provided to us. In addition, communication
exchanges on this website are public (not private) communications.
Therefore, any message that you post on this website will be
considered and treated as available for public use and distribution.
</DialogContentText>
</DialogContent>
<DialogActions>
<Button color="primary" onClick={handleAgreeClick}>
Agree
</Button>
</DialogActions>
</Dialog>
</>
);
}
Example #8
Source File: QueryEditor.tsx From mui-toolpad with MIT License | 5 votes |
function ConnectionSelectorDialog<Q>({ open, onCreated, onClose }: DataSourceSelectorProps<Q>) {
const dom = useDom();
const [input, setInput] = React.useState<NodeId | null>(null);
const handleClick = React.useCallback(() => {
const connectionId = input;
const connection = connectionId && appDom.getMaybeNode(dom, connectionId, 'connection');
if (!connection) {
throw new Error(`Invariant: Selected non-existing connection "${connectionId}"`);
}
const dataSourceId = connection.attributes.dataSource.value;
const dataSource = dataSources[dataSourceId];
if (!dataSource) {
throw new Error(`Invariant: Selected non-existing dataSource "${dataSourceId}"`);
}
const queryNode = appDom.createNode(dom, 'query', {
attributes: {
query: appDom.createConst(dataSource.getInitialQueryValue()),
connectionId: appDom.createConst(connectionId),
dataSource: appDom.createConst(dataSourceId),
},
});
onCreated(queryNode);
}, [dom, input, onCreated]);
return (
<Dialog open={open} onClose={onClose} scroll="body">
<DialogTitle>Create Query</DialogTitle>
<DialogContent>
<ConnectionSelect value={input} onChange={setInput} />
</DialogContent>
<DialogActions>
<Button color="inherit" variant="text" onClick={onClose}>
Cancel
</Button>
<Button disabled={!input} onClick={handleClick}>
Create query
</Button>
</DialogActions>
</Dialog>
);
}
Example #9
Source File: WalletDialog.tsx From wallet-adapter with Apache License 2.0 | 5 votes |
WalletDialog: FC<WalletDialogProps> = ({
title = 'Select your wallet',
featuredWallets = 3,
onClose,
...props
}) => {
const { wallets, select } = useWallet();
const { open, setOpen } = useWalletDialog();
const [expanded, setExpanded] = useState(false);
const [featured, more] = useMemo(
() => [wallets.slice(0, featuredWallets), wallets.slice(featuredWallets)],
[wallets, featuredWallets]
);
const handleClose = useCallback(
(event: SyntheticEvent, reason?: 'backdropClick' | 'escapeKeyDown') => {
if (onClose) onClose(event, reason!);
if (!event.defaultPrevented) setOpen(false);
},
[setOpen, onClose]
);
const handleWalletClick = useCallback(
(event: SyntheticEvent, walletName: WalletName) => {
select(walletName);
handleClose(event);
},
[select, handleClose]
);
const handleExpandClick = useCallback(() => setExpanded(!expanded), [setExpanded, expanded]);
return (
<RootDialog open={open} onClose={handleClose} {...props}>
<DialogTitle>
{title}
<IconButton onClick={handleClose} size="large">
<CloseIcon />
</IconButton>
</DialogTitle>
<DialogContent>
<List>
{featured.map((wallet) => (
<WalletListItem
key={wallet.adapter.name}
onClick={(event) => handleWalletClick(event, wallet.adapter.name)}
wallet={wallet}
/>
))}
{more.length ? (
<>
<Collapse in={expanded} timeout="auto" unmountOnExit>
<List>
{more.map((wallet) => (
<WalletListItem
key={wallet.adapter.name}
onClick={(event) => handleWalletClick(event, wallet.adapter.name)}
wallet={wallet}
/>
))}
</List>
</Collapse>
<ListItem>
<Button onClick={handleExpandClick}>
{expanded ? 'Less' : 'More'} options
{expanded ? <CollapseIcon /> : <ExpandIcon />}
</Button>
</ListItem>
</>
) : null}
</List>
</DialogContent>
</RootDialog>
);
}
Example #10
Source File: WalletSendDialog.tsx From sapio-studio with Mozilla Public License 2.0 | 5 votes |
export function WalletSendDialog(props: {
show: boolean;
amt: number;
to: string;
close: () => void;
bitcoin_node_manager: BitcoinNodeManager;
}) {
return (
<Dialog
open={props.show}
onClose={() => {
props.close();
}}
>
<DialogTitle>Confirm Spend</DialogTitle>
<DialogContent>
<DialogContentText>
Confirm sending
{props.amt} BTC to {props.to}
</DialogContentText>
</DialogContent>
<DialogActions>
<Button
onClick={() => {
props.close();
}}
>
Cancel
</Button>
<Button
onClick={async () => {
await props.bitcoin_node_manager.send_to_address(
props.amt,
props.to
);
props.close();
}}
>
Confirm
</Button>
</DialogActions>
</Dialog>
);
}
Example #11
Source File: FeedbackDialog.tsx From airmessage-web with Apache License 2.0 | 5 votes |
/**
* A dialog that presents help and feedback options
*/
export default function FeedbackDialog(props: {isOpen: boolean, onDismiss: () => void}) {
const propsOnDismiss = props.onDismiss;
const onClickEmail = useCallback(async () => {
const body =
`\n\n---------- DEVICE INFORMATION ----------` +
Object.entries(await getPlatformUtils().getExtraEmailDetails())
.map(([key, value]) => `\n${key}: ${value}`)
.join("") +
`\nUser agent: ${navigator.userAgent}` +
`\nClient version: ${appVersion}` +
`\nCommunications version: ${getActiveCommVer()?.join(".")} (target ${targetCommVerString})` +
`\nProxy type: ${getActiveProxyType()}` +
`\nServer system version: ${getServerSystemVersion()}` +
`\nServer software version: ${getServerSoftwareVersion()}`;
const url = `mailto:${supportEmail}?subject=${encodeURIComponent("AirMessage feedback")}&body=${encodeURIComponent(body)}`;
window.open(url, "_blank");
propsOnDismiss();
}, [propsOnDismiss]);
const onClickCommunity = useCallback(() => {
window.open(communityPage, "_blank");
propsOnDismiss();
}, [propsOnDismiss]);
return (
<Dialog
open={props.isOpen}
onClose={props.onDismiss}>
<DialogTitle>Help and feedback</DialogTitle>
<DialogContent>
<DialogContentText>
Have a bug to report, a feature to suggest, or anything else to say? Contact us or discuss with others using the links below.
</DialogContentText>
</DialogContent>
<DialogActions>
<Button onClick={onClickEmail} color="primary">
Send E-Mail
</Button>
<Button onClick={onClickCommunity} color="primary" autoFocus>
Open community subreddit
</Button>
</DialogActions>
</Dialog>
);
}
Example #12
Source File: NewWorkspace.tsx From sapio-studio with Mozilla Public License 2.0 | 5 votes |
export function NewWorkspace(props: {
show: boolean;
hide: () => void;
reload: () => void;
}) {
const [value, set_value] = React.useState<null | string>(null);
return (
<Dialog onClose={props.hide} open={props.show}>
<DialogTitle>Create a new Workspace</DialogTitle>
<DialogContent>
<DialogContentText>
What should the workspace be called?
</DialogContentText>
<TextField
onChange={(ev) => set_value(ev.currentTarget.value)}
value={value}
autoFocus
margin="dense"
label="Name"
name="name"
type="text"
fullWidth
variant="standard"
/>
</DialogContent>
<DialogActions>
<Button onClick={props.hide}>Cancel</Button>
<Button
color="success"
onClick={async (ev) => {
if (value !== null) {
await window.electron.sapio.workspaces.init(value);
props.reload();
}
props.hide();
}}
>
Create
</Button>
</DialogActions>
</Dialog>
);
}
Example #13
Source File: ConfirmationDialog.tsx From console with GNU Affero General Public License v3.0 | 5 votes |
ConfirmationDialog = ({
classes,
open,
cancelLabel,
okLabel,
onClose,
cancelOnClick,
okOnClick,
title,
description,
}: IConfirmationDialog) => {
const [isSending, setIsSending] = useState<boolean>(false);
const onClick = () => {
setIsSending(true);
if (okOnClick !== null) {
okOnClick();
}
setIsSending(false);
};
if (!open) return null;
return (
<Dialog
open={open}
onClose={onClose}
aria-labelledby="alert-dialog-title"
aria-describedby="alert-dialog-description"
>
<DialogTitle id="alert-dialog-title">{title}</DialogTitle>
<DialogContent>
{isSending && <LinearProgress />}
<DialogContentText id="alert-dialog-description">
{description}
</DialogContentText>
</DialogContent>
<DialogActions>
<Button onClick={cancelOnClick} color="primary" disabled={isSending}>
{cancelLabel || "Cancel"}
</Button>
<Button onClick={onClick} color="secondary" autoFocus>
{okLabel || "Ok"}
</Button>
</DialogActions>
</Dialog>
);
}
Example #14
Source File: CreateApiNodeDialog.tsx From mui-toolpad with MIT License | 5 votes |
export default function CreateApiNodeDialog({
appId,
onClose,
...props
}: CreateApiNodeDialogProps) {
const [connectionId, setConnectionID] = React.useState<NodeId | null>(null);
const dom = useDom();
const domApi = useDomApi();
const navigate = useNavigate();
return (
<Dialog {...props} onClose={onClose}>
<DialogForm
autoComplete="off"
onSubmit={(e) => {
e.preventDefault();
const connection = connectionId && appDom.getMaybeNode(dom, connectionId, 'connection');
if (!connection) {
throw new Error(`Invariant: Selected non-existing connection "${connectionId}"`);
}
const dataSource = dataSources[connection.attributes.dataSource.value];
if (!dataSource) {
throw new Error(
`Invariant: Selected non-existing dataSource "${connection.attributes.dataSource.value}"`,
);
}
const newApiNode = appDom.createNode(dom, 'api', {
attributes: {
query: appDom.createConst(dataSource.getInitialQueryValue()),
connectionId: appDom.createConst(connectionId),
dataSource: connection.attributes.dataSource,
transformEnabled: appDom.createConst(false),
transform: appDom.createConst('(data) => { return data }'),
},
});
const appNode = appDom.getApp(dom);
domApi.addNode(newApiNode, appNode, 'apis');
onClose();
navigate(`/app/${appId}/editor/apis/${newApiNode.id}`);
}}
>
<DialogTitle>Create a new MUI Toolpad API</DialogTitle>
<DialogContent>
<Typography>Please select a connection for your API</Typography>
<ConnectionSelect value={connectionId} onChange={setConnectionID} />
</DialogContent>
<DialogActions>
<Button color="inherit" variant="text" onClick={onClose}>
Cancel
</Button>
<Button type="submit" disabled={!connectionId}>
Create
</Button>
</DialogActions>
</DialogForm>
</Dialog>
);
}
Example #15
Source File: PersonSelectDialog.tsx From frontend with MIT License | 5 votes |
function PersonSelectDialog({ onConfirm: confirmCallback, onClose: closeCallback, error }: Props) {
const [person, setPerson] = useState<PersonResponse | null>(null)
const { t } = useTranslation()
const { open, confirmHandler, closeHandler, openHandler, loading } = useConfirm({
onConfirm: async () => {
confirmCallback ? confirmCallback(person) : null
},
onClose: async () => {
closeCallback ? closeCallback(person) : null
},
})
return (
<>
<FormFieldButton
onClick={openHandler}
placeholder={t('person:selectDialog.notSelected')}
value={person ? `${person.firstName} ${person.lastName} (${person.id})` : undefined}
button={{ label: t('person:selectDialog.select') }}
error={error ? translateError(error, t) : undefined}
/>
<Dialog fullWidth open={open} onClose={closeHandler}>
<DialogTitle>{t('person:selectDialog.personSelect')}</DialogTitle>
<DialogContent>
<Box sx={{ marginTop: theme.spacing(2) }}>
<PersonAutocomplete
onSelect={(person) => {
setPerson(person)
}}
showId
autocompleteProps={{ defaultValue: person }}
/>
</Box>
<Box sx={{ marginTop: theme.spacing(2) }}>
{person ? <PersonInfo person={person} /> : t('person:selectDialog.notSelected')}
</Box>
</DialogContent>
<DialogActions>
<CloseModalButton onClose={closeHandler} />
<LoadingButton onClick={confirmHandler} loading={loading}>
{t('person:selectDialog.confirm')}
</LoadingButton>
</DialogActions>
</Dialog>
</>
)
}
Example #16
Source File: QueryStateEditor.tsx From mui-toolpad with MIT License | 5 votes |
export default function QueryStateEditor() {
const dom = useDom();
const state = usePageEditorState();
const domApi = useDomApi();
const [editedState, setEditedState] = React.useState<NodeId | null>(null);
const editedStateNode = editedState ? appDom.getNode(dom, editedState, 'queryState') : null;
const handleEditStateDialogClose = React.useCallback(() => setEditedState(null), []);
const page = appDom.getNode(dom, state.nodeId, 'page');
const { queryStates = [] } = appDom.getChildNodes(dom, page) ?? [];
// To keep dialog content around during closing animation
const lastEditedStateNode = useLatest(editedStateNode);
const handleRemove = React.useCallback(() => {
if (editedStateNode) {
domApi.removeNode(editedStateNode.id);
}
handleEditStateDialogClose();
}, [editedStateNode, handleEditStateDialogClose, domApi]);
return queryStates.length > 0 ? (
<Stack spacing={1} alignItems="start">
<List>
{queryStates.map((stateNode) => {
return (
<ListItem key={stateNode.id} button onClick={() => setEditedState(stateNode.id)}>
{stateNode.name}
</ListItem>
);
})}
</List>
{lastEditedStateNode ? (
<Dialog
fullWidth
maxWidth="lg"
open={!!editedStateNode}
onClose={handleEditStateDialogClose}
scroll="body"
>
<DialogTitle>Edit Query State ({lastEditedStateNode.id})</DialogTitle>
<DialogContent>
<QueryStateNodeEditor node={lastEditedStateNode} />
</DialogContent>
<DialogActions>
<Button color="inherit" variant="text" onClick={handleEditStateDialogClose}>
Close
</Button>
<Button onClick={handleRemove}>Remove</Button>
</DialogActions>
</Dialog>
) : null}
</Stack>
) : null;
}
Example #17
Source File: DeleteDialog.tsx From sapio-studio with Mozilla Public License 2.0 | 5 votes |
export function DeleteDialog(props: { set_to_delete: () => void; to_delete: ['workspace', string] | ['contract', string] | null; reload: () => void; }) { const workspace = useSelector(selectWorkspace); return ( <Dialog onClose={props.set_to_delete} open={props.to_delete !== null}> <DialogTitle>Confirm Deletion</DialogTitle> <DialogContent> <DialogContentText> Confirm deletion of "{props.to_delete}"? File will be in your trash folder. </DialogContentText> </DialogContent> <DialogActions> <Button color="warning" onClick={(ev) => { if (props.to_delete) { switch (props.to_delete[0]) { case 'workspace': window.electron.sapio.workspaces.trash( props.to_delete[1] ); break; case 'contract': window.electron.sapio.compiled_contracts.trash( workspace, props.to_delete[1] ); break; } } props.set_to_delete(); props.reload(); }} > Delete </Button> <Button onClick={props.set_to_delete}>Cancel</Button> </DialogActions> </Dialog> ); }
Example #18
Source File: PictureDialog.tsx From aws_serverless_photo_gallery with MIT License | 5 votes |
export default function PictureDialog({
onClose,
file,
}: {
onClose: Function
file?: DixieFile
}) {
const [comments, setComments] = useState<Comment[]>()
const [loading, setLoading] = useState(false)
const [error, setError] = useState<unknown>()
const [counter, setCounter] = useState(0)
const [password] = useQueryParam('password', StringParam)
const classes = useStyles()
const handleClose = () => {
setLoading(false)
setError(undefined)
onClose()
}
useEffect(() => {
;(async () => {
try {
if (file) {
const result = await myfetchjson(
API_ENDPOINT + `/getDixieComments?filename=${file?.filename}`,
)
setComments(result)
}
} catch (e) {
setError(e)
}
})()
}, [file, counter])
return (
<Dialog onClose={handleClose} open={Boolean(file)} maxWidth="lg">
<DialogTitle>{file ? file.filename : ''}</DialogTitle>
<DialogContent>
{file ? (
<Media file={file} style={{ width: '80%', maxHeight: '70%' }}>
{getCaption(file)}
</Media>
) : null}
{error ? (
<div className={classes.error}>{`${error}`}</div>
) : loading ? (
'Loading...'
) : comments ? (
<div className={classes.posts}>
{comments
.sort((a, b) => a.timestamp - b.timestamp)
.map(comment => {
const { user, timestamp, message } = comment
return (
<div
key={JSON.stringify(comment)}
className={classes.post}
style={{ background: '#ddd' }}
>
<div>
{user ? user + ' - ' : ''}
{new Date(timestamp).toLocaleString()}
</div>
<div>{message}</div>
</div>
)
})}
</div>
) : null}
{file && password ? (
<CommentForm
filename={file.filename}
forceRefresh={() => setCounter(counter + 1)}
/>
) : null}
</DialogContent>
</Dialog>
)
}
Example #19
Source File: ServerSwitch.tsx From NekoMaid with MIT License | 5 votes |
ServerSwitch: React.FC<DialogProps> = props => {
const [value, setValue] = useState<string>('')
let error = false
// eslint-disable-next-line no-new
try { if (value) new URL(value.startsWith('http://') ? value : 'http://' + value) } catch { error = true }
return <Dialog fullWidth maxWidth='xs' {...props}>
<DialogTitle>{lang.serverSwitch.title}</DialogTitle>
<DialogContent sx={{ overflow: 'hidden' }}>
<Autocomplete
freeSolo
inputValue={value}
clearOnBlur={false}
onInputChange={(_: any, v: string) => setValue(v)}
noOptionsText={lang.serverSwitch.noServer}
style={{ width: '100%', maxWidth: 500, marginTop: 10 }}
options={JSON.parse(localStorage.getItem('NekoMaid:servers') || '[]')}
getOptionLabel={(option: any) => option.address}
renderInput={(props: any) => <TextField
{...props}
error={error}
label={minecraft['addServer.enterIp']}
helperText={error ? lang.serverSwitch.wrongHostname : undefined}
/>}
/>
<DialogContentText>{lang.serverSwitch.content}</DialogContentText>
</DialogContent>
<DialogActions>
<Button
color='primary'
disabled={error}
onClick={() => (location.search = '?' + encodeURIComponent(value))}
>{lang.serverSwitch.connect}</Button>
</DialogActions>
</Dialog>
}
Example #20
Source File: NewNickname.tsx From sapio-studio with Mozilla Public License 2.0 | 5 votes |
export function NewNickname(props: { show: boolean; hide: () => void }) {
const [value, set_value] = React.useState<null | string>(null);
const [key_value, set_key_value] = React.useState<null | string>(null);
return (
<Dialog onClose={props.hide} open={props.show}>
<DialogTitle>Create a new User</DialogTitle>
<DialogContent>
<DialogContentText>
The key and nickname for the new person. Keys must be
unique.
</DialogContentText>
<TextField
onChange={(ev) => set_value(ev.currentTarget.value)}
value={value}
autoFocus
margin="dense"
label="Name"
name="name"
type="text"
fullWidth
variant="standard"
/>
<TextField
onChange={(ev) => set_key_value(ev.currentTarget.value)}
value={key_value}
autoFocus
margin="dense"
label="Key Hash"
name="keyhash"
type="text"
fullWidth
variant="standard"
/>
</DialogContent>
<DialogActions>
<Button onClick={props.hide}>Cancel</Button>
<Button
color="success"
onClick={async (ev) => {
if (value !== null && key_value) {
await window.electron.chat.add_user(
value,
key_value
);
}
props.hide();
}}
>
Create
</Button>
</DialogActions>
</Dialog>
);
}
Example #21
Source File: PersonDialog.tsx From frontend with MIT License | 5 votes |
export default function PersonDialog({ label, type, onSubmit }: Props) {
const { t } = useTranslation()
const [open, setOpen] = useState(false)
const handleClickOpen = () => setOpen(true)
const handleClose = () => setOpen(false)
return (
<>
<Button fullWidth variant="contained" color="info" onClick={handleClickOpen}>
{label}
</Button>
<Dialog
open={open}
onClose={(e, reason) => {
if (reason === 'backdropClick') return
handleClose()
}}
onBackdropClick={() => false}>
<DialogTitle>
{label}
<IconButton
aria-label="close"
onClick={handleClose}
sx={{
position: 'absolute',
right: 8,
top: 8,
color: (theme) => theme.palette.grey[500],
}}>
<Close />
</IconButton>
</DialogTitle>
<DialogContent>
<Box sx={{ mb: 2 }}>
{type === 'beneficiary' ? (
<Alert severity="info">
<AlertTitle>{t('campaigns:campaign.beneficiary.name')}</AlertTitle>
Лице, в чиято полза се организира кампанията. От юридическа гледна точка,
бенефициентът <strong>НЕ влиза</strong> във взаимоотношения с оператора при набиране
на средства в негова полза. Всички договори, изисквания, банкова сметка на
кампанията са на името на организатора. Възможно е бенефициентът по една кампания да
е и неговият организатор.
</Alert>
) : (
<Alert severity="warning">
<AlertTitle>{t('campaigns:campaign.coordinator.name')}</AlertTitle>
Организаторът е физическото или юридическо лице, с което се сключва договор за
набиране на средства, след като негова заявка за кампания е одобрена. Набраните
средства се прехвърлят в неговата банкова сметка, от него се изискват отчети за
разходените средства. Когато дадено лице иска да стане организатор на кампании,
преминава през процес на верификация, за да се избегнат измамите. Организаторът също
може да е и бенефициент по дадена кампания.
</Alert>
)}
</Box>
<PersonForm
{...type}
onSubmit={(...args) => {
onSubmit(...args)
handleClose()
}}
/>
</DialogContent>
</Dialog>
</>
)
}
Example #22
Source File: Dialog.tsx From your_spotify with GNU General Public License v3.0 | 5 votes |
export default function Dialog({ open, onClose, title, children }: DialogProps) {
return (
<MDialog open={open} maxWidth="xl" onClose={onClose} TransitionComponent={Grow}>
<DialogTitle>{title}</DialogTitle>
<DialogContent>{children}</DialogContent>
</MDialog>
);
}
Example #23
Source File: UpdateDialog.tsx From GTAV-NativeDB with MIT License | 5 votes |
function UpdateDialog() {
const [closedChangelog, setClosedChangelog] = useLocalStorageState('UpdateDialog.Closed', '')
const handleClose = useCallback(() => {
setClosedChangelog(buildDate)
}, [setClosedChangelog])
return (
<Dialog
open={false && closedChangelog !== buildDate}
onClose={handleClose}
maxWidth="sm"
scroll="paper"
fullWidth
>
<DialogTitle>
Changelog
</DialogTitle>
<DialogContent>
<Header type="new">
New Features
</Header>
<Typography variant="body2">
<UnorderedList>
<ListItem>
<b>Capturing links</b><br />
When you click on a native db link it should now open as a PWA, provided you have it installed as one. This feature requires the "enable-desktop-pwas-link-capturing" flag to be enabled.
</ListItem>
</UnorderedList>
</Typography>
{/* <Header type="fix">
Fixes and Changes
</Header>
<Typography variant="body2">
<UnorderedList>
<ListItem>
<b>Old names from Alloc8or ndb</b><br />
Old names are now taken from Alloc8or's native data instead of my "extra data" repo.
</ListItem>
<ListItem>
<b>Switching to dark mode</b><br />
Switching to dark mode is no longer broken if your system is set to light mode.
</ListItem>
<ListItem>
<b>Search results are no longer cleared</b><br />
Selecting a native would clear your search results, this is now fixed.
</ListItem>
</UnorderedList>
</Typography> */}
</DialogContent>
<DialogActions>
<Button onClick={handleClose}>
Close
</Button>
</DialogActions>
</Dialog>
)
}
Example #24
Source File: FinanceDialogueBody.tsx From mojito_pdm with Creative Commons Attribution Share Alike 4.0 International | 5 votes |
FinanceDialogueBody: React.FC<IFinanceDialogueBody> = ({spawncode, price, setDialogueOpen, setModalOpen}) => {
const [downpay, setDownpay] = useState(20)
const [colour, setColour] = useState<RgbColor>({r: 0, g: 0, b:0})
const {setVisible} = useVisibility()
const coloursEnabled = useRecoilValue(GlobalState.customColours)
const handleClose = () => {
setDialogueOpen(false)
}
const handleAccept = async () => {
setDialogueOpen(false)
setModalOpen(false)
try {
await fetchNui<void>("finance_vehicle", {
vehicle: spawncode,
downpayPercent: downpay,
colour: coloursEnabled ? colour : null
})
await fetchNui("exit")
setVisible(false)
} catch (e) {
console.error(e)
}
}
const calculateDownpayment = () => {
const total = parseFloat(price.slice(1).replace(/,/g, ''))
return Math.round(total * (downpay / 100))
}
const onSliderChange = (e: any) => {
setDownpay(e.target.value)
}
return (
<>
<DialogTitle>Confirm your finance options</DialogTitle>
<DialogContent>
<DialogContentText>
Downpayment: ${calculateDownpayment()}.00 <br/>
Interest Rate: {interestRates[downpay]}%
</DialogContentText>
<br/>
<Slider
defaultValue={downpay}
marks={[
{value: 10, label: "10%"},
{value: 20, label: "20%"},
{value: 30, label: "30%"},
{value: 40, label: "40%"},
]}
min={10}
max={40}
step={10}
getAriaValueText={(value) => value + "%"}
onChange={onSliderChange}
/>
{coloursEnabled &&
<DialogContentText>
<br />
Pick a colour, any colour:
<RgbColorPicker color={colour} onChange={setColour} />
</DialogContentText>
}
</DialogContent>
<DialogActions>
<Button color="success" variant="outlined" onClick={handleAccept}>Confirm</Button>
<Button color="error" variant="outlined" onClick={handleClose}>Cancel</Button>
</DialogActions>
</>
)
}
Example #25
Source File: EditAccountModal.tsx From abrechnung with GNU Affero General Public License v3.0 | 4 votes |
export default function EditAccountModal({ group, show, onClose, account }) {
const setAccounts = useSetRecoilState(groupAccounts(group.id));
const userPermissions = useRecoilValue(currUserPermissions(group.id));
const currentUser = useRecoilValue(userData);
const memberIDToUsername = useRecoilValue(groupMemberIDsToUsername(group.id));
const handleSubmit = (values, { setSubmitting }) => {
updateAccountDetails({
accountID: values.accountID,
name: values.name,
description: values.description,
owningUserID: values.owningUserID,
})
.then((account) => {
console.log(account);
updateAccount(account, setAccounts);
setSubmitting(false);
onClose();
})
.catch((err) => {
toast.error(err);
setSubmitting(false);
});
};
return (
<Dialog open={show} onClose={onClose}>
<DialogTitle>Edit Personal Account</DialogTitle>
<DialogContent>
<Formik
initialValues={{
accountID: account?.id,
name: account?.name,
description: account?.description,
owningUserID: account?.owning_user_id,
}}
onSubmit={handleSubmit}
enableReinitialize={true}
>
{({ values, handleChange, handleBlur, handleSubmit, isSubmitting, setFieldValue }) => (
<Form>
<TextField
margin="normal"
required
fullWidth
variant="standard"
autoFocus
name="name"
label="Account Name"
value={values.name}
onBlur={handleBlur}
onChange={handleChange}
/>
<TextField
margin="normal"
fullWidth
variant="standard"
name="description"
label="Description"
value={values.description}
onBlur={handleBlur}
onChange={handleChange}
/>
{userPermissions.is_owner ? (
<GroupMemberSelect
margin="normal"
group={group}
label="Owning user"
value={values.owningUserID}
onChange={(user_id) => setFieldValue("owningUserID", user_id)}
/>
) : account?.owning_user_id === null || account?.owning_user_id === currentUser.id ? (
<FormControlLabel
control={
<Checkbox
name="owningUserID"
onChange={(e) =>
setFieldValue("owningUserID", e.target.checked ? currentUser.id : null)
}
checked={values.owningUserID === currentUser.id}
/>
}
label="This is me"
/>
) : (
<span>
Owned by{" "}
<Chip
size="small"
component="span"
color="primary"
label={memberIDToUsername[account?.owning_user_id]}
/>
</span>
)}
{isSubmitting && <LinearProgress />}
<DialogActions>
<Button color="primary" type="submit">
Save
</Button>
<Button color="error" onClick={onClose}>
Cancel
</Button>
</DialogActions>
</Form>
)}
</Formik>
</DialogContent>
</Dialog>
);
}
Example #26
Source File: GridColumns.tsx From mui-toolpad with MIT License | 4 votes |
function GridColumnsPropEditor({
label,
nodeId,
value = [],
onChange,
disabled,
}: EditorProps<GridColumns>) {
const { bindings } = usePageEditorState();
const [editColumnsDialogOpen, setEditColumnsDialogOpen] = React.useState(false);
const [editedIndex, setEditedIndex] = React.useState<number | null>(null);
const editedColumn = typeof editedIndex === 'number' ? value[editedIndex] : null;
React.useEffect(() => {
if (editColumnsDialogOpen) {
setEditedIndex(null);
}
}, [editColumnsDialogOpen]);
const [menuAnchorEl, setMenuAnchorEl] = React.useState<null | HTMLElement>(null);
const menuOpen = Boolean(menuAnchorEl);
const handleMenuClick = (event: React.MouseEvent<HTMLButtonElement>) => {
setMenuAnchorEl(event.currentTarget);
};
const handleClose = () => {
setMenuAnchorEl(null);
};
const rowsValue = nodeId && bindings[`${nodeId}.props.rows`];
const definedRows: unknown = rowsValue?.value;
const columnSuggestions = React.useMemo(() => {
const inferred = inferColumns(Array.isArray(definedRows) ? definedRows : []);
const existingFields = new Set(value.map(({ field }) => field));
return inferred.filter((column) => !existingFields.has(column.field));
}, [definedRows, value]);
const handleCreateColumn = React.useCallback(
(suggestion: GridColDef) => () => {
const existingFields = new Set(value.map(({ field }) => field));
const newFieldName = generateUniqueString(suggestion.field, existingFields);
const newValue = [...value, { ...suggestion, field: newFieldName }];
onChange(newValue);
setEditedIndex(newValue.length - 1);
handleClose();
},
[value, onChange],
);
const handleColumnItemClick = React.useCallback(
(index: number) => () => {
setEditedIndex(index);
},
[],
);
const handleColumnChange = React.useCallback(
(newValue: GridColDef) => {
onChange(value.map((column, i) => (i === editedIndex ? newValue : column)));
},
[editedIndex, onChange, value],
);
const handleColumnDelete = React.useCallback(
(deletedIndex: number) => (event: React.MouseEvent) => {
event.stopPropagation();
onChange(value.filter((column, i) => i !== deletedIndex));
},
[onChange, value],
);
return (
<React.Fragment>
<Button onClick={() => setEditColumnsDialogOpen(true)}>{label}</Button>
<Dialog
fullWidth
open={editColumnsDialogOpen}
onClose={() => setEditColumnsDialogOpen(false)}
>
{editedColumn ? (
<React.Fragment>
<DialogTitle>
<IconButton aria-label="Back" onClick={() => setEditedIndex(null)}>
<ArrowBackIcon />
</IconButton>
Edit column {editedColumn.field}
</DialogTitle>
<DialogContent>
<Stack gap={1} py={1}>
<TextField
label="field"
value={editedColumn.field}
disabled={disabled}
onChange={(event) =>
handleColumnChange({ ...editedColumn, field: event.target.value })
}
/>
<TextField
select
fullWidth
label="type"
value={editedColumn.type ?? ''}
disabled={disabled}
onChange={(event) =>
handleColumnChange({ ...editedColumn, type: event.target.value })
}
>
{COLUMN_TYPES.map((type) => (
<MenuItem key={type} value={type}>
{type}
</MenuItem>
))}
</TextField>
<TextField
select
fullWidth
label="align"
value={editedColumn.align ?? ''}
disabled={disabled}
onChange={(event) =>
handleColumnChange({
...editedColumn,
align: (event.target.value as GridAlignment) || undefined,
})
}
>
{ALIGNMENTS.map((alignment) => (
<MenuItem key={alignment} value={alignment}>
{alignment}
</MenuItem>
))}
</TextField>
<TextField
label="width"
type="number"
value={editedColumn.width}
disabled={disabled}
onChange={(event) =>
handleColumnChange({ ...editedColumn, width: Number(event.target.value) })
}
/>
</Stack>
</DialogContent>
</React.Fragment>
) : (
<React.Fragment>
<DialogTitle>Edit columns</DialogTitle>
<DialogContent>
<IconButton aria-label="Add column" onClick={handleMenuClick} disabled={disabled}>
<AddIcon />
</IconButton>
<Menu
id="new-column-menu"
anchorEl={menuAnchorEl}
open={menuOpen}
onClose={handleClose}
MenuListProps={{
'aria-labelledby': 'basic-button',
}}
>
{columnSuggestions.map((suggestion) => (
<MenuItem key={suggestion.field} onClick={handleCreateColumn(suggestion)}>
{suggestion.field}
</MenuItem>
))}
<MenuItem onClick={handleCreateColumn({ field: 'new' })}>new column</MenuItem>
</Menu>
<List>
{value.map((colDef, i) => {
return (
<ListItem
key={colDef.field}
disableGutters
onClick={handleColumnItemClick(i)}
secondaryAction={
<IconButton
aria-label="Remove column"
edge="end"
onClick={handleColumnDelete(i)}
>
<DeleteIcon />
</IconButton>
}
>
<ListItemButton>
<ListItemText primary={colDef.field} />
</ListItemButton>
</ListItem>
);
})}
</List>
</DialogContent>
</React.Fragment>
)}
<DialogActions>
<Button color="inherit" variant="text" onClick={() => setEditColumnsDialogOpen(false)}>
Close
</Button>
</DialogActions>
</Dialog>
</React.Fragment>
);
}
Example #27
Source File: ItemViewer.tsx From NekoMaid with MIT License | 4 votes |
ItemEditor: React.FC = () => {
const plugin = usePlugin()
const theme = useTheme()
const [item, setItem] = useState<Item | undefined>()
const [types, setTypes] = useState<string[]>([])
const [tab, setTab] = useState(0)
const [level, setLevel] = useState(1)
const [enchantment, setEnchantment] = useState<string | undefined>()
const [nbtText, setNBTText] = useState('')
const nbt: NBT = item?.nbt ? parse(item.nbt) : { id: 'minecraft:' + (item?.type || 'air').toLowerCase(), Count: new Byte(1) } as any
useEffect(() => {
if (!item || types.length) return
plugin.emit('item:fetch', (a: string[], b: string[]) => {
setTypes(a)
enchantments = b
})
}, [item])
useEffect(() => {
_setItem = (it: any) => {
setItem(it)
setNBTText(it.nbt ? stringify(parse(it.nbt), { pretty: true }) : '')
}
return () => { _setItem = null }
}, [])
const cancel = () => {
setItem(undefined)
if (_resolve) {
_resolve(false)
_resolve = null
}
}
const update = () => {
const newItem: any = { ...item }
if (nbt) {
newItem.nbt = stringify(nbt as any)
setNBTText(stringify(nbt, { pretty: true }))
}
setItem(newItem)
}
const isAir = item?.type === 'AIR'
const name = nbt?.tag?.display?.Name
const enchantmentMap: Record<string, true> = { }
return <Dialog open={!!item} onClose={cancel}>
<DialogTitle>{lang.itemEditor.title}</DialogTitle>
<DialogContent sx={{ display: 'flex', flexWrap: 'wrap', justifyContent: 'center' }}>
{item && <Box sx={{ display: 'flex', width: '100%', justifyContent: 'center' }}>
<ItemViewer item={item} />
<Autocomplete
options={types}
sx={{ maxWidth: 300, marginLeft: 1, flexGrow: 1 }}
value={item?.type}
onChange={(_, it) => {
item.type = it || 'AIR'
if (nbt) nbt.id = 'minecraft:' + (it ? it.toLowerCase() : 'air')
update()
}}
getOptionLabel={it => {
const locatedName = getName(it.toLowerCase())
return (locatedName ? locatedName + ' ' : '') + it
}}
renderInput={(params) => <TextField {...params} label={lang.itemEditor.itemType} size='small' variant='standard' />}
/>
</Box>}
<Tabs centered value={tab} onChange={(_, it) => setTab(it)} sx={{ marginBottom: 2 }}>
<Tab label={lang.itemEditor.baseAttribute} disabled={isAir} />
<Tab label={minecraft['container.enchant']} disabled={isAir} />
<Tab label='NBT' disabled={isAir} />
</Tabs>
{nbt && tab === 0 && <Grid container spacing={1} rowSpacing={1}>
<Grid item xs={12} md={6}><TextField
fullWidth
label={lang.itemEditor.count}
type='number'
variant='standard'
value={nbt.Count}
disabled={isAir}
onChange={e => {
nbt.Count = new Byte(item!.amount = parseInt(e.target.value))
update()
}}
/></Grid>
<Grid item xs={12} md={6}><TextField
fullWidth
label={lang.itemEditor.damage}
type='number'
variant='standard'
value={nbt.tag?.Damage}
disabled={isAir}
onChange={e => {
set(nbt, 'tag.Damage', parseInt(e.target.value))
update()
}}
/></Grid>
<Grid item xs={12} md={6}>
<TextField
fullWidth
label={lang.itemEditor.displayName}
variant='standard'
disabled={isAir}
value={name ? stringifyTextComponent(JSON.parse(name)) : ''}
onChange={e => {
set(nbt, 'tag.display.Name', JSON.stringify(item!.name = e.target.value))
update()
}}
/>
<FormControlLabel
label={minecraft['item.unbreakable']}
disabled={isAir}
checked={nbt.tag?.Unbreakable?.value === 1}
control={<Checkbox
checked={nbt.tag?.Unbreakable?.value === 1}
onChange={e => {
set(nbt, 'tag.Unbreakable', new Byte(+e.target.checked))
update()
}} />
}
/>
</Grid>
<Grid item xs={12} md={6}><TextField
fullWidth
multiline
label={lang.itemEditor.lore}
variant='standard'
maxRows={5}
disabled={isAir}
value={nbt.tag?.display?.Lore?.map(l => stringifyTextComponent(JSON.parse(l)))?.join('\n') || ''}
onChange={e => {
set(nbt, 'tag.display.Lore', e.target.value.split('\n').map(text => JSON.stringify(text)))
update()
}}
/></Grid>
</Grid>}
{nbt && tab === 1 && <Grid container spacing={1} sx={{ width: '100%' }}>
{nbt.tag?.Enchantments?.map((it, i) => {
enchantmentMap[it.id] = true
return <Grid item key={i}><Chip label={getEnchantmentName(it)} onDelete={() => {
nbt?.tag?.Enchantments?.splice(i, 1)
update()
}} /></Grid>
})}
<Grid item><Chip label={lang.itemEditor.newEnchantment} color='primary' onClick={() => {
setEnchantment('')
setLevel(1)
}} /></Grid>
<Dialog onClose={() => setEnchantment(undefined)} open={enchantment != null}>
<DialogTitle>{lang.itemEditor.newEnchantmentTitle}</DialogTitle>
<DialogContent>
<Box component='form' sx={{ display: 'flex', flexWrap: 'wrap' }}>
<FormControl variant='standard' sx={{ m: 1, minWidth: 120 }}>
<InputLabel htmlFor='item-editor-enchantment-selector'>{minecraft['container.enchant']}</InputLabel>
<Select
id='item-editor-enchantment-selector'
label={minecraft['container.enchant']}
value={enchantment || ''}
onChange={e => setEnchantment(e.target.value)}
>{enchantments
.filter(e => !(e in enchantmentMap))
.map(it => <MenuItem key={it} value={it}>{getEnchantmentName(it)}</MenuItem>)}
</Select>
</FormControl>
<FormControl sx={{ m: 1, minWidth: 120 }}>
<TextField
label={lang.itemEditor.level}
type='number'
variant='standard'
value={level}
onChange={e => setLevel(parseInt(e.target.value))}
/>
</FormControl>
</Box>
</DialogContent>
<DialogActions>
<Button onClick={() => setEnchantment(undefined)}>{minecraft['gui.cancel']}</Button>
<Button disabled={!enchantment || isNaN(level)} onClick={() => {
if (nbt) {
if (!nbt.tag) nbt.tag = { Damage: new Int(0) }
;(nbt.tag.Enchantments || (nbt.tag.Enchantments = [])).push({ id: enchantment!, lvl: new Short(level) })
}
setEnchantment(undefined)
update()
}}>{minecraft['gui.ok']}</Button>
</DialogActions>
</Dialog>
</Grid>}
</DialogContent>
{nbt && tab === 2 && <Box sx={{
'& .CodeMirror': { width: '100%' },
'& .CodeMirror-dialog, .CodeMirror-scrollbar-filler': { backgroundColor: theme.palette.background.paper + '!important' }
}}>
<UnControlled
value={nbtText}
options={{
mode: 'javascript',
phrases: lang.codeMirrorPhrases,
theme: theme.palette.mode === 'dark' ? 'material' : 'one-light'
}}
onChange={(_: any, __: any, nbt: string) => {
const n = parse(nbt) as any as NBT
const newItem: any = { ...item, nbt }
if (n.Count?.value != null) newItem.amount = n.Count.value
setItem(newItem)
}}
/>
</Box>}
<DialogActions>
<Button onClick={cancel}>{minecraft['gui.cancel']}</Button>
<Button onClick={() => {
setItem(undefined)
if (_resolve) {
_resolve(!item || item.type === 'AIR' ? null : item)
_resolve = null
}
}}>{minecraft['gui.ok']}</Button>
</DialogActions>
</Dialog>
}
Example #28
Source File: InviteLinkCreate.tsx From abrechnung with GNU Affero General Public License v3.0 | 4 votes |
export default function InviteLinkCreate({ show, onClose, group }) {
const handleSubmit = (values, { setSubmitting }) => {
createGroupInvite({
groupID: group.id,
description: values.description,
validUntil: values.validUntil,
singleUse: values.singleUse,
joinAsEditor: values.joinAsEditor,
})
.then((result) => {
toast.success("Successfully created invite token");
setSubmitting(false);
onClose();
})
.catch((err) => {
toast.error(err);
setSubmitting(false);
});
};
const nowPlusOneHour = () => {
return DateTime.now().plus({ hours: 1 });
};
return (
<Dialog open={show} onClose={onClose}>
<DialogTitle>Create Invite Link</DialogTitle>
<DialogContent>
<Formik
initialValues={{
description: "",
validUntil: nowPlusOneHour(),
singleUse: false,
joinAsEditor: false,
}}
onSubmit={handleSubmit}
>
{({ values, setFieldValue, handleChange, handleBlur, handleSubmit, isSubmitting }) => (
<Form>
<TextField
margin="normal"
required
fullWidth
autoFocus
variant="standard"
name="description"
label="Description"
value={values.description}
onChange={handleChange}
onBlur={handleBlur}
/>
<DateTimePicker
inputFormat="yyyy-MM-dd HH:mm"
value={values.validUntil}
onChange={(val) => setFieldValue("validUntil", val, true)}
renderInput={(props) => (
<TextField
name="validUntil"
sx={{ marginTop: 2 }}
variant="standard"
fullWidth
{...props}
/>
)}
/>
<FormControlLabel
sx={{ mt: 2 }}
label={"Single Use"}
control={
<Checkbox
name="singleUse"
value={values.singleUse}
onChange={handleChange}
onBlur={handleBlur}
/>
}
/>
<FormControlLabel
sx={{ mt: 2 }}
label={"New members join as editors"}
control={
<Checkbox
name="joinAsEditor"
value={values.joinAsEditor}
onChange={handleChange}
onBlur={handleBlur}
/>
}
/>
{isSubmitting && <LinearProgress />}
<DialogActions>
<Button type="submit" color="primary" disabled={isSubmitting}>
Save
</Button>
<Button color="error" onClick={onClose}>
Cancel
</Button>
</DialogActions>
</Form>
)}
</Formik>
</DialogContent>
</Dialog>
);
}
Example #29
Source File: DetailsModal.tsx From frontend with MIT License | 4 votes |
function DetailsModal() {
const { getDialogs } = DialogStore
const handleClose = () => DialogStore.hide()
const { t } = useTranslation()
return (
<>
{getDialogs.map(({ id, show, title, row }) => {
return (
<Dialog
key={id}
onClose={handleClose}
open={show}
maxWidth="md"
PaperProps={{ elevation: 5 }}
BackdropProps={{ style: { opacity: 0.3 } }}>
{title && <DialogTitle>{title}</DialogTitle>}
<DialogContent dividers>
{/* TODO: Extract concrete implementation and use generic one */}
<Grid item xs={12}>
<List>
<ListItem>
<ListItemText
primary={`${row.getValue(row.id, 'name')}`}
secondary={row.row.person.company}
/>
</ListItem>
<ListItem>
<ListItemText primary={row.row.person.email} secondary={row.row.person.phone} />
</ListItem>
<ListItem>{dateFormatter(row.row.createdAt)}</ListItem>
<ListItem>
<Typography variant="body2">{row.row.message || row.row.comment}</Typography>
</ListItem>
<ListItem>
<Typography variant="caption">{row.row.person.id}</Typography>
</ListItem>
{'associationMember' in row.row &&
[
'associationMember',
'benefactorCampaign',
'benefactorPlatform',
'companyOtherText',
'companySponsor',
'companyVolunteer',
'partnerBussiness',
'partnerNpo',
'partnerOtherText',
'roleAssociationMember',
'roleBenefactor',
'roleCompany',
'rolePartner',
'roleVolunteer',
'volunteerBackend',
'volunteerDesigner',
'volunteerDevOps',
'volunteerFinancesAndAccounts',
'volunteerFrontend',
'volunteerLawyer',
'volunteerMarketing',
'volunteerProjectManager',
'volunteerQa',
'volunteerSecurity',
].map((k, i) => (
<ListItem key={i}>
<ListItemText
primary={k}
secondary={row.row[k] ? <Check color="primary" /> : <Clear />}
/>
</ListItem>
))}
</List>
</Grid>
{/* */}
</DialogContent>
<DialogActions>
<Button autoFocus onClick={handleClose} color="primary">
{t('common:close')}
</Button>
</DialogActions>
</Dialog>
)
})}
</>
)
}