123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695 |
- import {Fragment, useCallback, useEffect} from 'react';
- import styled from '@emotion/styled';
- import {openModal} from 'sentry/actionCreators/modal';
- import {Alert} from 'sentry/components/alert';
- import {Button} from 'sentry/components/button';
- import SelectControl from 'sentry/components/forms/controls/selectControl';
- import Input from 'sentry/components/input';
- import ExternalLink from 'sentry/components/links/externalLink';
- import NumberInput from 'sentry/components/numberInput';
- import {releaseHealth} from 'sentry/data/platformCategories';
- import {IconDelete, IconSettings} from 'sentry/icons';
- import {t, tct} from 'sentry/locale';
- import {space} from 'sentry/styles/space';
- import {Choices, IssueOwnership, Organization, Project} from 'sentry/types';
- import {
- AssigneeTargetType,
- IssueAlertActionType,
- IssueAlertConditionType,
- IssueAlertConfiguration,
- IssueAlertFilterType,
- IssueAlertRuleAction,
- IssueAlertRuleCondition,
- MailActionTargetType,
- } from 'sentry/types/alerts';
- import MemberTeamFields from 'sentry/views/alerts/rules/issue/memberTeamFields';
- import SentryAppRuleModal from 'sentry/views/alerts/rules/issue/sentryAppRuleModal';
- import TicketRuleModal from 'sentry/views/alerts/rules/issue/ticketRuleModal';
- import {SchemaFormConfig} from 'sentry/views/settings/organizationIntegrations/sentryAppExternalForm';
- export function hasStreamlineTargeting(organization: Organization): boolean {
- return organization.features.includes('streamline-targeting-context');
- }
- interface FieldProps {
- data: Props['data'];
- disabled: boolean;
- fieldConfig: FormField;
- index: number;
- name: string;
- onMemberTeamChange: (data: Props['data']) => void;
- onPropertyChange: Props['onPropertyChange'];
- onReset: Props['onReset'];
- organization: Organization;
- project: Project;
- }
- function NumberField({
- data,
- index,
- disabled,
- name,
- fieldConfig,
- onPropertyChange,
- }: FieldProps) {
- const value = data[name] && typeof data[name] !== 'boolean' ? Number(data[name]) : NaN;
- // Set default value of number fields to the placeholder value
- useEffect(() => {
- if (
- data.id === IssueAlertFilterType.ISSUE_OCCURRENCES &&
- isNaN(value) &&
- !isNaN(Number(fieldConfig.placeholder))
- ) {
- onPropertyChange(index, name, `${fieldConfig.placeholder}`);
- }
- // Value omitted on purpose to avoid overwriting user changes
- // eslint-disable-next-line react-hooks/exhaustive-deps
- }, [onPropertyChange, index, name, fieldConfig.placeholder, data.id]);
- return (
- <InlineNumberInput
- min={0}
- name={name}
- value={value}
- placeholder={`${fieldConfig.placeholder}`}
- disabled={disabled}
- onChange={newVal => onPropertyChange(index, name, String(newVal))}
- aria-label={t('Value')}
- />
- );
- }
- function AssigneeFilterFields({
- data,
- organization,
- project,
- disabled,
- onMemberTeamChange,
- }: FieldProps) {
- const isInitialized = data.targetType !== undefined && `${data.targetType}`.length > 0;
- return (
- <MemberTeamFields
- disabled={disabled}
- project={project}
- organization={organization}
- loading={!isInitialized}
- ruleData={data}
- onChange={onMemberTeamChange}
- options={[
- {value: AssigneeTargetType.UNASSIGNED, label: t('No One')},
- {value: AssigneeTargetType.TEAM, label: t('Team')},
- {value: AssigneeTargetType.MEMBER, label: t('Member')},
- ]}
- memberValue={AssigneeTargetType.MEMBER}
- teamValue={AssigneeTargetType.TEAM}
- />
- );
- }
- function MailActionFields({
- data,
- organization,
- project,
- disabled,
- onMemberTeamChange,
- }: FieldProps) {
- const isInitialized = data.targetType !== undefined && `${data.targetType}`.length > 0;
- let issueOwnersLabel = t('Issue Owners');
- if (hasStreamlineTargeting(organization)) {
- issueOwnersLabel = t('Suggested Assignees');
- }
- return (
- <MemberTeamFields
- disabled={disabled}
- project={project}
- organization={organization}
- loading={!isInitialized}
- ruleData={data as IssueAlertRuleAction}
- onChange={onMemberTeamChange}
- options={[
- {value: MailActionTargetType.ISSUE_OWNERS, label: issueOwnersLabel},
- {value: MailActionTargetType.TEAM, label: t('Team')},
- {value: MailActionTargetType.MEMBER, label: t('Member')},
- ]}
- memberValue={MailActionTargetType.MEMBER}
- teamValue={MailActionTargetType.TEAM}
- />
- );
- }
- function ChoiceField({
- data,
- disabled,
- index,
- onPropertyChange,
- onReset,
- name,
- fieldConfig,
- }: FieldProps) {
- // Select the first item on this list
- // If it's not yet defined, call onPropertyChange to make sure the value is set on state
- let initialVal: string | undefined;
- if (data[name] === undefined && !!fieldConfig.choices.length) {
- initialVal = fieldConfig.initial
- ? `${fieldConfig.initial}`
- : `${fieldConfig.choices[0][0]}`;
- } else {
- initialVal = `${data[name]}`;
- }
- // All `value`s are cast to string
- // There are integrations that give the form field choices with the value as number, but
- // when the integration configuration gets saved, it gets saved and returned as a string
- const options = fieldConfig.choices.map(([value, label]) => ({
- value: `${value}`,
- label,
- }));
- return (
- <InlineSelectControl
- isClearable={false}
- name={name}
- value={initialVal}
- styles={{
- control: (provided: any) => ({
- ...provided,
- minHeight: '28px',
- height: '28px',
- }),
- }}
- disabled={disabled}
- options={options}
- onChange={({value}: {value: string}) => {
- if (fieldConfig.resetsForm) {
- onReset(index, name, value);
- } else {
- onPropertyChange(index, name, value);
- }
- }}
- />
- );
- }
- function TextField({
- data,
- index,
- onPropertyChange,
- disabled,
- name,
- fieldConfig,
- }: FieldProps) {
- const value =
- data[name] && typeof data[name] !== 'boolean' ? (data[name] as string | number) : '';
- return (
- <InlineInput
- type="text"
- name={name}
- value={value}
- placeholder={`${fieldConfig.placeholder}`}
- disabled={disabled}
- onChange={(e: React.ChangeEvent<HTMLInputElement>) =>
- onPropertyChange(index, name, e.target.value)
- }
- />
- );
- }
- export type FormField = {
- // The rest is configuration for the form field
- [key: string]: any;
- // Type of form fields
- type: string;
- };
- interface Props {
- data: IssueAlertRuleAction | IssueAlertRuleCondition;
- disabled: boolean;
- index: number;
- onDelete: (rowIndex: number) => void;
- onPropertyChange: (rowIndex: number, name: string, value: string) => void;
- onReset: (rowIndex: number, name: string, value: string) => void;
- organization: Organization;
- project: Project;
- incompatibleBanner?: boolean;
- incompatibleRule?: boolean;
- node?: IssueAlertConfiguration[keyof IssueAlertConfiguration][number] | null;
- ownership?: null | IssueOwnership;
- }
- function RuleNode({
- index,
- data,
- node,
- organization,
- project,
- disabled,
- onDelete,
- onPropertyChange,
- onReset,
- ownership,
- incompatibleRule,
- incompatibleBanner,
- }: Props) {
- const handleDelete = useCallback(() => {
- onDelete(index);
- }, [index, onDelete]);
- const handleMemberTeamChange = useCallback(
- ({targetType, targetIdentifier}: IssueAlertRuleAction | IssueAlertRuleCondition) => {
- onPropertyChange(index, 'targetType', `${targetType}`);
- onPropertyChange(index, 'targetIdentifier', `${targetIdentifier}`);
- },
- [index, onPropertyChange]
- );
- function getField(name: string, fieldConfig: FormField) {
- const fieldProps: FieldProps = {
- index,
- name,
- fieldConfig,
- data,
- organization,
- project,
- disabled,
- onMemberTeamChange: handleMemberTeamChange,
- onPropertyChange,
- onReset,
- };
- switch (fieldConfig.type) {
- case 'choice':
- return <ChoiceField {...fieldProps} />;
- case 'number':
- return <NumberField {...fieldProps} />;
- case 'string':
- return <TextField {...fieldProps} />;
- case 'mailAction':
- return <MailActionFields {...fieldProps} />;
- case 'assignee':
- return <AssigneeFilterFields {...fieldProps} />;
- default:
- return null;
- }
- }
- function renderRow() {
- if (!node) {
- return (
- <Separator>
- This node failed to render. It may have migrated to another section of the alert
- conditions
- </Separator>
- );
- }
- let {label} = node;
- if (
- data.id === IssueAlertActionType.NOTIFY_EMAIL &&
- data.targetType !== MailActionTargetType.ISSUE_OWNERS &&
- organization.features.includes('issue-alert-fallback-targeting')
- ) {
- // Hide the fallback options when targeting team or member
- label = 'Send a notification to {targetType}';
- }
- if (
- data.id === IssueAlertConditionType.REAPPEARED_EVENT &&
- organization.features.includes('escalating-issues')
- ) {
- label = t('The issue changes state from archived to escalating');
- }
- const parts = label.split(/({\w+})/).map((part, i) => {
- if (!/^{\w+}$/.test(part)) {
- return <Separator key={i}>{part}</Separator>;
- }
- const key = part.slice(1, -1);
- // If matcher is "is set" or "is not set", then we do not want to show the value input
- // because it is not required
- if (key === 'value' && (data.match === 'is' || data.match === 'ns')) {
- return null;
- }
- return (
- <Separator key={key}>
- {node.formFields && node.formFields.hasOwnProperty(key)
- ? getField(key, node.formFields[key])
- : part}
- </Separator>
- );
- });
- const [title, ...inputs] = parts;
- // We return this so that it can be a grid
- return (
- <Fragment>
- {title}
- {inputs}
- </Fragment>
- );
- }
- /**
- * Displays a button to open a custom modal for sentry apps or ticket integrations
- */
- function renderIntegrationButton() {
- if (!node || !('actionType' in node)) {
- return null;
- }
- if (node.actionType === 'ticket') {
- return (
- <Button
- size="sm"
- icon={<IconSettings size="xs" />}
- onClick={() =>
- openModal(deps => (
- <TicketRuleModal
- {...deps}
- formFields={node.formFields || {}}
- link={node.link!}
- ticketType={node.ticketType!}
- instance={data}
- index={index}
- onSubmitAction={updateParentFromTicketRule}
- organization={organization}
- />
- ))
- }
- >
- {t('Issue Link Settings')}
- </Button>
- );
- }
- if (node.actionType === 'sentryapp' && node.sentryAppInstallationUuid) {
- return (
- <Button
- size="sm"
- icon={<IconSettings size="xs" />}
- disabled={Boolean(data.disabled) || disabled}
- onClick={() => {
- openModal(
- deps => (
- <SentryAppRuleModal
- {...deps}
- sentryAppInstallationUuid={node.sentryAppInstallationUuid!}
- config={node.formFields as SchemaFormConfig}
- appName={node.prompt ?? node.label}
- onSubmitSuccess={updateParentFromSentryAppRule}
- resetValues={data}
- />
- ),
- {closeEvents: 'escape-key'}
- );
- }}
- >
- {t('Settings')}
- </Button>
- );
- }
- return null;
- }
- function conditionallyRenderHelpfulBanner() {
- if (data.id === IssueAlertConditionType.EVENT_FREQUENCY_PERCENT) {
- if (!project.platform || !releaseHealth.includes(project.platform)) {
- return (
- <MarginlessAlert type="error">
- {tct(
- "This project doesn't support sessions. [link:View supported platforms]",
- {
- link: (
- <ExternalLink href="https://docs.sentry.io/product/releases/setup/#release-health" />
- ),
- }
- )}
- </MarginlessAlert>
- );
- }
- return (
- <MarginlessAlert type="warning">
- {tct(
- 'Percent of sessions affected is approximated by the ratio of the issue frequency to the number of sessions in the project. [link:Learn more.]',
- {
- link: (
- <ExternalLink href="https://docs.sentry.io/product/alerts/create-alerts/issue-alert-config/" />
- ),
- }
- )}
- </MarginlessAlert>
- );
- }
- if (data.id === IssueAlertActionType.SLACK) {
- return (
- <MarginlessAlert
- type="info"
- showIcon
- trailingItems={
- <Button
- href="https://docs.sentry.io/product/integrations/notification-incidents/slack/#rate-limiting-error"
- external
- size="xs"
- >
- {t('Learn More')}
- </Button>
- }
- >
- {t('Having rate limiting problems? Enter a channel or user ID.')}
- </MarginlessAlert>
- );
- }
- if (data.id === IssueAlertActionType.DISCORD) {
- return (
- <MarginlessAlert
- type="info"
- showIcon
- trailingItems={
- <Button
- href="https://docs.sentry.io/product/accounts/early-adopter-features/discord/#issue-alerts"
- external
- size="xs"
- >
- {t('Learn More')}
- </Button>
- }
- >
- {t('Note that you must enter a Discord channel ID, not a channel name.')}
- </MarginlessAlert>
- );
- }
- if (
- data.id === IssueAlertActionType.NOTIFY_EMAIL &&
- data.targetType === MailActionTargetType.ISSUE_OWNERS &&
- !organization.features.includes('issue-alert-fallback-targeting')
- ) {
- return (
- <MarginlessAlert type="warning">
- {!ownership
- ? tct(
- 'If there are no matching [issueOwners], ownership is determined by the [ownershipSettings].',
- {
- issueOwners: (
- <ExternalLink href="https://docs.sentry.io/product/error-monitoring/issue-owners/">
- {t('issue owners')}
- </ExternalLink>
- ),
- ownershipSettings: (
- <ExternalLink
- href={`/settings/${organization.slug}/projects/${project.slug}/ownership/`}
- >
- {t('ownership settings')}
- </ExternalLink>
- ),
- }
- )
- : ownership.fallthrough
- ? tct(
- 'If there are no matching [issueOwners], all project members will receive this alert. To change this behavior, see [ownershipSettings].',
- {
- issueOwners: (
- <ExternalLink href="https://docs.sentry.io/product/error-monitoring/issue-owners/">
- {t('issue owners')}
- </ExternalLink>
- ),
- ownershipSettings: (
- <ExternalLink
- href={`/settings/${organization.slug}/projects/${project.slug}/ownership/`}
- >
- {t('ownership settings')}
- </ExternalLink>
- ),
- }
- )
- : tct(
- 'If there are no matching [issueOwners], this action will have no effect. To change this behavior, see [ownershipSettings].',
- {
- issueOwners: (
- <ExternalLink href="https://docs.sentry.io/product/error-monitoring/issue-owners/">
- {t('issue owners')}
- </ExternalLink>
- ),
- ownershipSettings: (
- <ExternalLink
- href={`/settings/${organization.slug}/projects/${project.slug}/ownership/`}
- >
- {t('ownership settings')}
- </ExternalLink>
- ),
- }
- )}
- </MarginlessAlert>
- );
- }
- return null;
- }
- function renderIncompatibleRuleBanner() {
- if (!incompatibleBanner) {
- return null;
- }
- return (
- <MarginlessAlert type="error" showIcon>
- {t(
- 'The conditions highlighted in red are in conflict. They may prevent the alert from ever being triggered.'
- )}
- </MarginlessAlert>
- );
- }
- /**
- * Update all the AlertRuleAction's fields from the TicketRuleModal together
- * only after the user clicks "Apply Changes".
- * @param formData Form data
- * @param fetchedFieldOptionsCache Object
- */
- const updateParentFromTicketRule = useCallback(
- (
- formData: Record<string, string>,
- fetchedFieldOptionsCache: Record<string, Choices>
- ): void => {
- // We only know the choices after the form loads.
- formData.dynamic_form_fields = ((formData.dynamic_form_fields as any) || []).map(
- (field: any) => {
- // Overwrite the choices because the user's pick is in this list.
- if (
- field.name in formData &&
- fetchedFieldOptionsCache?.hasOwnProperty(field.name)
- ) {
- field.choices = fetchedFieldOptionsCache[field.name];
- }
- return field;
- }
- );
- for (const [name, value] of Object.entries(formData)) {
- onPropertyChange(index, name, value);
- }
- },
- [index, onPropertyChange]
- );
- /**
- * Update all the AlertRuleAction's fields from the SentryAppRuleModal together
- * only after the user clicks "Save Changes".
- * @param formData Form data
- */
- const updateParentFromSentryAppRule = useCallback(
- (formData: Record<string, string>): void => {
- for (const [name, value] of Object.entries(formData)) {
- onPropertyChange(index, name, value);
- }
- },
- [index, onPropertyChange]
- );
- return (
- <RuleRowContainer incompatible={incompatibleRule}>
- <RuleRow>
- <Rule>
- <input type="hidden" name="id" value={data.id} />
- {renderRow()}
- {renderIntegrationButton()}
- </Rule>
- <DeleteButton
- disabled={disabled}
- aria-label={t('Delete Node')}
- onClick={handleDelete}
- size="sm"
- icon={<IconDelete />}
- />
- </RuleRow>
- {renderIncompatibleRuleBanner()}
- {conditionallyRenderHelpfulBanner()}
- </RuleRowContainer>
- );
- }
- export default RuleNode;
- const InlineInput = styled(Input)`
- width: auto;
- height: 28px;
- min-height: 28px;
- `;
- const InlineNumberInput = styled(NumberInput)`
- width: 90px;
- height: 28px;
- min-height: 28px;
- `;
- const InlineSelectControl = styled(SelectControl)`
- width: 180px;
- `;
- const Separator = styled('span')`
- margin-right: ${space(1)};
- padding-top: ${space(0.5)};
- padding-bottom: ${space(0.5)};
- `;
- const RuleRow = styled('div')`
- display: flex;
- align-items: center;
- padding: ${space(1)};
- `;
- const RuleRowContainer = styled('div')<{incompatible?: boolean}>`
- background-color: ${p => p.theme.backgroundSecondary};
- border-radius: ${p => p.theme.borderRadius};
- border: 1px ${p => p.theme.innerBorder} solid;
- border-color: ${p => (p.incompatible ? p.theme.red200 : 'none')};
- `;
- const Rule = styled('div')`
- display: flex;
- align-items: center;
- flex: 1;
- flex-wrap: wrap;
- `;
- const DeleteButton = styled(Button)`
- flex-shrink: 0;
- `;
- const MarginlessAlert = styled(Alert)`
- border-top-left-radius: 0;
- border-top-right-radius: 0;
- border-width: 0;
- border-top: 1px ${p => p.theme.innerBorder} solid;
- margin: 0;
- padding: ${space(1)} ${space(1)};
- `;
|