modal.tsx 4.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184
  1. import {Fragment} from 'react';
  2. import styled from '@emotion/styled';
  3. import DeprecatedAsyncComponent from 'sentry/components/deprecatedAsyncComponent';
  4. import ExternalLink from 'sentry/components/links/externalLink';
  5. import {t, tct} from 'sentry/locale';
  6. import ConfigStore from 'sentry/stores/configStore';
  7. import {space} from 'sentry/styles/space';
  8. import type {Frame, Organization, Project, TagWithTopValues} from 'sentry/types';
  9. import type {Event} from 'sentry/types/event';
  10. import {uniq} from 'sentry/utils/array/uniq';
  11. import {safeURL} from 'sentry/utils/url/safeURL';
  12. import OwnerInput from 'sentry/views/settings/project/projectOwnership/ownerInput';
  13. type IssueOwnershipResponse = {
  14. autoAssignment: boolean;
  15. dateCreated: string;
  16. fallthrough: boolean;
  17. isActive: boolean;
  18. lastUpdated: string;
  19. raw: string;
  20. };
  21. type Props = DeprecatedAsyncComponent['props'] & {
  22. issueId: string;
  23. onCancel: () => void;
  24. organization: Organization;
  25. project: Project;
  26. eventData?: Event;
  27. };
  28. type State = {
  29. ownership: null | IssueOwnershipResponse;
  30. urlTagData: null | TagWithTopValues;
  31. } & DeprecatedAsyncComponent['state'];
  32. function getFrameSuggestions(eventData?: Event) {
  33. // pull frame data out of exception or the stacktrace
  34. const entry = eventData?.entries?.find(({type}) =>
  35. ['exception', 'stacktrace'].includes(type)
  36. );
  37. let frames: Frame[] = [];
  38. if (entry?.type === 'exception') {
  39. frames = entry?.data?.values?.[0]?.stacktrace?.frames ?? [];
  40. } else if (entry?.type === 'stacktrace') {
  41. frames = entry?.data?.frames ?? [];
  42. }
  43. // Only display in-app frames
  44. frames = frames.filter(frame => frame?.inApp).reverse();
  45. return uniq(frames.map(frame => frame.filename || frame.absPath || ''));
  46. }
  47. /**
  48. * Attempt to remove the origin from a URL
  49. */
  50. function getUrlPath(maybeUrl?: string) {
  51. if (!maybeUrl) {
  52. return '';
  53. }
  54. const parsedURL = safeURL(maybeUrl);
  55. if (!parsedURL) {
  56. return maybeUrl;
  57. }
  58. return `*${parsedURL.pathname}`;
  59. }
  60. function OwnershipSuggestions({
  61. paths,
  62. urls,
  63. eventData,
  64. }: {
  65. paths: string[];
  66. urls: string[];
  67. eventData?: Event;
  68. }) {
  69. const email = ConfigStore.get('user')?.email;
  70. if (!email) {
  71. return null;
  72. }
  73. const pathSuggestion = paths.length ? `path:${paths[0]} ${email}` : null;
  74. const urlSuggestion = urls.length ? `url:${getUrlPath(urls[0])} ${email}` : null;
  75. const transactionTag = eventData?.tags?.find(({key}) => key === 'transaction');
  76. const transactionSuggestion = transactionTag
  77. ? `tags.transaction:${transactionTag.value} ${email}`
  78. : null;
  79. return (
  80. <StyledPre>
  81. # {t('Here’s some suggestions based on this issue')}
  82. <br />
  83. {[pathSuggestion, urlSuggestion, transactionSuggestion]
  84. .filter(x => x)
  85. .map(suggestion => (
  86. <Fragment key={suggestion}>
  87. {suggestion}
  88. <br />
  89. </Fragment>
  90. ))}
  91. </StyledPre>
  92. );
  93. }
  94. class ProjectOwnershipModal extends DeprecatedAsyncComponent<Props, State> {
  95. getEndpoints(): ReturnType<DeprecatedAsyncComponent['getEndpoints']> {
  96. const {organization, project, issueId} = this.props;
  97. return [
  98. ['ownership', `/projects/${organization.slug}/${project.slug}/ownership/`],
  99. [
  100. 'urlTagData',
  101. `/issues/${issueId}/tags/url/`,
  102. {},
  103. {
  104. allowError: error =>
  105. // Allow for 404s
  106. error.status === 404,
  107. },
  108. ],
  109. ];
  110. }
  111. renderBody() {
  112. const {ownership, urlTagData} = this.state;
  113. const {eventData, organization, project, onCancel} = this.props;
  114. if (!ownership) {
  115. return null;
  116. }
  117. const urls = urlTagData
  118. ? urlTagData.topValues
  119. .sort((a, b) => a.count - b.count)
  120. .map(i => i.value)
  121. .slice(0, 5)
  122. : [];
  123. const paths = getFrameSuggestions(eventData);
  124. return (
  125. <Fragment>
  126. <Fragment>
  127. <Description>
  128. {tct(
  129. 'Assign issues based on custom rules. To learn more, [docs:read the docs].',
  130. {
  131. docs: (
  132. <ExternalLink href="https://docs.sentry.io/product/issues/issue-owners/" />
  133. ),
  134. }
  135. )}
  136. </Description>
  137. <OwnershipSuggestions paths={paths} urls={urls} eventData={eventData} />
  138. </Fragment>
  139. <OwnerInput
  140. organization={organization}
  141. project={project}
  142. initialText={ownership?.raw || ''}
  143. urls={urls}
  144. paths={paths}
  145. dateUpdated={ownership.lastUpdated}
  146. onCancel={onCancel}
  147. page="issue_details"
  148. />
  149. </Fragment>
  150. );
  151. }
  152. }
  153. const Description = styled('p')`
  154. margin-bottom: ${space(1)};
  155. `;
  156. const StyledPre = styled('pre')`
  157. word-break: break-word;
  158. padding: ${space(2)};
  159. line-height: 1.6;
  160. color: ${p => p.theme.subText};
  161. `;
  162. export default ProjectOwnershipModal;