123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424 |
- import {RouteComponentProps} from 'react-router';
- import styled from '@emotion/styled';
- import Feature from 'sentry/components/acl/feature';
- import {Button} from 'sentry/components/button';
- import ButtonBar from 'sentry/components/buttonBar';
- import DeprecatedAsyncComponent from 'sentry/components/deprecatedAsyncComponent';
- import NotFound from 'sentry/components/errors/notFound';
- import EventOrGroupTitle from 'sentry/components/eventOrGroupTitle';
- import EventCustomPerformanceMetrics from 'sentry/components/events/eventCustomPerformanceMetrics';
- import {BorderlessEventEntries} from 'sentry/components/events/eventEntries';
- import EventMessage from 'sentry/components/events/eventMessage';
- import EventVitals from 'sentry/components/events/eventVitals';
- import * as SpanEntryContext from 'sentry/components/events/interfaces/spans/context';
- import FileSize from 'sentry/components/fileSize';
- import * as Layout from 'sentry/components/layouts/thirds';
- import LoadingError from 'sentry/components/loadingError';
- import LoadingIndicator from 'sentry/components/loadingIndicator';
- import {TransactionProfileIdProvider} from 'sentry/components/profiling/transactionProfileIdProvider';
- import {TransactionToProfileButton} from 'sentry/components/profiling/transactionToProfileButton';
- import SentryDocumentTitle from 'sentry/components/sentryDocumentTitle';
- import {TagsTable} from 'sentry/components/tagsTable';
- import {IconOpen} from 'sentry/icons';
- import {t} from 'sentry/locale';
- import {space} from 'sentry/styles/space';
- import {Organization, Project} from 'sentry/types';
- import {Event, EventTag} from 'sentry/types/event';
- import {trackAnalytics} from 'sentry/utils/analytics';
- import EventView from 'sentry/utils/discover/eventView';
- import {formatTagKey} from 'sentry/utils/discover/fields';
- import {eventDetailsRoute} from 'sentry/utils/discover/urls';
- import {getMessage} from 'sentry/utils/events';
- import {QuickTraceContext} from 'sentry/utils/performance/quickTrace/quickTraceContext';
- import QuickTraceQuery from 'sentry/utils/performance/quickTrace/quickTraceQuery';
- import TraceMetaQuery, {
- TraceMetaQueryChildrenProps,
- } from 'sentry/utils/performance/quickTrace/traceMetaQuery';
- import {QuickTraceQueryChildrenProps} from 'sentry/utils/performance/quickTrace/types';
- import {
- getTraceTimeRangeFromEvent,
- isTransaction,
- } from 'sentry/utils/performance/quickTrace/utils';
- import Projects from 'sentry/utils/projects';
- import EventMetas from 'sentry/views/performance/transactionDetails/eventMetas';
- import {transactionSummaryRouteWithQuery} from 'sentry/views/performance/transactionSummary/utils';
- import {ProfileGroupProvider} from 'sentry/views/profiling/profileGroupProvider';
- import {ProfileContext, ProfilesProvider} from 'sentry/views/profiling/profilesProvider';
- import DiscoverBreadcrumb from '../breadcrumb';
- import {generateTitle, getExpandedResults} from '../utils';
- import LinkedIssue from './linkedIssue';
- type Props = Pick<RouteComponentProps<{eventSlug: string}, {}>, 'params' | 'location'> & {
- eventSlug: string;
- eventView: EventView;
- organization: Organization;
- isHomepage?: boolean;
- };
- type State = {
- event: Event | undefined;
- isSidebarVisible: boolean;
- } & DeprecatedAsyncComponent['state'];
- class EventDetailsContent extends DeprecatedAsyncComponent<Props, State> {
- state: State = {
- // AsyncComponent state
- loading: true,
- reloading: false,
- error: false,
- errors: {},
- event: undefined,
- // local state
- isSidebarVisible: true,
- };
- toggleSidebar = () => {
- this.setState({isSidebarVisible: !this.state.isSidebarVisible});
- };
- getEndpoints(): ReturnType<DeprecatedAsyncComponent['getEndpoints']> {
- const {organization, params, location, eventView} = this.props;
- const {eventSlug} = params;
- const query = eventView.getEventsAPIPayload(location);
- // Fields aren't used, reduce complexity by omitting from query entirely
- query.field = [];
- const url = `/organizations/${organization.slug}/events/${eventSlug}/`;
- // Get a specific event. This could be coming from
- // a paginated group or standalone event.
- return [['event', url, {query}]];
- }
- get projectId() {
- return this.props.eventSlug.split(':')[0];
- }
- generateTagUrl = (tag: EventTag) => {
- const {eventView, organization, isHomepage} = this.props;
- const {event} = this.state;
- if (!event) {
- return '';
- }
- const eventReference = {...event};
- if (eventReference.id) {
- delete (eventReference as any).id;
- }
- const tagKey = formatTagKey(tag.key);
- const nextView = getExpandedResults(eventView, {[tagKey]: tag.value}, eventReference);
- return nextView.getResultsViewUrlTarget(organization.slug, isHomepage);
- };
- renderBody() {
- const {event} = this.state;
- if (!event) {
- return <NotFound />;
- }
- return this.renderContent(event);
- }
- renderContent(event: Event) {
- const {organization, location, eventView, isHomepage} = this.props;
- const {isSidebarVisible} = this.state;
- // metrics
- trackAnalytics('discover_v2.event_details', {
- event_type: event.type,
- organization,
- });
- const transactionName = event.tags.find(tag => tag.key === 'transaction')?.value;
- const transactionSummaryTarget =
- event.type === 'transaction' && transactionName
- ? transactionSummaryRouteWithQuery({
- orgSlug: organization.slug,
- transaction: transactionName,
- projectID: event.projectID,
- query: location.query,
- })
- : null;
- const eventJsonUrl = `/api/0/projects/${organization.slug}/${this.projectId}/events/${event.eventID}/json/`;
- const hasProfilingFeature = organization.features.includes('profiling');
- const profileId = isTransaction(event) ? event.contexts?.profile?.profile_id : null;
- const renderContent = (
- results?: QuickTraceQueryChildrenProps,
- metaResults?: TraceMetaQueryChildrenProps
- ) => (
- <TransactionProfileIdProvider
- projectId={event.projectID}
- transactionId={event.type === 'transaction' ? event.id : undefined}
- timestamp={event.dateReceived}
- >
- <Layout.Header>
- <Layout.HeaderContent>
- <DiscoverBreadcrumb
- eventView={eventView}
- event={event}
- organization={organization}
- location={location}
- isHomepage={isHomepage}
- />
- <EventHeader event={event} />
- </Layout.HeaderContent>
- <Layout.HeaderActions>
- <ButtonBar gap={1}>
- <Button size="sm" onClick={this.toggleSidebar}>
- {isSidebarVisible ? 'Hide Details' : 'Show Details'}
- </Button>
- <Button
- size="sm"
- icon={<IconOpen />}
- href={eventJsonUrl}
- external
- onClick={() =>
- trackAnalytics('performance_views.event_details.json_button_click', {
- organization,
- })
- }
- >
- {t('JSON')} (<FileSize bytes={event.size} />)
- </Button>
- {hasProfilingFeature && event.type === 'transaction' && (
- <TransactionToProfileButton projectSlug={this.projectId} />
- )}
- {transactionSummaryTarget && (
- <Feature organization={organization} features={['performance-view']}>
- {({hasFeature}) => (
- <Button
- size="sm"
- disabled={!hasFeature}
- priority="primary"
- to={transactionSummaryTarget}
- >
- {t('Go to Summary')}
- </Button>
- )}
- </Feature>
- )}
- </ButtonBar>
- </Layout.HeaderActions>
- </Layout.Header>
- <Layout.Body>
- <Layout.Main fullWidth>
- <EventMetas
- quickTrace={results ?? null}
- meta={metaResults?.meta ?? null}
- event={event}
- organization={organization}
- projectId={this.projectId}
- location={location}
- errorDest="discover"
- transactionDest="discover"
- />
- </Layout.Main>
- <Layout.Main fullWidth={!isSidebarVisible}>
- <Projects orgId={organization.slug} slugs={[this.projectId]}>
- {({projects, initiallyLoaded}) =>
- initiallyLoaded ? (
- <SpanEntryContext.Provider
- value={{
- getViewChildTransactionTarget: childTransactionProps => {
- const childTransactionLink = eventDetailsRoute({
- eventSlug: childTransactionProps.eventSlug,
- orgSlug: organization.slug,
- });
- return {
- pathname: childTransactionLink,
- query: eventView.generateQueryStringObject(),
- };
- },
- }}
- >
- <QuickTraceContext.Provider value={results}>
- {hasProfilingFeature ? (
- <ProfilesProvider
- orgSlug={organization.slug}
- projectSlug={this.projectId}
- profileId={profileId || ''}
- >
- <ProfileContext.Consumer>
- {profiles => (
- <ProfileGroupProvider
- type="flamechart"
- input={
- profiles?.type === 'resolved' ? profiles.data : null
- }
- traceID={profileId || ''}
- >
- <BorderlessEventEntries
- organization={organization}
- event={event}
- project={projects[0] as Project}
- location={location}
- showTagSummary={false}
- />
- </ProfileGroupProvider>
- )}
- </ProfileContext.Consumer>
- </ProfilesProvider>
- ) : (
- <BorderlessEventEntries
- organization={organization}
- event={event}
- project={projects[0] as Project}
- location={location}
- showTagSummary={false}
- />
- )}
- </QuickTraceContext.Provider>
- </SpanEntryContext.Provider>
- ) : (
- <LoadingIndicator />
- )
- }
- </Projects>
- </Layout.Main>
- {isSidebarVisible && (
- <Layout.Side>
- <EventVitals event={event} />
- <EventCustomPerformanceMetrics
- event={event}
- location={location}
- organization={organization}
- isHomepage={isHomepage}
- />
- {event.groupID && (
- <LinkedIssue groupId={event.groupID} eventId={event.eventID} />
- )}
- <TagsTable
- generateUrl={this.generateTagUrl}
- event={event}
- query={eventView.query}
- />
- </Layout.Side>
- )}
- </Layout.Body>
- </TransactionProfileIdProvider>
- );
- const hasQuickTraceView = organization.features.includes('performance-view');
- if (hasQuickTraceView) {
- const traceId = event.contexts?.trace?.trace_id ?? '';
- const {start, end} = getTraceTimeRangeFromEvent(event);
- return (
- <TraceMetaQuery
- location={location}
- orgSlug={organization.slug}
- traceId={traceId}
- start={start}
- end={end}
- >
- {metaResults => (
- <QuickTraceQuery
- event={event}
- location={location}
- orgSlug={organization.slug}
- >
- {results => renderContent(results, metaResults)}
- </QuickTraceQuery>
- )}
- </TraceMetaQuery>
- );
- }
- return renderContent();
- }
- renderError(error: Error) {
- const notFound = Object.values(this.state.errors).find(
- resp => resp && resp.status === 404
- );
- const permissionDenied = Object.values(this.state.errors).find(
- resp => resp && resp.status === 403
- );
- if (notFound) {
- return <NotFound />;
- }
- if (permissionDenied) {
- return (
- <LoadingError message={t('You do not have permission to view that event.')} />
- );
- }
- return super.renderError(error, true);
- }
- getEventSlug = (): string => {
- const {eventSlug} = this.props.params;
- if (typeof eventSlug === 'string') {
- return eventSlug.trim();
- }
- return '';
- };
- renderComponent() {
- const {eventView, organization} = this.props;
- const {event} = this.state;
- const eventSlug = this.getEventSlug();
- const projectSlug = eventSlug.split(':')[0];
- const title = generateTitle({eventView, event, organization});
- return (
- <SentryDocumentTitle
- title={title}
- orgSlug={organization.slug}
- projectSlug={projectSlug}
- >
- {super.renderComponent() as React.ReactChild}
- </SentryDocumentTitle>
- );
- }
- }
- function EventHeader({event}: {event: Event}) {
- const message = getMessage(event);
- return (
- <EventHeaderContainer data-test-id="event-header">
- <TitleWrapper>
- <StyledEventOrGroupTitle data={event} />
- </TitleWrapper>
- {message && (
- <MessageWrapper>
- <EventMessage message={message} />
- </MessageWrapper>
- )}
- </EventHeaderContainer>
- );
- }
- const EventHeaderContainer = styled('div')`
- max-width: ${p => p.theme.breakpoints.small};
- `;
- const TitleWrapper = styled('div')`
- margin-top: 20px;
- `;
- const StyledEventOrGroupTitle = styled(EventOrGroupTitle)`
- font-size: ${p => p.theme.headerFontSize};
- `;
- const MessageWrapper = styled('div')`
- margin-top: ${space(1)};
- `;
- export default EventDetailsContent;
|