123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332 |
- import {Component} from 'react';
- import {RouteComponentProps} from 'react-router';
- import styled from '@emotion/styled';
- import isEmpty from 'lodash/isEmpty';
- import uniq from 'lodash/uniq';
- import {addErrorMessage, addMessage} from 'sentry/actionCreators/indicator';
- import DeprecatedAsyncComponent from 'sentry/components/deprecatedAsyncComponent';
- import * as Layout from 'sentry/components/layouts/thirds';
- import Link from 'sentry/components/links/link';
- import PageFiltersContainer from 'sentry/components/organizations/pageFilters/container';
- import Pagination from 'sentry/components/pagination';
- import PanelTable from 'sentry/components/panels/panelTable';
- import SentryDocumentTitle from 'sentry/components/sentryDocumentTitle';
- import {IconArrow} from 'sentry/icons';
- import {t} from 'sentry/locale';
- import {Organization, PageFilters, Project} from 'sentry/types';
- import {defined} from 'sentry/utils';
- import {trackAnalytics} from 'sentry/utils/analytics';
- import {VisuallyCompleteWithData} from 'sentry/utils/performanceForSentry';
- import Projects from 'sentry/utils/projects';
- import Teams from 'sentry/utils/teams';
- import withPageFilters from 'sentry/utils/withPageFilters';
- import FilterBar from '../../filterBar';
- import {AlertRuleType, CombinedMetricIssueAlerts} from '../../types';
- import {getTeamParams, isIssueAlert} from '../../utils';
- import AlertHeader from '../header';
- import RuleListRow from './row';
- type Props = RouteComponentProps<{}, {}> & {
- organization: Organization;
- selection: PageFilters;
- };
- type State = {
- ruleList?: Array<CombinedMetricIssueAlerts | null> | null;
- teamFilterSearch?: string;
- };
- class AlertRulesList extends DeprecatedAsyncComponent<
- Props,
- State & DeprecatedAsyncComponent['state']
- > {
- getEndpoints(): ReturnType<DeprecatedAsyncComponent['getEndpoints']> {
- const {organization, location} = this.props;
- const {query} = location;
- query.expand = ['latestIncident', 'lastTriggered'];
- query.team = getTeamParams(query.team);
- if (!query.sort) {
- query.sort = ['incident_status', 'date_triggered'];
- }
- return [
- [
- 'ruleList',
- `/organizations/${organization.slug}/combined-rules/`,
- {
- query,
- },
- ],
- ];
- }
- handleChangeFilter = (activeFilters: string[]) => {
- const {router, location} = this.props;
- const {cursor: _cursor, page: _page, ...currentQuery} = location.query;
- router.push({
- pathname: location.pathname,
- query: {
- ...currentQuery,
- team: activeFilters.length > 0 ? activeFilters : '',
- },
- });
- };
- handleChangeSearch = (name: string) => {
- const {router, location} = this.props;
- const {cursor: _cursor, page: _page, ...currentQuery} = location.query;
- router.push({
- pathname: location.pathname,
- query: {
- ...currentQuery,
- name,
- },
- });
- };
- handleOwnerChange = (
- projectId: string,
- rule: CombinedMetricIssueAlerts,
- ownerValue: string
- ) => {
- const {organization} = this.props;
- const endpoint =
- rule.type === 'alert_rule'
- ? `/organizations/${organization.slug}/alert-rules/${rule.id}`
- : `/projects/${organization.slug}/${projectId}/rules/${rule.id}/`;
- const updatedRule = {...rule, owner: ownerValue};
- this.api.request(endpoint, {
- method: 'PUT',
- data: updatedRule,
- success: () => {
- addMessage(t('Updated alert rule'), 'success');
- },
- error: () => {
- addMessage(t('Unable to save change'), 'error');
- },
- });
- };
- handleDeleteRule = async (projectId: string, rule: CombinedMetricIssueAlerts) => {
- const {organization} = this.props;
- try {
- await this.api.requestPromise(
- isIssueAlert(rule)
- ? `/projects/${organization.slug}/${projectId}/rules/${rule.id}/`
- : `/organizations/${organization.slug}/alert-rules/${rule.id}/`,
- {
- method: 'DELETE',
- }
- );
- this.reloadData();
- } catch (_err) {
- addErrorMessage(t('Error deleting rule'));
- }
- };
- renderLoading() {
- return this.renderBody();
- }
- renderList() {
- const {location, organization, router} = this.props;
- const {loading, ruleListPageLinks} = this.state;
- const {query} = location;
- const hasEditAccess = organization.access.includes('alerts:write');
- const ruleList = (this.state.ruleList ?? []).filter(defined);
- const projectsFromResults = uniq(ruleList.flatMap(({projects}) => projects));
- const sort: {
- asc: boolean;
- field: 'date_added' | 'name' | ['incident_status', 'date_triggered'];
- } = {
- asc: query.asc === '1',
- field: query.sort || 'date_added',
- };
- const {cursor: _cursor, page: _page, ...currentQuery} = query;
- const isAlertRuleSort =
- sort.field.includes('incident_status') || sort.field.includes('date_triggered');
- const sortArrow = (
- <IconArrow color="gray300" size="xs" direction={sort.asc ? 'up' : 'down'} />
- );
- return (
- <Layout.Body>
- <Layout.Main fullWidth>
- <FilterBar
- location={location}
- onChangeFilter={this.handleChangeFilter}
- onChangeSearch={this.handleChangeSearch}
- />
- <Teams provideUserTeams>
- {({initiallyLoaded: loadedTeams, teams}) => (
- <StyledPanelTable
- headers={[
- <StyledSortLink
- key="name"
- role="columnheader"
- aria-sort={
- sort.field !== 'name'
- ? 'none'
- : sort.asc
- ? 'ascending'
- : 'descending'
- }
- to={{
- pathname: location.pathname,
- query: {
- ...currentQuery,
- // sort by name should start by ascending on first click
- asc: sort.field === 'name' && sort.asc ? undefined : '1',
- sort: 'name',
- },
- }}
- >
- {t('Alert Rule')} {sort.field === 'name' && sortArrow}
- </StyledSortLink>,
- <StyledSortLink
- key="status"
- role="columnheader"
- aria-sort={
- !isAlertRuleSort ? 'none' : sort.asc ? 'ascending' : 'descending'
- }
- to={{
- pathname: location.pathname,
- query: {
- ...currentQuery,
- asc: isAlertRuleSort && !sort.asc ? '1' : undefined,
- sort: ['incident_status', 'date_triggered'],
- },
- }}
- >
- {t('Status')} {isAlertRuleSort && sortArrow}
- </StyledSortLink>,
- t('Project'),
- t('Team'),
- t('Actions'),
- ]}
- isLoading={loading || !loadedTeams}
- isEmpty={ruleList.length === 0}
- emptyMessage={t('No alert rules found for the current query.')}
- >
- <VisuallyCompleteWithData
- id="AlertRules-Body"
- hasData={loadedTeams && !isEmpty(ruleList)}
- >
- <Projects orgId={organization.slug} slugs={projectsFromResults}>
- {({initiallyLoaded, projects}) =>
- ruleList.map(rule => (
- <RuleListRow
- // Metric and issue alerts can have the same id
- key={`${
- isIssueAlert(rule)
- ? AlertRuleType.METRIC
- : AlertRuleType.ISSUE
- }-${rule.id}`}
- projectsLoaded={initiallyLoaded}
- projects={projects as Project[]}
- rule={rule}
- orgId={organization.slug}
- onOwnerChange={this.handleOwnerChange}
- onDelete={this.handleDeleteRule}
- userTeams={new Set(teams.map(team => team.id))}
- hasEditAccess={hasEditAccess}
- />
- ))
- }
- </Projects>
- </VisuallyCompleteWithData>
- </StyledPanelTable>
- )}
- </Teams>
- <Pagination
- pageLinks={ruleListPageLinks}
- onCursor={(cursor, path, _direction) => {
- let team = currentQuery.team;
- // Keep team parameter, but empty to remove parameters
- if (!team || team.length === 0) {
- team = '';
- }
- router.push({
- pathname: path,
- query: {...currentQuery, team, cursor},
- });
- }}
- />
- </Layout.Main>
- </Layout.Body>
- );
- }
- renderBody() {
- const {organization, router} = this.props;
- return (
- <SentryDocumentTitle title={t('Alerts')} orgSlug={organization.slug}>
- <PageFiltersContainer>
- <AlertHeader router={router} activeTab="rules" />
- {this.renderList()}
- </PageFiltersContainer>
- </SentryDocumentTitle>
- );
- }
- }
- class AlertRulesListContainer extends Component<Props> {
- componentDidMount() {
- this.trackView();
- }
- componentDidUpdate(prevProps: Props) {
- const {location} = this.props;
- if (prevProps.location.query?.sort !== location.query?.sort) {
- this.trackView();
- }
- }
- trackView() {
- const {organization, location} = this.props;
- trackAnalytics('alert_rules.viewed', {
- organization,
- sort: Array.isArray(location.query.sort)
- ? location.query.sort.join(',')
- : location.query.sort,
- });
- }
- render() {
- return <AlertRulesList {...this.props} />;
- }
- }
- export default withPageFilters(AlertRulesListContainer);
- const StyledSortLink = styled(Link)`
- color: inherit;
- :hover {
- color: inherit;
- }
- `;
- const StyledPanelTable = styled(PanelTable)`
- position: static;
- overflow: auto;
- @media (min-width: ${p => p.theme.breakpoints.small}) {
- overflow: initial;
- }
- grid-template-columns: 4fr auto 140px 60px auto;
- white-space: nowrap;
- font-size: ${p => p.theme.fontSizeMedium};
- `;
|