groupEventCarousel.tsx 16 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564
  1. import {Fragment} from 'react';
  2. import {useTheme} from '@emotion/react';
  3. import styled from '@emotion/styled';
  4. import omit from 'lodash/omit';
  5. import moment from 'moment-timezone';
  6. import type {ButtonProps} from 'sentry/components/button';
  7. import {Button, LinkButton} from 'sentry/components/button';
  8. import {CompactSelect} from 'sentry/components/compactSelect';
  9. import {DateTime} from 'sentry/components/dateTime';
  10. import {DropdownMenu} from 'sentry/components/dropdownMenu';
  11. import TimeSince from 'sentry/components/timeSince';
  12. import {Tooltip} from 'sentry/components/tooltip';
  13. import {
  14. IconChevron,
  15. IconCopy,
  16. IconEllipsis,
  17. IconJson,
  18. IconLink,
  19. IconWarning,
  20. } from 'sentry/icons';
  21. import {t} from 'sentry/locale';
  22. import {space} from 'sentry/styles/space';
  23. import type {Event} from 'sentry/types/event';
  24. import type {Group} from 'sentry/types/group';
  25. import type {Organization} from 'sentry/types/organization';
  26. import {defined} from 'sentry/utils';
  27. import {trackAnalytics} from 'sentry/utils/analytics';
  28. import {browserHistory} from 'sentry/utils/browserHistory';
  29. import {formatBytesBase2} from 'sentry/utils/bytes/formatBytesBase2';
  30. import {eventDetailsRoute, generateEventSlug} from 'sentry/utils/discover/urls';
  31. import {
  32. getAnalyticsDataForEvent,
  33. getAnalyticsDataForGroup,
  34. getShortEventId,
  35. } from 'sentry/utils/events';
  36. import getDynamicText from 'sentry/utils/getDynamicText';
  37. import {getReplayIdFromEvent} from 'sentry/utils/replays/getReplayIdFromEvent';
  38. import {projectCanLinkToReplay} from 'sentry/utils/replays/projectSupportsReplay';
  39. import normalizeUrl from 'sentry/utils/url/normalizeUrl';
  40. import useCopyToClipboard from 'sentry/utils/useCopyToClipboard';
  41. import {useLocation} from 'sentry/utils/useLocation';
  42. import useMedia from 'sentry/utils/useMedia';
  43. import useOrganization from 'sentry/utils/useOrganization';
  44. import {useParams} from 'sentry/utils/useParams';
  45. import EventCreatedTooltip from 'sentry/views/issueDetails/eventCreatedTooltip';
  46. import {useDefaultIssueEvent} from 'sentry/views/issueDetails/utils';
  47. type GroupEventCarouselProps = {
  48. event: Event;
  49. group: Group;
  50. projectSlug: string;
  51. };
  52. type GroupEventNavigationProps = {
  53. event: Event;
  54. group: Group;
  55. isDisabled: boolean;
  56. };
  57. type EventNavigationButtonProps = {
  58. disabled: boolean;
  59. group: Group;
  60. icon: ButtonProps['icon'];
  61. referrer: string;
  62. title: string;
  63. eventId?: string | null;
  64. };
  65. enum EventNavDropdownOption {
  66. RECOMMENDED = 'recommended',
  67. LATEST = 'latest',
  68. OLDEST = 'oldest',
  69. CUSTOM = 'custom',
  70. ALL = 'all',
  71. }
  72. const BUTTON_SIZE = 'sm';
  73. const BUTTON_ICON_SIZE = 'sm';
  74. const makeBaseEventsPath = ({
  75. organization,
  76. group,
  77. }: {
  78. group: Group;
  79. organization: Organization;
  80. }) => `/organizations/${organization.slug}/issues/${group.id}/events/`;
  81. function EventNavigationButton({
  82. disabled,
  83. eventId,
  84. group,
  85. icon,
  86. title,
  87. referrer,
  88. }: EventNavigationButtonProps) {
  89. const organization = useOrganization();
  90. const location = useLocation();
  91. const baseEventsPath = makeBaseEventsPath({organization, group});
  92. // Need to wrap with Tooltip because our version of React Router doesn't allow access
  93. // to the anchor ref which is needed by Tooltip to position correctly.
  94. return (
  95. <Tooltip title={title} disabled={disabled} skipWrapper>
  96. <div>
  97. <StyledNavButton
  98. size={BUTTON_SIZE}
  99. icon={icon}
  100. aria-label={title}
  101. to={{
  102. pathname: `${baseEventsPath}${eventId}/`,
  103. query: {...location.query, referrer},
  104. }}
  105. disabled={disabled}
  106. />
  107. </div>
  108. </Tooltip>
  109. );
  110. }
  111. function EventNavigationDropdown({group, event, isDisabled}: GroupEventNavigationProps) {
  112. const location = useLocation();
  113. const params = useParams<{eventId?: string}>();
  114. const theme = useTheme();
  115. const organization = useOrganization();
  116. const largeViewport = useMedia(`(min-width: ${theme.breakpoints.large})`);
  117. const defaultIssueEvent = useDefaultIssueEvent();
  118. if (!largeViewport) {
  119. return null;
  120. }
  121. const getSelectedOption = () => {
  122. switch (params.eventId) {
  123. case EventNavDropdownOption.RECOMMENDED:
  124. case EventNavDropdownOption.LATEST:
  125. case EventNavDropdownOption.OLDEST:
  126. return params.eventId;
  127. case undefined:
  128. return defaultIssueEvent;
  129. default:
  130. return undefined;
  131. }
  132. };
  133. const selectedValue = getSelectedOption();
  134. const eventNavDropdownOptions = [
  135. {
  136. value: EventNavDropdownOption.RECOMMENDED,
  137. label: t('Recommended'),
  138. textValue: t('Recommended'),
  139. details: t('Event with the most context'),
  140. },
  141. {
  142. value: EventNavDropdownOption.LATEST,
  143. label: t('Latest'),
  144. details: t('Last seen event in this issue'),
  145. },
  146. {
  147. value: EventNavDropdownOption.OLDEST,
  148. label: t('Oldest'),
  149. details: t('First seen event in this issue'),
  150. },
  151. ...(!selectedValue
  152. ? [
  153. {
  154. value: EventNavDropdownOption.CUSTOM,
  155. label: t('Custom Selection'),
  156. },
  157. ]
  158. : []),
  159. {
  160. options: [{value: EventNavDropdownOption.ALL, label: 'View All Events'}],
  161. },
  162. ];
  163. return (
  164. <CompactSelect
  165. size="sm"
  166. disabled={isDisabled}
  167. options={eventNavDropdownOptions}
  168. value={!selectedValue ? EventNavDropdownOption.CUSTOM : selectedValue}
  169. triggerLabel={
  170. !selectedValue ? (
  171. <TimeSince
  172. date={event.dateCreated ?? event.dateReceived}
  173. disabledAbsoluteTooltip
  174. />
  175. ) : selectedValue === EventNavDropdownOption.RECOMMENDED ? (
  176. t('Recommended')
  177. ) : undefined
  178. }
  179. menuWidth={232}
  180. onChange={selectedOption => {
  181. trackAnalytics('issue_details.event_dropdown_option_selected', {
  182. organization,
  183. selected_event_type: selectedOption.value,
  184. from_event_type: selectedValue ?? EventNavDropdownOption.CUSTOM,
  185. event_id: event.id,
  186. group_id: group.id,
  187. });
  188. switch (selectedOption.value) {
  189. case EventNavDropdownOption.RECOMMENDED:
  190. case EventNavDropdownOption.LATEST:
  191. case EventNavDropdownOption.OLDEST:
  192. browserHistory.push({
  193. pathname: normalizeUrl(
  194. makeBaseEventsPath({organization, group}) + selectedOption.value + '/'
  195. ),
  196. query: {...location.query, referrer: `${selectedOption.value}-event`},
  197. });
  198. break;
  199. case EventNavDropdownOption.ALL: {
  200. const searchTermWithoutQuery = omit(location.query, 'query');
  201. browserHistory.push({
  202. pathname: normalizeUrl(
  203. `/organizations/${organization.slug}/issues/${group.id}/events/`
  204. ),
  205. query: searchTermWithoutQuery,
  206. });
  207. break;
  208. }
  209. default:
  210. break;
  211. }
  212. }}
  213. />
  214. );
  215. }
  216. type GroupEventActionsProps = {
  217. event: Event;
  218. group: Group;
  219. projectSlug: string;
  220. };
  221. function GroupEventActions({event, group, projectSlug}: GroupEventActionsProps) {
  222. const theme = useTheme();
  223. const xlargeViewport = useMedia(`(min-width: ${theme.breakpoints.xlarge})`);
  224. const organization = useOrganization();
  225. const hasReplay = Boolean(getReplayIdFromEvent(event));
  226. const isReplayEnabled =
  227. organization.features.includes('session-replay') &&
  228. projectCanLinkToReplay(organization, group.project);
  229. const downloadJson = () => {
  230. const host = organization.links.regionUrl;
  231. const jsonUrl = `${host}/api/0/projects/${organization.slug}/${projectSlug}/events/${event.id}/json/`;
  232. window.open(jsonUrl);
  233. trackAnalytics('issue_details.event_json_clicked', {
  234. organization,
  235. group_id: parseInt(`${event.groupID}`, 10),
  236. streamline: false,
  237. });
  238. };
  239. const {onClick: copyLink} = useCopyToClipboard({
  240. successMessage: t('Event URL copied to clipboard'),
  241. text:
  242. window.location.origin +
  243. normalizeUrl(`${makeBaseEventsPath({organization, group})}${event.id}/`),
  244. onCopy: () =>
  245. trackAnalytics('issue_details.copy_event_link_clicked', {
  246. organization,
  247. ...getAnalyticsDataForGroup(group),
  248. ...getAnalyticsDataForEvent(event),
  249. streamline: false,
  250. }),
  251. });
  252. const {onClick: copyEventId} = useCopyToClipboard({
  253. successMessage: t('Event ID copied to clipboard'),
  254. text: event.id,
  255. onCopy: () =>
  256. trackAnalytics('issue_details.copy_event_id_clicked', {
  257. organization,
  258. ...getAnalyticsDataForGroup(group),
  259. ...getAnalyticsDataForEvent(event),
  260. streamline: false,
  261. }),
  262. });
  263. return (
  264. <Fragment>
  265. <DropdownMenu
  266. position="bottom-end"
  267. triggerProps={{
  268. 'aria-label': t('Event Actions Menu'),
  269. icon: <IconEllipsis />,
  270. showChevron: false,
  271. size: BUTTON_SIZE,
  272. }}
  273. items={[
  274. {
  275. key: 'copy-event-id',
  276. label: t('Copy Event ID'),
  277. onAction: copyEventId,
  278. },
  279. {
  280. key: 'copy-event-url',
  281. label: t('Copy Event Link'),
  282. hidden: xlargeViewport,
  283. onAction: copyLink,
  284. },
  285. {
  286. key: 'json',
  287. label: `JSON (${formatBytesBase2(event.size)})`,
  288. onAction: downloadJson,
  289. hidden: xlargeViewport,
  290. },
  291. {
  292. key: 'full-event-discover',
  293. label: t('Full Event Details'),
  294. hidden: !organization.features.includes('discover-basic'),
  295. to: eventDetailsRoute({
  296. eventSlug: generateEventSlug({project: projectSlug, id: event.id}),
  297. organization,
  298. }),
  299. onAction: () => {
  300. trackAnalytics('issue_details.event_details_clicked', {
  301. organization,
  302. ...getAnalyticsDataForGroup(group),
  303. ...getAnalyticsDataForEvent(event),
  304. });
  305. },
  306. },
  307. {
  308. key: 'replay',
  309. label: t('View Replay'),
  310. hidden: !hasReplay || !isReplayEnabled,
  311. onAction: () => {
  312. const breadcrumbsHeader = document.getElementById('replay');
  313. if (breadcrumbsHeader) {
  314. breadcrumbsHeader.scrollIntoView({behavior: 'smooth'});
  315. }
  316. trackAnalytics('issue_details.header_view_replay_clicked', {
  317. organization,
  318. ...getAnalyticsDataForGroup(group),
  319. ...getAnalyticsDataForEvent(event),
  320. });
  321. },
  322. },
  323. ]}
  324. />
  325. {xlargeViewport && (
  326. <Button
  327. title={t('Copy link to this issue event')}
  328. size={BUTTON_SIZE}
  329. onClick={copyLink}
  330. aria-label={t('Copy Link')}
  331. icon={<IconLink />}
  332. />
  333. )}
  334. {xlargeViewport && (
  335. <Button
  336. title={t('View JSON')}
  337. size={BUTTON_SIZE}
  338. onClick={downloadJson}
  339. aria-label={t('View JSON')}
  340. icon={<IconJson />}
  341. />
  342. )}
  343. </Fragment>
  344. );
  345. }
  346. export function GroupEventCarousel({event, group, projectSlug}: GroupEventCarouselProps) {
  347. const latencyThreshold = 30 * 60 * 1000; // 30 minutes
  348. const isOverLatencyThreshold =
  349. event.dateReceived &&
  350. event.dateCreated &&
  351. Math.abs(+moment(event.dateReceived) - +moment(event.dateCreated)) > latencyThreshold;
  352. const hasPreviousEvent = defined(event.previousEventID);
  353. const hasNextEvent = defined(event.nextEventID);
  354. const {onClick: copyEventId} = useCopyToClipboard({
  355. successMessage: t('Event ID copied to clipboard'),
  356. text: event.id,
  357. });
  358. return (
  359. <CarouselAndButtonsWrapper>
  360. <div>
  361. <EventHeading>
  362. <EventIdAndTimeContainer>
  363. <EventIdContainer>
  364. <strong>Event ID:</strong>
  365. <Button
  366. aria-label={t('Copy')}
  367. borderless
  368. onClick={copyEventId}
  369. size="zero"
  370. title={event.id}
  371. tooltipProps={{overlayStyle: {maxWidth: 'max-content'}}}
  372. translucentBorder
  373. >
  374. <EventId>
  375. {getShortEventId(event.id)}
  376. <CopyIconContainer>
  377. <IconCopy size="xs" />
  378. </CopyIconContainer>
  379. </EventId>
  380. </Button>
  381. </EventIdContainer>
  382. {(event.dateCreated ?? event.dateReceived) && (
  383. <EventTimeLabel>
  384. {getDynamicText({
  385. fixed: 'Jan 1, 12:00 AM',
  386. value: (
  387. <Tooltip
  388. isHoverable
  389. showUnderline
  390. title={<EventCreatedTooltip event={event} />}
  391. overlayStyle={{maxWidth: 300}}
  392. >
  393. <DateTime date={event.dateCreated ?? event.dateReceived} />
  394. </Tooltip>
  395. ),
  396. })}
  397. {isOverLatencyThreshold && (
  398. <Tooltip title="High latency">
  399. <StyledIconWarning size="xs" color="warningText" />
  400. </Tooltip>
  401. )}
  402. </EventTimeLabel>
  403. )}
  404. </EventIdAndTimeContainer>
  405. </EventHeading>
  406. </div>
  407. <ActionsWrapper>
  408. <GroupEventActions event={event} group={group} projectSlug={projectSlug} />
  409. <EventNavigationDropdown
  410. isDisabled={!hasPreviousEvent && !hasNextEvent}
  411. group={group}
  412. event={event}
  413. />
  414. <NavButtons>
  415. <EventNavigationButton
  416. group={group}
  417. icon={<IconChevron direction="left" size={BUTTON_ICON_SIZE} />}
  418. disabled={!hasPreviousEvent}
  419. title={t('Previous Event')}
  420. eventId={event.previousEventID}
  421. referrer="previous-event"
  422. />
  423. <EventNavigationButton
  424. group={group}
  425. icon={<IconChevron direction="right" size={BUTTON_ICON_SIZE} />}
  426. disabled={!hasNextEvent}
  427. title={t('Next Event')}
  428. eventId={event.nextEventID}
  429. referrer="next-event"
  430. />
  431. </NavButtons>
  432. </ActionsWrapper>
  433. </CarouselAndButtonsWrapper>
  434. );
  435. }
  436. const CarouselAndButtonsWrapper = styled('div')`
  437. display: flex;
  438. justify-content: space-between;
  439. align-items: flex-start;
  440. gap: ${space(1)};
  441. margin-bottom: ${space(0.5)};
  442. `;
  443. const EventHeading = styled('div')`
  444. display: flex;
  445. align-items: center;
  446. flex-wrap: wrap;
  447. gap: ${space(1)};
  448. font-size: ${p => p.theme.fontSizeLarge};
  449. @media (max-width: 600px) {
  450. font-size: ${p => p.theme.fontSizeMedium};
  451. }
  452. `;
  453. const ActionsWrapper = styled('div')`
  454. display: flex;
  455. align-items: center;
  456. gap: ${space(0.5)};
  457. `;
  458. const StyledNavButton = styled(LinkButton)`
  459. border-radius: 0;
  460. `;
  461. const NavButtons = styled('div')`
  462. display: flex;
  463. > * {
  464. &:not(:last-child) {
  465. ${StyledNavButton} {
  466. border-right: none;
  467. }
  468. }
  469. &:first-child {
  470. ${StyledNavButton} {
  471. border-radius: ${p => p.theme.borderRadius} 0 0 ${p => p.theme.borderRadius};
  472. }
  473. }
  474. &:last-child {
  475. ${StyledNavButton} {
  476. border-radius: 0 ${p => p.theme.borderRadius} ${p => p.theme.borderRadius} 0;
  477. }
  478. }
  479. }
  480. `;
  481. const EventIdAndTimeContainer = styled('div')`
  482. display: flex;
  483. align-items: center;
  484. column-gap: ${space(0.75)};
  485. row-gap: 0;
  486. flex-wrap: wrap;
  487. `;
  488. const EventIdContainer = styled('div')`
  489. display: flex;
  490. align-items: center;
  491. column-gap: ${space(0.25)};
  492. `;
  493. const EventTimeLabel = styled('span')`
  494. color: ${p => p.theme.subText};
  495. `;
  496. const StyledIconWarning = styled(IconWarning)`
  497. margin-left: ${space(0.25)};
  498. position: relative;
  499. top: 1px;
  500. `;
  501. const EventId = styled('span')`
  502. position: relative;
  503. font-weight: ${p => p.theme.fontWeightNormal};
  504. font-size: ${p => p.theme.fontSizeLarge};
  505. &:hover {
  506. > span {
  507. display: flex;
  508. }
  509. }
  510. @media (max-width: 600px) {
  511. font-size: ${p => p.theme.fontSizeMedium};
  512. }
  513. `;
  514. const CopyIconContainer = styled('span')`
  515. display: none;
  516. align-items: center;
  517. padding: ${space(0.25)};
  518. background: ${p => p.theme.background};
  519. position: absolute;
  520. right: 0;
  521. top: 50%;
  522. transform: translateY(-50%);
  523. `;