import {Fragment, PureComponent} from 'react'; import {InjectedRouter} from 'react-router'; import {components} from 'react-select'; import {css} from '@emotion/react'; import styled from '@emotion/styled'; import pick from 'lodash/pick'; import {addErrorMessage} from 'sentry/actionCreators/indicator'; import {Client} from 'sentry/api'; import SearchBar from 'sentry/components/events/searchBar'; import SelectControl from 'sentry/components/forms/controls/selectControl'; import SelectField from 'sentry/components/forms/fields/selectField'; import FormField from 'sentry/components/forms/formField'; import IdBadge from 'sentry/components/idBadge'; import ListItem from 'sentry/components/list/listItem'; import {Panel, PanelBody} from 'sentry/components/panels'; import {SearchInvalidTag} from 'sentry/components/smartSearchBar/searchInvalidTag'; import {t, tct} from 'sentry/locale'; import {space} from 'sentry/styles/space'; import {Environment, Organization, Project, SelectValue} from 'sentry/types'; import {getDisplayName} from 'sentry/utils/environment'; import {isActiveSuperuser} from 'sentry/utils/isActiveSuperuser'; import withProjects from 'sentry/utils/withProjects'; import WizardField from 'sentry/views/alerts/rules/metric/wizardField'; import { convertDatasetEventTypesToSource, DATA_SOURCE_LABELS, DATA_SOURCE_TO_SET_AND_EVENT_TYPES, } from 'sentry/views/alerts/utils'; import { AlertType, datasetOmittedTags, datasetSupportedTags, } from 'sentry/views/alerts/wizard/options'; import {isCrashFreeAlert} from './utils/isCrashFreeAlert'; import {DEFAULT_AGGREGATE, DEFAULT_TRANSACTION_AGGREGATE} from './constants'; import {AlertRuleComparisonType, Dataset, Datasource, TimeWindow} from './types'; const TIME_WINDOW_MAP: Record = { [TimeWindow.ONE_MINUTE]: t('1 minute'), [TimeWindow.FIVE_MINUTES]: t('5 minutes'), [TimeWindow.TEN_MINUTES]: t('10 minutes'), [TimeWindow.FIFTEEN_MINUTES]: t('15 minutes'), [TimeWindow.THIRTY_MINUTES]: t('30 minutes'), [TimeWindow.ONE_HOUR]: t('1 hour'), [TimeWindow.TWO_HOURS]: t('2 hours'), [TimeWindow.FOUR_HOURS]: t('4 hours'), [TimeWindow.ONE_DAY]: t('24 hours'), }; type Props = { alertType: AlertType; api: Client; comparisonType: AlertRuleComparisonType; dataset: Dataset; disabled: boolean; onComparisonDeltaChange: (value: number) => void; onFilterSearch: (query: string, isQueryValid) => void; onTimeWindowChange: (value: number) => void; organization: Organization; project: Project; projects: Project[]; router: InjectedRouter; thresholdChart: React.ReactNode; timeWindow: number; allowChangeEventTypes?: boolean; comparisonDelta?: number; disableProjectSelector?: boolean; loadingProjects?: boolean; }; type State = { environments: Environment[] | null; }; class RuleConditionsForm extends PureComponent { state: State = { environments: null, }; componentDidMount() { this.fetchData(); } componentDidUpdate(prevProps: Props) { if (prevProps.project.id === this.props.project.id) { return; } this.fetchData(); } formElemBaseStyle = { padding: `${space(0.5)}`, border: 'none', }; async fetchData() { const {api, organization, project} = this.props; try { const environments = await api.requestPromise( `/projects/${organization.slug}/${project.slug}/environments/`, { query: { visibility: 'visible', }, } ); this.setState({environments}); } catch (_err) { addErrorMessage(t('Unable to fetch environments')); } } get timeWindowOptions() { let options: Record = TIME_WINDOW_MAP; if (isCrashFreeAlert(this.props.dataset)) { options = pick(TIME_WINDOW_MAP, [ // TimeWindow.THIRTY_MINUTES, leaving this option out until we figure out the sub-hour session resolution chart limitations TimeWindow.ONE_HOUR, TimeWindow.TWO_HOURS, TimeWindow.FOUR_HOURS, TimeWindow.ONE_DAY, ]); } return Object.entries(options).map(([value, label]) => ({ value: parseInt(value, 10), label: tct('[timeWindow] interval', { timeWindow: label.slice(-1) === 's' ? label.slice(0, -1) : label, }), })); } get searchPlaceholder() { switch (this.props.dataset) { case Dataset.ERRORS: return t('Filter events by level, message, and other properties\u2026'); case Dataset.METRICS: case Dataset.SESSIONS: return t('Filter sessions by release version\u2026'); case Dataset.TRANSACTIONS: default: return t('Filter transactions by URL, tags, and other properties\u2026'); } } renderEventTypeFilter() { const {organization, disabled, alertType} = this.props; const dataSourceOptions = [ { label: t('Errors'), options: [ { value: Datasource.ERROR_DEFAULT, label: DATA_SOURCE_LABELS[Datasource.ERROR_DEFAULT], }, { value: Datasource.DEFAULT, label: DATA_SOURCE_LABELS[Datasource.DEFAULT], }, { value: Datasource.ERROR, label: DATA_SOURCE_LABELS[Datasource.ERROR], }, ], }, ]; if (organization.features.includes('performance-view') && alertType === 'custom') { dataSourceOptions.push({ label: t('Transactions'), options: [ { value: Datasource.TRANSACTION, label: DATA_SOURCE_LABELS[Datasource.TRANSACTION], }, ], }); } return ( {({onChange, onBlur, model}) => { const formDataset = model.getValue('dataset'); const formEventTypes = model.getValue('eventTypes'); const aggregate = model.getValue('aggregate'); const mappedValue = convertDatasetEventTypesToSource( formDataset, formEventTypes ); return ( { onChange(value, {}); onBlur(value, {}); // Reset the aggregate to the default (which works across // datatypes), otherwise we may send snuba an invalid query // (transaction aggregate on events datasource = bad). const newAggregate = value === Datasource.TRANSACTION ? DEFAULT_TRANSACTION_AGGREGATE : DEFAULT_AGGREGATE; if (alertType === 'custom' && aggregate !== newAggregate) { model.setValue('aggregate', newAggregate); } // set the value of the dataset and event type from data source const {dataset: datasetFromDataSource, eventTypes} = DATA_SOURCE_TO_SET_AND_EVENT_TYPES[value] ?? {}; model.setValue('dataset', datasetFromDataSource); model.setValue('eventTypes', eventTypes); }} options={dataSourceOptions} isDisabled={disabled} /> ); }} ); } renderIdBadge(project: Project) { return ( ); } renderProjectSelector() { const { project: _selectedProject, projects, disabled, organization, disableProjectSelector, } = this.props; const hasOpenMembership = organization.features.includes('open-membership'); const myProjects = projects.filter(project => project.hasAccess && project.isMember); const allProjects = projects.filter( project => project.hasAccess && !project.isMember ); const myProjectOptions = myProjects.map(myProject => ({ value: myProject.id, label: myProject.slug, leadingItems: this.renderIdBadge(myProject), })); const openMembershipProjects = [ { label: t('My Projects'), options: myProjectOptions, }, { label: t('All Projects'), options: allProjects.map(allProject => ({ value: allProject.id, label: allProject.slug, leadingItems: this.renderIdBadge(allProject), })), }, ]; const projectOptions = hasOpenMembership || isActiveSuperuser() ? openMembershipProjects : myProjectOptions; return ( {({onChange, onBlur, model}) => { const selectedProject = projects.find(({id}) => id === model.getValue('projectId')) || _selectedProject; return ( { // if the current owner/team isn't part of project selected, update to the first available team const nextSelectedProject = projects.find(({id}) => id === value) ?? selectedProject; const ownerId: string | undefined = model .getValue('owner') ?.split(':')[1]; if ( ownerId && nextSelectedProject.teams.find(({id}) => id === ownerId) === undefined && nextSelectedProject.teams.length ) { model.setValue('owner', `team:${nextSelectedProject.teams[0].id}`); } onChange(value, {}); onBlur(value, {}); }} components={{ SingleValue: containerProps => ( ), }} /> ); }} ); } renderInterval() { const {organization, disabled, alertType, timeWindow, onTimeWindowChange} = this.props; return (
{t('Define your metric')}
({ ...provided, minWidth: 200, maxWidth: 300, }), container: (provided: {[x: string]: string | number | boolean}) => ({ ...provided, margin: `${space(0.5)}`, }), }} options={this.timeWindowOptions} required isDisabled={disabled} value={timeWindow} onChange={({value}) => onTimeWindowChange(value)} inline={false} flexibleControlStateSize />
); } render() { const {organization, disabled, onFilterSearch, allowChangeEventTypes, dataset} = this.props; const {environments} = this.state; const environmentOptions: SelectValue[] = [ { value: null, label: t('All Environments'), }, ...(environments?.map(env => ({value: env.name, label: getDisplayName(env)})) ?? []), ]; return ( {this.props.thresholdChart} {this.renderInterval()} {t('Filter events')} {this.renderProjectSelector()} ({ ...base, }), option: (base: any) => ({ ...base, }), }} options={environmentOptions} isDisabled={disabled || this.state.environments === null} isClearable inline={false} flexibleControlStateSize /> {allowChangeEventTypes && this.renderEventTypeFilter()} {({onChange, onBlur, onKeyDown, initialData}) => { return ( { if ( ![Dataset.GENERIC_METRICS, Dataset.TRANSACTIONS].includes(dataset) ) { return null; } return ( {item.desc}, } )} docLink="https://docs.sentry.io/product/alerts/create-alerts/metric-alert-config/#tags--properties" /> ); }} searchSource="alert_builder" defaultQuery={initialData?.query ?? ''} omitTags={datasetOmittedTags(dataset, organization)} {...(datasetSupportedTags(dataset, organization) ? {supportedTags: datasetSupportedTags(dataset, organization)} : {})} includeSessionTagsValues={dataset === Dataset.SESSIONS} disabled={disabled} useFormWrapper={false} organization={organization} placeholder={this.searchPlaceholder} onChange={onChange} query={initialData.query} // We only need strict validation for Transaction queries, everything else is fine highlightUnsupportedTags={ organization.features.includes('alert-allow-indexed') ? false : [Dataset.GENERIC_METRICS, Dataset.TRANSACTIONS].includes( dataset ) } onKeyDown={e => { /** * Do not allow enter key to submit the alerts form since it is unlikely * users will be ready to create the rule as this sits above required fields. */ if (e.key === 'Enter') { e.preventDefault(); e.stopPropagation(); } onKeyDown?.(e); }} onClose={(query, {validSearch}) => { onFilterSearch(query, validSearch); onBlur(query); }} onSearch={query => { onFilterSearch(query, true); onChange(query, {}); }} hasRecentSearches={dataset !== Dataset.SESSIONS} /> ); }} ); } } const StyledListTitle = styled('div')` display: flex; span { margin-left: ${space(1)}; } `; const ChartPanel = styled(Panel)` margin-bottom: ${space(1)}; `; const StyledPanelBody = styled(PanelBody)` ol, h4 { margin-bottom: ${space(1)}; } `; const SearchContainer = styled('div')` display: flex; `; const StyledSearchBar = styled(SearchBar)` flex-grow: 1; `; const StyledListItem = styled(ListItem)` margin-bottom: ${space(1)}; font-size: ${p => p.theme.fontSizeExtraLarge}; line-height: 1.3; `; const FormRow = styled('div')<{columns?: number; noMargin?: boolean}>` display: flex; flex-direction: row; align-items: center; flex-wrap: wrap; margin-bottom: ${p => (p.noMargin ? 0 : space(4))}; ${p => p.columns !== undefined && css` display: grid; grid-template-columns: repeat(${p.columns}, auto); `} `; export default withProjects(RuleConditionsForm);