21910: Merge branch 'main' into 21910-remove-api_client_id
[arvados.git] / services / workbench2 / src / views-components / data-explorer / renderers.tsx
1 // Copyright (C) The Arvados Authors. All rights reserved.
2 //
3 // SPDX-License-Identifier: AGPL-3.0
4
5 import React from "react";
6 import { Grid, Typography, withStyles, Tooltip, IconButton, Checkbox, Chip, withTheme } from "@material-ui/core";
7 import { FavoriteStar, PublicFavoriteStar } from "../favorite-star/favorite-star";
8 import { Resource, ResourceKind, TrashableResource } from "models/resource";
9 import {
10     FreezeIcon,
11     ProjectIcon,
12     FilterGroupIcon,
13     CollectionIcon,
14     ProcessIcon,
15     DefaultIcon,
16     ShareIcon,
17     CollectionOldVersionIcon,
18     WorkflowIcon,
19     RemoveIcon,
20     RenameIcon,
21     ActiveIcon,
22     SetupIcon,
23     InactiveIcon,
24     ErrorIcon,
25 } from "components/icon/icon";
26 import { formatDate, formatFileSize, formatTime } from "common/formatters";
27 import { resourceLabel } from "common/labels";
28 import { connect, DispatchProp } from "react-redux";
29 import { RootState } from "store/store";
30 import { getResource, filterResources } from "store/resources/resources";
31 import { GroupContentsResource } from "services/groups-service/groups-service";
32 import { getProcess, Process, getProcessStatus, getProcessStatusStyles, getProcessRuntime } from "store/processes/process";
33 import { ArvadosTheme } from "common/custom-theme";
34 import { compose, Dispatch } from "redux";
35 import { WorkflowResource } from "models/workflow";
36 import { ResourceStatus as WorkflowStatus } from "views/workflow-panel/workflow-panel-view";
37 import { getUuidPrefix, openRunProcess } from "store/workflow-panel/workflow-panel-actions";
38 import { openSharingDialog } from "store/sharing-dialog/sharing-dialog-actions";
39 import { getUserFullname, getUserDisplayName, User, UserResource } from "models/user";
40 import { LinkClass, LinkResource } from "models/link";
41 import { navigateTo, navigateToGroupDetails, navigateToUserProfile } from "store/navigation/navigation-action";
42 import { withResourceData } from "views-components/data-explorer/with-resources";
43 import { CollectionResource } from "models/collection";
44 import { IllegalNamingWarning } from "components/warning/warning";
45 import { loadResource } from "store/resources/resources-actions";
46 import { BuiltinGroups, getBuiltinGroupUuid, GroupClass, GroupResource, isBuiltinGroup } from "models/group";
47 import { openRemoveGroupMemberDialog } from "store/group-details-panel/group-details-panel-actions";
48 import { setMemberIsHidden } from "store/group-details-panel/group-details-panel-actions";
49 import { formatPermissionLevel } from "views-components/sharing-dialog/permission-select";
50 import { PermissionLevel } from "models/permission";
51 import { openPermissionEditContextMenu } from "store/context-menu/context-menu-actions";
52 import { VirtualMachinesResource } from "models/virtual-machines";
53 import { CopyToClipboardSnackbar } from "components/copy-to-clipboard-snackbar/copy-to-clipboard-snackbar";
54 import { ProjectResource } from "models/project";
55 import { ProcessResource } from "models/process";
56 import { ServiceRepository } from "services/services";
57 import { loadUsersPanel } from "store/users/users-actions";
58 import { InlinePulser } from "components/loading/inline-pulser";
59 import { ProcessTypeFilter } from "store/resource-type-filters/resource-type-filters";
60
61 export const toggleIsAdmin = (uuid: string) =>
62     async (dispatch: Dispatch, getState: () => RootState, services: ServiceRepository) => {
63         const { resources } = getState();
64         const data = getResource<UserResource>(uuid)(resources);
65         const isAdmin = data!.isAdmin;
66         const newActivity = await services.userService.update(uuid, { isAdmin: !isAdmin });
67         dispatch<any>(loadUsersPanel());
68         return newActivity;
69     };
70
71 const renderName = (dispatch: Dispatch, item: GroupContentsResource) => {
72     const navFunc = "groupClass" in item && item.groupClass === GroupClass.ROLE ? navigateToGroupDetails : navigateTo;
73     return (
74         <Grid
75             container
76             alignItems="center"
77             wrap="nowrap"
78             spacing={16}
79         >
80             <Grid item>{renderIcon(item)}</Grid>
81             <Grid item>
82                 <Typography
83                     color="primary"
84                     style={{ width: "auto", cursor: "pointer" }}
85                     onClick={(ev) => {
86                         ev.stopPropagation()
87                         dispatch<any>(navFunc(item.uuid))
88                     }}
89                 >
90                     {item.kind === ResourceKind.PROJECT || item.kind === ResourceKind.COLLECTION ? <IllegalNamingWarning name={item.name} /> : null}
91                     {item.name}
92                 </Typography>
93             </Grid>
94             <Grid item>
95                 <Typography variant="caption">
96                     <FavoriteStar resourceUuid={item.uuid} />
97                     <PublicFavoriteStar resourceUuid={item.uuid} />
98                     {item.kind === ResourceKind.PROJECT && <FrozenProject item={item} />}
99                 </Typography>
100             </Grid>
101         </Grid>
102     );
103 };
104
105 export const FrozenProject = (props: { item: ProjectResource }) => {
106     const [fullUsername, setFullusername] = React.useState<any>(null);
107     const getFullName = React.useCallback(() => {
108         if (props.item.frozenByUuid) {
109             setFullusername(<UserNameFromID uuid={props.item.frozenByUuid} />);
110         }
111     }, [props.item, setFullusername]);
112
113     if (props.item.frozenByUuid) {
114         return (
115             <Tooltip
116                 onOpen={getFullName}
117                 enterDelay={500}
118                 title={<span>Project was frozen by {fullUsername}</span>}
119             >
120                 <FreezeIcon style={{ fontSize: "inherit" }} />
121             </Tooltip>
122         );
123     } else {
124         return null;
125     }
126 };
127
128 export const ResourceName = connect((state: RootState, props: { uuid: string }) => {
129     const resource = getResource<GroupContentsResource>(props.uuid)(state.resources);
130     return resource;
131 })((resource: GroupContentsResource & DispatchProp<any>) => renderName(resource.dispatch, resource));
132
133 const renderIcon = (item: GroupContentsResource) => {
134     switch (item.kind) {
135         case ResourceKind.PROJECT:
136             if (item.groupClass === GroupClass.FILTER) {
137                 return <FilterGroupIcon />;
138             }
139             return <ProjectIcon />;
140         case ResourceKind.COLLECTION:
141             if (item.uuid === item.currentVersionUuid) {
142                 return <CollectionIcon />;
143             }
144             return <CollectionOldVersionIcon />;
145         case ResourceKind.PROCESS:
146             return <ProcessIcon />;
147         case ResourceKind.WORKFLOW:
148             return <WorkflowIcon />;
149         default:
150             return <DefaultIcon />;
151     }
152 };
153
154 const renderDate = (date?: string) => {
155     return (
156         <Typography
157             noWrap
158             style={{ minWidth: "100px" }}
159         >
160             {formatDate(date)}
161         </Typography>
162     );
163 };
164
165 const renderWorkflowName = (item: WorkflowResource) => (
166     <Grid
167         container
168         alignItems="center"
169         wrap="nowrap"
170         spacing={16}
171     >
172         <Grid item>{renderIcon(item)}</Grid>
173         <Grid item>
174             <Typography
175                 color="primary"
176                 style={{ width: "100px" }}
177             >
178                 {item.name}
179             </Typography>
180         </Grid>
181     </Grid>
182 );
183
184 export const ResourceWorkflowName = connect((state: RootState, props: { uuid: string }) => {
185     const resource = getResource<WorkflowResource>(props.uuid)(state.resources);
186     return resource;
187 })(renderWorkflowName);
188
189 const getPublicUuid = (uuidPrefix: string) => {
190     return `${uuidPrefix}-tpzed-anonymouspublic`;
191 };
192
193 const resourceShare = (dispatch: Dispatch, uuidPrefix: string, ownerUuid?: string, uuid?: string) => {
194     const isPublic = ownerUuid === getPublicUuid(uuidPrefix);
195     return (
196         <div>
197             {!isPublic && uuid && (
198                 <Tooltip title="Share">
199                     <IconButton onClick={() => dispatch<any>(openSharingDialog(uuid))}>
200                         <ShareIcon />
201                     </IconButton>
202                 </Tooltip>
203             )}
204         </div>
205     );
206 };
207
208 export const ResourceShare = connect((state: RootState, props: { uuid: string }) => {
209     const resource = getResource<WorkflowResource>(props.uuid)(state.resources);
210     const uuidPrefix = getUuidPrefix(state);
211     return {
212         uuid: resource ? resource.uuid : "",
213         ownerUuid: resource ? resource.ownerUuid : "",
214         uuidPrefix,
215     };
216 })((props: { ownerUuid?: string; uuidPrefix: string; uuid?: string } & DispatchProp<any>) =>
217     resourceShare(props.dispatch, props.uuidPrefix, props.ownerUuid, props.uuid)
218 );
219
220 // User Resources
221 const renderFirstName = (item: { firstName: string }) => {
222     return <Typography noWrap>{item.firstName}</Typography>;
223 };
224
225 export const ResourceFirstName = connect((state: RootState, props: { uuid: string }) => {
226     const resource = getResource<UserResource>(props.uuid)(state.resources);
227     return resource || { firstName: "" };
228 })(renderFirstName);
229
230 const renderLastName = (item: { lastName: string }) => <Typography noWrap>{item.lastName}</Typography>;
231
232 export const ResourceLastName = connect((state: RootState, props: { uuid: string }) => {
233     const resource = getResource<UserResource>(props.uuid)(state.resources);
234     return resource || { lastName: "" };
235 })(renderLastName);
236
237 const renderFullName = (dispatch: Dispatch, item: { uuid: string; firstName: string; lastName: string }, link?: boolean) => {
238     const displayName = (item.firstName + " " + item.lastName).trim() || item.uuid;
239     return link ? (
240         <Typography
241             noWrap
242             color="primary"
243             style={{ cursor: "pointer" }}
244             onClick={() => dispatch<any>(navigateToUserProfile(item.uuid))}
245         >
246             {displayName}
247         </Typography>
248     ) : (
249         <Typography noWrap>{displayName}</Typography>
250     );
251 };
252
253 export const UserResourceFullName = connect((state: RootState, props: { uuid: string; link?: boolean }) => {
254     const resource = getResource<UserResource>(props.uuid)(state.resources);
255     return { item: resource || { uuid: "", firstName: "", lastName: "" }, link: props.link };
256 })((props: { item: { uuid: string; firstName: string; lastName: string }; link?: boolean } & DispatchProp<any>) =>
257     renderFullName(props.dispatch, props.item, props.link)
258 );
259
260 const renderUuid = (item: { uuid: string }) => (
261     <Typography
262         data-cy="uuid"
263         noWrap
264     >
265         {item.uuid}
266         {(item.uuid && <CopyToClipboardSnackbar value={item.uuid} />) || "-"}
267     </Typography>
268 );
269
270 const renderUuidCopyIcon = (item: { uuid: string }) => (
271     <Typography
272         data-cy="uuid"
273         noWrap
274     >
275         {(item.uuid && <CopyToClipboardSnackbar value={item.uuid} />) || "-"}
276     </Typography>
277 );
278
279 export const ResourceUuid = connect(
280     (state: RootState, props: { uuid: string }) => getResource<UserResource>(props.uuid)(state.resources) || { uuid: "" }
281 )(renderUuid);
282
283 const renderEmail = (item: { email: string }) => <Typography noWrap>{item.email}</Typography>;
284
285 export const ResourceEmail = connect((state: RootState, props: { uuid: string }) => {
286     const resource = getResource<UserResource>(props.uuid)(state.resources);
287     return resource || { email: "" };
288 })(renderEmail);
289
290 enum UserAccountStatus {
291     ACTIVE = "Active",
292     INACTIVE = "Inactive",
293     SETUP = "Setup",
294     UNKNOWN = "",
295 }
296
297 const renderAccountStatus = (props: { status: UserAccountStatus }) => (
298     <Grid
299         container
300         alignItems="center"
301         wrap="nowrap"
302         spacing={8}
303         data-cy="account-status"
304     >
305         <Grid item>
306             {(() => {
307                 switch (props.status) {
308                     case UserAccountStatus.ACTIVE:
309                         return <ActiveIcon style={{ color: "#4caf50", verticalAlign: "middle" }} />;
310                     case UserAccountStatus.SETUP:
311                         return <SetupIcon style={{ color: "#2196f3", verticalAlign: "middle" }} />;
312                     case UserAccountStatus.INACTIVE:
313                         return <InactiveIcon style={{ color: "#9e9e9e", verticalAlign: "middle" }} />;
314                     default:
315                         return <></>;
316                 }
317             })()}
318         </Grid>
319         <Grid item>
320             <Typography noWrap>{props.status}</Typography>
321         </Grid>
322     </Grid>
323 );
324
325 const getUserAccountStatus = (state: RootState, props: { uuid: string }) => {
326     const user = getResource<UserResource>(props.uuid)(state.resources);
327     // Get membership links for all users group
328     const allUsersGroupUuid = getBuiltinGroupUuid(state.auth.localCluster, BuiltinGroups.ALL);
329     const permissions = filterResources(
330         (resource: LinkResource) =>
331             resource.kind === ResourceKind.LINK &&
332             resource.linkClass === LinkClass.PERMISSION &&
333             resource.headUuid === allUsersGroupUuid &&
334             resource.tailUuid === props.uuid
335     )(state.resources);
336
337     if (user) {
338         return user.isActive
339             ? { status: UserAccountStatus.ACTIVE }
340             : permissions.length > 0
341             ? { status: UserAccountStatus.SETUP }
342             : { status: UserAccountStatus.INACTIVE };
343     } else {
344         return { status: UserAccountStatus.UNKNOWN };
345     }
346 };
347
348 export const ResourceLinkTailAccountStatus = connect((state: RootState, props: { uuid: string }) => {
349     const link = getResource<LinkResource>(props.uuid)(state.resources);
350     return link && link.tailKind === ResourceKind.USER ? getUserAccountStatus(state, { uuid: link.tailUuid }) : { status: UserAccountStatus.UNKNOWN };
351 })(renderAccountStatus);
352
353 export const UserResourceAccountStatus = connect(getUserAccountStatus)(renderAccountStatus);
354
355 const renderIsHidden = (props: {
356     memberLinkUuid: string;
357     permissionLinkUuid: string;
358     visible: boolean;
359     canManage: boolean;
360     setMemberIsHidden: (memberLinkUuid: string, permissionLinkUuid: string, hide: boolean) => void;
361 }) => {
362     if (props.memberLinkUuid) {
363         return (
364             <Checkbox
365                 data-cy="user-visible-checkbox"
366                 color="primary"
367                 checked={props.visible}
368                 disabled={!props.canManage}
369                 onClick={e => {
370                     e.stopPropagation();
371                     props.setMemberIsHidden(props.memberLinkUuid, props.permissionLinkUuid, !props.visible);
372                 }}
373             />
374         );
375     } else {
376         return <Typography />;
377     }
378 };
379
380 export const ResourceLinkTailIsVisible = connect(
381     (state: RootState, props: { uuid: string }) => {
382         const link = getResource<LinkResource>(props.uuid)(state.resources);
383         const member = getResource<Resource>(link?.tailUuid || "")(state.resources);
384         const group = getResource<GroupResource>(link?.headUuid || "")(state.resources);
385         const permissions = filterResources((resource: LinkResource) => {
386             return (
387                 resource.linkClass === LinkClass.PERMISSION &&
388                 resource.headUuid === link?.tailUuid &&
389                 resource.tailUuid === group?.uuid &&
390                 resource.name === PermissionLevel.CAN_READ
391             );
392         })(state.resources);
393
394         const permissionLinkUuid = permissions.length > 0 ? permissions[0].uuid : "";
395         const isVisible = link && group && permissions.length > 0;
396         // Consider whether the current user canManage this resurce in addition when it's possible
397         const isBuiltin = isBuiltinGroup(link?.headUuid || "");
398
399         return member?.kind === ResourceKind.USER
400             ? { memberLinkUuid: link?.uuid, permissionLinkUuid, visible: isVisible, canManage: !isBuiltin }
401             : { memberLinkUuid: "", permissionLinkUuid: "", visible: false, canManage: false };
402     },
403     { setMemberIsHidden }
404 )(renderIsHidden);
405
406 const renderIsAdmin = (props: { uuid: string; isAdmin: boolean; toggleIsAdmin: (uuid: string) => void }) => (
407     <Checkbox
408         color="primary"
409         checked={props.isAdmin}
410         onClick={e => {
411             e.stopPropagation();
412             props.toggleIsAdmin(props.uuid);
413         }}
414     />
415 );
416
417 export const ResourceIsAdmin = connect(
418     (state: RootState, props: { uuid: string }) => {
419         const resource = getResource<UserResource>(props.uuid)(state.resources);
420         return resource || { isAdmin: false };
421     },
422     { toggleIsAdmin }
423 )(renderIsAdmin);
424
425 const renderUsername = (item: { username: string; uuid: string }) => <Typography noWrap>{item.username || item.uuid}</Typography>;
426
427 export const ResourceUsername = connect((state: RootState, props: { uuid: string }) => {
428     const resource = getResource<UserResource>(props.uuid)(state.resources);
429     return resource || { username: "", uuid: props.uuid };
430 })(renderUsername);
431
432 // Virtual machine resource
433
434 const renderHostname = (item: { hostname: string }) => <Typography noWrap>{item.hostname}</Typography>;
435
436 export const VirtualMachineHostname = connect((state: RootState, props: { uuid: string }) => {
437     const resource = getResource<VirtualMachinesResource>(props.uuid)(state.resources);
438     return resource || { hostname: "" };
439 })(renderHostname);
440
441 const renderVirtualMachineLogin = (login: { user: string }) => <Typography noWrap>{login.user}</Typography>;
442
443 export const VirtualMachineLogin = connect((state: RootState, props: { linkUuid: string }) => {
444     const permission = getResource<LinkResource>(props.linkUuid)(state.resources);
445     const user = getResource<UserResource>(permission?.tailUuid || "")(state.resources);
446
447     return { user: user?.username || permission?.tailUuid || "" };
448 })(renderVirtualMachineLogin);
449
450 // Common methods
451 const renderCommonData = (data: string) => <Typography noWrap>{data}</Typography>;
452
453 const renderCommonDate = (date: string) => <Typography noWrap>{formatDate(date)}</Typography>;
454
455 export const CommonUuid = withResourceData("uuid", renderCommonData);
456
457 // Api Client Authorizations
458 export const TokenApiToken = withResourceData("apiToken", renderCommonData);
459
460 export const TokenCreatedByIpAddress = withResourceData("createdByIpAddress", renderCommonDate);
461
462 export const TokenExpiresAt = withResourceData("expiresAt", renderCommonDate);
463
464 export const TokenLastUsedAt = withResourceData("lastUsedAt", renderCommonDate);
465
466 export const TokenLastUsedByIpAddress = withResourceData("lastUsedByIpAddress", renderCommonData);
467
468 export const TokenScopes = withResourceData("scopes", renderCommonData);
469
470 export const TokenUserId = withResourceData("userId", renderCommonData);
471
472 const clusterColors = [
473     ["#f44336", "#fff"],
474     ["#2196f3", "#fff"],
475     ["#009688", "#fff"],
476     ["#cddc39", "#fff"],
477     ["#ff9800", "#fff"],
478 ];
479
480 export const ResourceCluster = (props: { uuid: string }) => {
481     const CLUSTER_ID_LENGTH = 5;
482     const pos = props.uuid.length > CLUSTER_ID_LENGTH ? props.uuid.indexOf("-") : 5;
483     const clusterId = pos >= CLUSTER_ID_LENGTH ? props.uuid.substring(0, pos) : "";
484     const ci =
485         pos >= CLUSTER_ID_LENGTH
486             ? ((props.uuid.charCodeAt(0) * props.uuid.charCodeAt(1) + props.uuid.charCodeAt(2)) * props.uuid.charCodeAt(3) +
487                   props.uuid.charCodeAt(4)) %
488               clusterColors.length
489             : 0;
490     return (
491         <span
492             style={{
493                 backgroundColor: clusterColors[ci][0],
494                 color: clusterColors[ci][1],
495                 padding: "2px 7px",
496                 borderRadius: 3,
497             }}
498         >
499             {clusterId}
500         </span>
501     );
502 };
503
504 // Links Resources
505 const renderLinkName = (item: { name: string }) => <Typography noWrap>{item.name || "-"}</Typography>;
506
507 export const ResourceLinkName = connect((state: RootState, props: { uuid: string }) => {
508     const resource = getResource<LinkResource>(props.uuid)(state.resources);
509     return resource || { name: "" };
510 })(renderLinkName);
511
512 const renderLinkClass = (item: { linkClass: string }) => <Typography noWrap>{item.linkClass}</Typography>;
513
514 export const ResourceLinkClass = connect((state: RootState, props: { uuid: string }) => {
515     const resource = getResource<LinkResource>(props.uuid)(state.resources);
516     return resource || { linkClass: "" };
517 })(renderLinkClass);
518
519 const getResourceDisplayName = (resource: Resource): string => {
520     if ((resource as UserResource).kind === ResourceKind.USER && typeof (resource as UserResource).firstName !== "undefined") {
521         // We can be sure the resource is UserResource
522         return getUserDisplayName(resource as UserResource);
523     } else {
524         return (resource as GroupContentsResource).name;
525     }
526 };
527
528 const renderResourceLink = (dispatch: Dispatch, item: Resource ) => {
529     var displayName = getResourceDisplayName(item);
530
531     return (
532         <Typography
533             noWrap
534             color="primary"
535             style={{ cursor: "pointer" }}
536             onClick={() => {
537                 item.kind === ResourceKind.GROUP && (item as GroupResource).groupClass === "role"
538                     ? dispatch<any>(navigateToGroupDetails(item.uuid))
539                     : item.kind === ResourceKind.USER
540                     ? dispatch<any>(navigateToUserProfile(item.uuid))
541                     : dispatch<any>(navigateTo(item.uuid));
542             }}
543         >
544             {resourceLabel(item.kind, item && item.kind === ResourceKind.GROUP ? (item as GroupResource).groupClass || "" : "")}:{" "}
545             {displayName || item.uuid}
546         </Typography>
547     );
548 };
549
550 export const ResourceLinkTail = connect((state: RootState, props: { uuid: string }) => {
551     const resource = getResource<LinkResource>(props.uuid)(state.resources);
552     const tailResource = getResource<Resource>(resource?.tailUuid || "")(state.resources);
553
554     return {
555         item: tailResource || { uuid: resource?.tailUuid || "", kind: resource?.tailKind || ResourceKind.NONE },
556     };
557 })((props: { item: Resource } & DispatchProp<any>) => renderResourceLink(props.dispatch, props.item));
558
559 export const ResourceLinkHead = connect((state: RootState, props: { uuid: string }) => {
560     const resource = getResource<LinkResource>(props.uuid)(state.resources);
561     const headResource = getResource<Resource>(resource?.headUuid || "")(state.resources);
562
563     return {
564         item: headResource || { uuid: resource?.headUuid || "", kind: resource?.headKind || ResourceKind.NONE },
565     };
566 })((props: { item: Resource } & DispatchProp<any>) => renderResourceLink(props.dispatch, props.item));
567
568 export const ResourceLinkUuid = connect((state: RootState, props: { uuid: string }) => {
569     const resource = getResource<LinkResource>(props.uuid)(state.resources);
570     return resource || { uuid: "" };
571 })(renderUuid);
572
573 export const ResourceLinkHeadUuid = connect((state: RootState, props: { uuid: string }) => {
574     const link = getResource<LinkResource>(props.uuid)(state.resources);
575     const headResource = getResource<Resource>(link?.headUuid || "")(state.resources);
576
577     return headResource || { uuid: "" };
578 })(renderUuid);
579
580 export const ResourceLinkTailUuid = connect((state: RootState, props: { uuid: string }) => {
581     const link = getResource<LinkResource>(props.uuid)(state.resources);
582     const tailResource = getResource<Resource>(link?.tailUuid || "")(state.resources);
583
584     return tailResource || { uuid: "" };
585 })(renderUuid);
586
587 const renderLinkDelete = (dispatch: Dispatch, item: LinkResource, canManage: boolean) => {
588     if (item.uuid) {
589         return canManage ? (
590             <Typography noWrap>
591                 <IconButton
592                     data-cy="resource-delete-button"
593                     onClick={() => dispatch<any>(openRemoveGroupMemberDialog(item.uuid))}
594                 >
595                     <RemoveIcon />
596                 </IconButton>
597             </Typography>
598         ) : (
599             <Typography noWrap>
600                 <IconButton
601                     disabled
602                     data-cy="resource-delete-button"
603                 >
604                     <RemoveIcon />
605                 </IconButton>
606             </Typography>
607         );
608     } else {
609         return <Typography noWrap></Typography>;
610     }
611 };
612
613 export const ResourceLinkDelete = connect((state: RootState, props: { uuid: string }) => {
614     const link = getResource<LinkResource>(props.uuid)(state.resources);
615     const isBuiltin = isBuiltinGroup(link?.headUuid || "") || isBuiltinGroup(link?.tailUuid || "");
616
617     return {
618         item: link || { uuid: "", kind: ResourceKind.NONE },
619         canManage: link && getResourceLinkCanManage(state, link) && !isBuiltin,
620     };
621 })((props: { item: LinkResource; canManage: boolean } & DispatchProp<any>) => renderLinkDelete(props.dispatch, props.item, props.canManage));
622
623 export const ResourceLinkTailEmail = connect((state: RootState, props: { uuid: string }) => {
624     const link = getResource<LinkResource>(props.uuid)(state.resources);
625     const resource = getResource<UserResource>(link?.tailUuid || "")(state.resources);
626
627     return resource || { email: "" };
628 })(renderEmail);
629
630 export const ResourceLinkTailUsername = connect((state: RootState, props: { uuid: string }) => {
631     const link = getResource<LinkResource>(props.uuid)(state.resources);
632     const resource = getResource<UserResource>(link?.tailUuid || "")(state.resources);
633
634     return resource || { username: "" };
635 })(renderUsername);
636
637 const renderPermissionLevel = (dispatch: Dispatch, link: LinkResource, canManage: boolean) => {
638     return (
639         <Typography noWrap>
640             {formatPermissionLevel(link.name as PermissionLevel)}
641             {canManage ? (
642                 <IconButton
643                     data-cy="edit-permission-button"
644                     onClick={event => dispatch<any>(openPermissionEditContextMenu(event, link))}
645                 >
646                     <RenameIcon />
647                 </IconButton>
648             ) : (
649                 ""
650             )}
651         </Typography>
652     );
653 };
654
655 export const ResourceLinkHeadPermissionLevel = connect((state: RootState, props: { uuid: string }) => {
656     const link = getResource<LinkResource>(props.uuid)(state.resources);
657     const isBuiltin = isBuiltinGroup(link?.headUuid || "") || isBuiltinGroup(link?.tailUuid || "");
658
659     return {
660         link: link || { uuid: "", name: "", kind: ResourceKind.NONE },
661         canManage: link && getResourceLinkCanManage(state, link) && !isBuiltin,
662     };
663 })((props: { link: LinkResource; canManage: boolean } & DispatchProp<any>) => renderPermissionLevel(props.dispatch, props.link, props.canManage));
664
665 export const ResourceLinkTailPermissionLevel = connect((state: RootState, props: { uuid: string }) => {
666     const link = getResource<LinkResource>(props.uuid)(state.resources);
667     const isBuiltin = isBuiltinGroup(link?.headUuid || "") || isBuiltinGroup(link?.tailUuid || "");
668
669     return {
670         link: link || { uuid: "", name: "", kind: ResourceKind.NONE },
671         canManage: link && getResourceLinkCanManage(state, link) && !isBuiltin,
672     };
673 })((props: { link: LinkResource; canManage: boolean } & DispatchProp<any>) => renderPermissionLevel(props.dispatch, props.link, props.canManage));
674
675 const getResourceLinkCanManage = (state: RootState, link: LinkResource) => {
676     const headResource = getResource<Resource>(link.headUuid)(state.resources);
677     if (headResource && headResource.kind === ResourceKind.GROUP) {
678         return (headResource as GroupResource).canManage;
679     } else {
680         // true for now
681         return true;
682     }
683 };
684
685 // Process Resources
686 const resourceRunProcess = (dispatch: Dispatch, uuid: string) => {
687     return (
688         <div>
689             {uuid && (
690                 <Tooltip title="Run process">
691                     <IconButton onClick={() => dispatch<any>(openRunProcess(uuid))}>
692                         <ProcessIcon />
693                     </IconButton>
694                 </Tooltip>
695             )}
696         </div>
697     );
698 };
699
700 export const ResourceRunProcess = connect((state: RootState, props: { uuid: string }) => {
701     const resource = getResource<WorkflowResource>(props.uuid)(state.resources);
702     return {
703         uuid: resource ? resource.uuid : "",
704     };
705 })((props: { uuid: string } & DispatchProp<any>) => resourceRunProcess(props.dispatch, props.uuid));
706
707 const renderWorkflowStatus = (uuidPrefix: string, ownerUuid?: string) => {
708     if (ownerUuid === getPublicUuid(uuidPrefix)) {
709         return renderStatus(WorkflowStatus.PUBLIC);
710     } else {
711         return renderStatus(WorkflowStatus.PRIVATE);
712     }
713 };
714
715 const renderStatus = (status: string) => (
716     <Typography
717         noWrap
718         style={{ width: "60px" }}
719     >
720         {status}
721     </Typography>
722 );
723
724 export const ResourceWorkflowStatus = connect((state: RootState, props: { uuid: string }) => {
725     const resource = getResource<WorkflowResource>(props.uuid)(state.resources);
726     const uuidPrefix = getUuidPrefix(state);
727     return {
728         ownerUuid: resource ? resource.ownerUuid : "",
729         uuidPrefix,
730     };
731 })((props: { ownerUuid?: string; uuidPrefix: string }) => renderWorkflowStatus(props.uuidPrefix, props.ownerUuid));
732
733 export const ResourceContainerUuid = connect((state: RootState, props: { uuid: string }) => {
734     const process = getProcess(props.uuid)(state.resources);
735     return { uuid: process?.container?.uuid ? process?.container?.uuid : "" };
736 })((props: { uuid: string }) => renderUuid({ uuid: props.uuid }));
737
738 enum ColumnSelection {
739     OUTPUT_UUID = "outputUuid",
740     LOG_UUID = "logUuid",
741 }
742
743 const renderUuidLinkWithCopyIcon = (dispatch: Dispatch, item: ProcessResource, column: string) => {
744     const selectedColumnUuid = item[column];
745     return (
746         <Grid
747             container
748             alignItems="center"
749             wrap="nowrap"
750         >
751             <Grid item>
752                 {selectedColumnUuid ? (
753                     <Typography
754                         color="primary"
755                         style={{ width: "auto", cursor: "pointer" }}
756                         noWrap
757                         onClick={() => dispatch<any>(navigateTo(selectedColumnUuid))}
758                     >
759                         {selectedColumnUuid}
760                     </Typography>
761                 ) : (
762                     "-"
763                 )}
764             </Grid>
765             <Grid item>{selectedColumnUuid && renderUuidCopyIcon({ uuid: selectedColumnUuid })}</Grid>
766         </Grid>
767     );
768 };
769
770 export const ResourceOutputUuid = connect((state: RootState, props: { uuid: string }) => {
771     const resource = getResource<ProcessResource>(props.uuid)(state.resources);
772     return resource;
773 })((process: ProcessResource & DispatchProp<any>) => renderUuidLinkWithCopyIcon(process.dispatch, process, ColumnSelection.OUTPUT_UUID));
774
775 export const ResourceLogUuid = connect((state: RootState, props: { uuid: string }) => {
776     const resource = getResource<ProcessResource>(props.uuid)(state.resources);
777     return resource;
778 })((process: ProcessResource & DispatchProp<any>) => renderUuidLinkWithCopyIcon(process.dispatch, process, ColumnSelection.LOG_UUID));
779
780 export const ResourceParentProcess = connect((state: RootState, props: { uuid: string }) => {
781     const process = getProcess(props.uuid)(state.resources);
782     return { parentProcess: process?.containerRequest?.requestingContainerUuid || "" };
783 })((props: { parentProcess: string }) => renderUuid({ uuid: props.parentProcess }));
784
785 export const ResourceModifiedByUserUuid = connect((state: RootState, props: { uuid: string }) => {
786     const process = getProcess(props.uuid)(state.resources);
787     return { userUuid: process?.containerRequest?.modifiedByUserUuid || "" };
788 })((props: { userUuid: string }) => renderUuid({ uuid: props.userUuid }));
789
790 export const ResourceCreatedAtDate = connect((state: RootState, props: { uuid: string }) => {
791     const resource = getResource<GroupContentsResource>(props.uuid)(state.resources);
792     return { date: resource ? resource.createdAt : "" };
793 })((props: { date: string }) => renderDate(props.date));
794
795 export const ResourceLastModifiedDate = connect((state: RootState, props: { uuid: string }) => {
796     const resource = getResource<GroupContentsResource>(props.uuid)(state.resources);
797     return { date: resource ? resource.modifiedAt : "" };
798 })((props: { date: string }) => renderDate(props.date));
799
800 export const ResourceTrashDate = connect((state: RootState, props: { uuid: string }) => {
801     const resource = getResource<TrashableResource>(props.uuid)(state.resources);
802     return { date: resource ? resource.trashAt : "" };
803 })((props: { date: string }) => renderDate(props.date));
804
805 export const ResourceDeleteDate = connect((state: RootState, props: { uuid: string }) => {
806     const resource = getResource<TrashableResource>(props.uuid)(state.resources);
807     return { date: resource ? resource.deleteAt : "" };
808 })((props: { date: string }) => renderDate(props.date));
809
810 export const renderFileSize = (fileSize?: number) => (
811     <Typography
812         noWrap
813         style={{ minWidth: "45px" }}
814     >
815         {formatFileSize(fileSize)}
816     </Typography>
817 );
818
819 export const ResourceFileSize = connect((state: RootState, props: { uuid: string }) => {
820     const resource = getResource<CollectionResource>(props.uuid)(state.resources);
821
822     if (resource && resource.kind !== ResourceKind.COLLECTION) {
823         return { fileSize: "" };
824     }
825
826     return { fileSize: resource ? resource.fileSizeTotal : 0 };
827 })((props: { fileSize?: number }) => renderFileSize(props.fileSize));
828
829 const renderOwner = (owner: string) => <Typography noWrap>{owner || "-"}</Typography>;
830
831 export const ResourceOwner = connect((state: RootState, props: { uuid: string }) => {
832     const resource = getResource<GroupContentsResource>(props.uuid)(state.resources);
833     return { owner: resource ? resource.ownerUuid : "" };
834 })((props: { owner: string }) => renderOwner(props.owner));
835
836 export const ResourceOwnerName = connect((state: RootState, props: { uuid: string }) => {
837     const resource = getResource<GroupContentsResource>(props.uuid)(state.resources);
838     const ownerNameState = state.ownerName;
839     const ownerName = ownerNameState.find(it => it.uuid === resource!.ownerUuid);
840     return { owner: ownerName ? ownerName!.name : resource!.ownerUuid };
841 })((props: { owner: string }) => renderOwner(props.owner));
842
843 export const ResourceUUID = connect((state: RootState, props: { uuid: string }) => {
844     const resource = getResource<CollectionResource>(props.uuid)(state.resources);
845     return { uuid: resource ? resource.uuid : "" };
846 })((props: { uuid: string }) => renderUuid({ uuid: props.uuid }));
847
848 const renderVersion = (version: number) => {
849     return <Typography>{version ?? "-"}</Typography>;
850 };
851
852 export const ResourceVersion = connect((state: RootState, props: { uuid: string }) => {
853     const resource = getResource<CollectionResource>(props.uuid)(state.resources);
854     return { version: resource ? resource.version : "" };
855 })((props: { version: number }) => renderVersion(props.version));
856
857 const renderPortableDataHash = (portableDataHash: string | null) => (
858     <Typography noWrap>
859         {portableDataHash ? (
860             <>
861                 {portableDataHash}
862                 <CopyToClipboardSnackbar value={portableDataHash} />
863             </>
864         ) : (
865             "-"
866         )}
867     </Typography>
868 );
869
870 export const ResourcePortableDataHash = connect((state: RootState, props: { uuid: string }) => {
871     const resource = getResource<CollectionResource>(props.uuid)(state.resources);
872     return { portableDataHash: resource ? resource.portableDataHash : "" };
873 })((props: { portableDataHash: string }) => renderPortableDataHash(props.portableDataHash));
874
875 const renderFileCount = (fileCount: number) => {
876     return <Typography>{fileCount ?? "-"}</Typography>;
877 };
878
879 export const ResourceFileCount = connect((state: RootState, props: { uuid: string }) => {
880     const resource = getResource<CollectionResource>(props.uuid)(state.resources);
881     return { fileCount: resource ? resource.fileCount : "" };
882 })((props: { fileCount: number }) => renderFileCount(props.fileCount));
883
884 const userFromID = connect((state: RootState, props: { uuid: string }) => {
885     let userFullname = "";
886     const resource = getResource<GroupContentsResource & UserResource>(props.uuid)(state.resources);
887
888     if (resource) {
889         userFullname = getUserFullname(resource as User) || (resource as GroupContentsResource).name;
890     }
891
892     return { uuid: props.uuid, userFullname };
893 });
894
895 const ownerFromResourceId = compose(
896     connect((state: RootState, props: { uuid: string }) => {
897         const childResource = getResource<GroupContentsResource & UserResource>(props.uuid)(state.resources);
898         return { uuid: childResource ? (childResource as Resource).ownerUuid : "" };
899     }),
900     userFromID
901 );
902
903 const _resourceWithName = withStyles(
904     {},
905     { withTheme: true }
906 )((props: { uuid: string; userFullname: string; dispatch: Dispatch; theme: ArvadosTheme }) => {
907     const { uuid, userFullname, dispatch, theme } = props;
908     if (userFullname === "") {
909         dispatch<any>(loadResource(uuid, false));
910         return (
911             <Typography
912                 style={{ color: theme.palette.primary.main }}
913                 inline
914             >
915                 {uuid}
916             </Typography>
917         );
918     }
919
920     return (
921         <Typography
922             style={{ color: theme.palette.primary.main }}
923             inline
924         >
925             {userFullname} ({uuid})
926         </Typography>
927     );
928 });
929
930 const _resourceWithNameLink = withStyles(
931     {},
932     { withTheme: true }
933 )((props: { uuid: string; userFullname: string; dispatch: Dispatch; theme: ArvadosTheme }) => {
934     const { uuid, userFullname, dispatch, theme } = props;
935     if (!userFullname) {
936         dispatch<any>(loadResource(uuid, false));
937     }
938
939     return (
940         <Typography
941             style={{ color: theme.palette.primary.main, cursor: 'pointer' }}
942             inline
943             noWrap
944             onClick={() => dispatch<any>(navigateTo(uuid))}
945         >
946             {userFullname ? userFullname : uuid}
947         </Typography>
948     )
949 });
950
951
952 export const ResourceOwnerWithNameLink = ownerFromResourceId(_resourceWithNameLink);
953
954 export const ResourceOwnerWithName = ownerFromResourceId(_resourceWithName);
955
956 export const ResourceWithName = userFromID(_resourceWithName);
957
958 export const UserNameFromID = compose(userFromID)((props: { uuid: string; displayAsText?: string; userFullname: string; dispatch: Dispatch }) => {
959     const { uuid, userFullname, dispatch } = props;
960
961     if (userFullname === "") {
962         dispatch<any>(loadResource(uuid, false));
963     }
964     return <span>{userFullname ? userFullname : uuid}</span>;
965 });
966
967 export const ResponsiblePerson = compose(
968     connect((state: RootState, props: { uuid: string; parentRef: HTMLElement | null }) => {
969         let responsiblePersonName: string = "";
970         let responsiblePersonUUID: string = "";
971         let responsiblePersonProperty: string = "";
972
973         if (state.auth.config.clusterConfig.Collections.ManagedProperties) {
974             let index = 0;
975             const keys = Object.keys(state.auth.config.clusterConfig.Collections.ManagedProperties);
976
977             while (!responsiblePersonProperty && keys[index]) {
978                 const key = keys[index];
979                 if (state.auth.config.clusterConfig.Collections.ManagedProperties[key].Function === "original_owner") {
980                     responsiblePersonProperty = key;
981                 }
982                 index++;
983             }
984         }
985
986         let resource: Resource | undefined = getResource<GroupContentsResource & UserResource>(props.uuid)(state.resources);
987
988         while (resource && resource.kind !== ResourceKind.USER && responsiblePersonProperty) {
989             responsiblePersonUUID = (resource as CollectionResource).properties[responsiblePersonProperty];
990             resource = getResource<GroupContentsResource & UserResource>(responsiblePersonUUID)(state.resources);
991         }
992
993         if (resource && resource.kind === ResourceKind.USER) {
994             responsiblePersonName = getUserFullname(resource as UserResource) || (resource as GroupContentsResource).name;
995         }
996
997         return { uuid: responsiblePersonUUID, responsiblePersonName, parentRef: props.parentRef };
998     }),
999     withStyles({}, { withTheme: true })
1000 )((props: { uuid: string | null; responsiblePersonName: string; parentRef: HTMLElement | null; theme: ArvadosTheme }) => {
1001     const { uuid, responsiblePersonName, parentRef, theme } = props;
1002
1003     if (!uuid && parentRef) {
1004         parentRef.style.display = "none";
1005         return null;
1006     } else if (parentRef) {
1007         parentRef.style.display = "block";
1008     }
1009
1010     if (!responsiblePersonName) {
1011         return (
1012             <Typography
1013                 style={{ color: theme.palette.primary.main }}
1014                 inline
1015                 noWrap
1016             >
1017                 {uuid}
1018             </Typography>
1019         );
1020     }
1021
1022     return (
1023         <Typography
1024             style={{ color: theme.palette.primary.main }}
1025             inline
1026             noWrap
1027         >
1028             {responsiblePersonName} ({uuid})
1029         </Typography>
1030     );
1031 });
1032
1033 const renderType = (type: string, subtype: string) => <Typography noWrap>{resourceLabel(type, subtype)}</Typography>;
1034
1035 export const ResourceType = connect((state: RootState, props: { uuid: string }) => {
1036     const resource = getResource<GroupContentsResource>(props.uuid)(state.resources);
1037     return {
1038         type: resource ? resource.kind : "",
1039         subtype: resource
1040             ? resource.kind === ResourceKind.GROUP
1041                 ? resource.groupClass
1042                 : resource.kind === ResourceKind.PROCESS
1043                     ? resource.requestingContainerUuid
1044                         ? ProcessTypeFilter.CHILD_PROCESS
1045                         : ProcessTypeFilter.MAIN_PROCESS
1046                     : ""
1047             : ""
1048     };
1049 })((props: { type: string; subtype: string }) => renderType(props.type, props.subtype));
1050
1051 export const ResourceStatus = connect((state: RootState, props: { uuid: string }) => {
1052     return { resource: getResource<GroupContentsResource>(props.uuid)(state.resources) };
1053 })((props: { resource: GroupContentsResource }) =>
1054     props.resource && props.resource.kind === ResourceKind.COLLECTION ? (
1055         <CollectionStatus uuid={props.resource.uuid} />
1056     ) : (
1057         <ProcessStatus uuid={props.resource.uuid} />
1058     )
1059 );
1060
1061 export const CollectionStatus = connect((state: RootState, props: { uuid: string }) => {
1062     return { collection: getResource<CollectionResource>(props.uuid)(state.resources) };
1063 })((props: { collection: CollectionResource }) =>
1064     props.collection.uuid !== props.collection.currentVersionUuid ? (
1065         <Typography>version {props.collection.version}</Typography>
1066     ) : (
1067         <Typography>head version</Typography>
1068     )
1069 );
1070
1071 export const CollectionName = connect((state: RootState, props: { uuid: string; className?: string }) => {
1072     return {
1073         collection: getResource<CollectionResource>(props.uuid)(state.resources),
1074         uuid: props.uuid,
1075         className: props.className,
1076     };
1077 })((props: { collection: CollectionResource; uuid: string; className?: string }) => (
1078     <Typography className={props.className}>{props.collection?.name || props.uuid}</Typography>
1079 ));
1080
1081 export const ProcessStatus = compose(
1082     connect((state: RootState, props: { uuid: string }) => {
1083         return { process: getProcess(props.uuid)(state.resources) };
1084     }),
1085     withStyles({}, { withTheme: true })
1086 )((props: { process?: Process; theme: ArvadosTheme }) =>
1087     props.process ? (
1088         <Chip
1089             label={getProcessStatus(props.process)}
1090             style={{
1091                 height: props.theme.spacing.unit * 3,
1092                 width: props.theme.spacing.unit * 12,
1093                 ...getProcessStatusStyles(getProcessStatus(props.process), props.theme),
1094                 fontSize: "0.875rem",
1095                 borderRadius: props.theme.spacing.unit * 0.625,
1096             }}
1097         />
1098     ) : (
1099         <Typography>-</Typography>
1100     )
1101 );
1102
1103 export const ProcessStartDate = connect((state: RootState, props: { uuid: string }) => {
1104     const process = getProcess(props.uuid)(state.resources);
1105     return { date: process && process.container ? process.container.startedAt : "" };
1106 })((props: { date: string }) => renderDate(props.date));
1107
1108 export const renderRunTime = (time: number) => (
1109     <Typography
1110         noWrap
1111         style={{ minWidth: "45px" }}
1112     >
1113         {formatTime(time, true)}
1114     </Typography>
1115 );
1116
1117 interface ContainerRunTimeProps {
1118     process: Process;
1119 }
1120
1121 interface ContainerRunTimeState {
1122     runtime: number;
1123 }
1124
1125 export const ContainerRunTime = connect((state: RootState, props: { uuid: string }) => {
1126     return { process: getProcess(props.uuid)(state.resources) };
1127 })(
1128     class extends React.Component<ContainerRunTimeProps, ContainerRunTimeState> {
1129         private timer: any;
1130
1131         constructor(props: ContainerRunTimeProps) {
1132             super(props);
1133             this.state = { runtime: this.getRuntime() };
1134         }
1135
1136         getRuntime() {
1137             return this.props.process ? getProcessRuntime(this.props.process) : 0;
1138         }
1139
1140         updateRuntime() {
1141             this.setState({ runtime: this.getRuntime() });
1142         }
1143
1144         componentDidMount() {
1145             this.timer = setInterval(this.updateRuntime.bind(this), 5000);
1146         }
1147
1148         componentWillUnmount() {
1149             clearInterval(this.timer);
1150         }
1151
1152         render() {
1153             return this.props.process ? renderRunTime(this.state.runtime) : <Typography>-</Typography>;
1154         }
1155     }
1156 );
1157
1158 export const GroupMembersCount = connect(
1159     (state: RootState, props: { uuid: string }) => {
1160         const group = getResource<GroupResource>(props.uuid)(state.resources);
1161
1162         return {
1163             value: group?.memberCount,
1164         };
1165
1166     }
1167 )(withTheme()((props: {value: number | null | undefined, theme:ArvadosTheme}) => {
1168     if (props.value === undefined) {
1169         // Loading
1170         return <Typography component={"div"}>
1171             <InlinePulser />
1172         </Typography>;
1173     } else if (props.value === null) {
1174         // Error
1175         return <Typography>
1176             <Tooltip title="Failed to load member count">
1177                 <ErrorIcon style={{color: props.theme.customs.colors.greyL}}/>
1178             </Tooltip>
1179         </Typography>;
1180     } else {
1181         return <Typography children={props.value} />;
1182     }
1183 }));