Skip to content

Commit

Permalink
[Related alerts] Add related alerts for all the observability rules (e…
Browse files Browse the repository at this point in the history
…lastic#195592)

Closes elastic#193942
Closes elastic#193952

## Summary

This PR adds related alert logic for all the observability rules, as
mentioned in elastic#193942. Also, it adds a beta badge for this new tab.


![image](https://github.com/user-attachments/assets/43f7cf6a-670f-4a85-a11c-769d2b2f9625)
  • Loading branch information
maryam-saeidi authored Oct 15, 2024
1 parent dbde89f commit b4c3ab5
Show file tree
Hide file tree
Showing 12 changed files with 294 additions and 64 deletions.
Original file line number Diff line number Diff line change
Expand Up @@ -5,44 +5,114 @@
* 2.0.
*/

import { getRelatedAlertKuery } from './get_related_alerts_query';
import {
getRelatedAlertKuery,
SERVICE_NAME,
MONITOR_ID,
OBSERVER_NAME,
HOST,
KUBERNETES_POD,
DOCKER_CONTAINER,
EC2_INSTANCE,
S3_BUCKETS,
RDS_DATABASES,
SQS_QUEUES,
} from './get_related_alerts_query';
import { fromKueryExpression } from '@kbn/es-query';

describe('getRelatedAlertKuery', () => {
const tags = ['tag1:v', 'tag2'];
const tags = ['tag1:v', 'tag2', 'apm'];
const groups = [
{ field: 'group1Field', value: 'group1Value' },
{ field: 'group2Field', value: 'group2:Value' },
];
const ruleId = 'ruleUuid';
const sharedFields = [
{ name: SERVICE_NAME, value: `my-${SERVICE_NAME}` },
{ name: MONITOR_ID, value: `my-${MONITOR_ID}` },
{ name: OBSERVER_NAME, value: `my-${OBSERVER_NAME}` },
{ name: HOST, value: `my-${HOST}` },
{ name: KUBERNETES_POD, value: `my-${KUBERNETES_POD}` },
{ name: DOCKER_CONTAINER, value: `my-${DOCKER_CONTAINER}` },
{ name: EC2_INSTANCE, value: `my-${EC2_INSTANCE}` },
{ name: S3_BUCKETS, value: `my-${S3_BUCKETS}` },
{ name: RDS_DATABASES, value: `my-${RDS_DATABASES}` },
{ name: SQS_QUEUES, value: `my-${SQS_QUEUES}` },
];
const tagsKuery = '(tags: "tag1:v" or tags: "tag2")';
const groupsKuery =
'(group1Field: "group1Value" or kibana.alert.group.value: "group1Value") or (group2Field: "group2:Value" or kibana.alert.group.value: "group2:Value")';
const ruleKuery = '(kibana.alert.rule.uuid: "ruleUuid")';
const sharedFieldsKuery =
`(service.name: "my-service.name") or (monitor.id: "my-monitor.id") or (observer.name: "my-observer.name")` +
` or (host.name: "my-host.name") or (kubernetes.pod.uid: "my-kubernetes.pod.uid") or (container.id: "my-container.id")` +
` or (cloud.instance.id: "my-cloud.instance.id") or (aws.s3.bucket.name: "my-aws.s3.bucket.name")` +
` or (aws.rds.db_instance.arn: "my-aws.rds.db_instance.arn") or (aws.sqs.queue.name: "my-aws.sqs.queue.name")`;

it('should generate correct query with no tags or groups', () => {
expect(getRelatedAlertKuery()).toBeUndefined();
});

it('should generate correct query for tags', () => {
const kuery = getRelatedAlertKuery(tags);
const kuery = getRelatedAlertKuery({ tags });
expect(kuery).toEqual(tagsKuery);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});

it('should generate correct query for groups', () => {
const kuery = getRelatedAlertKuery(undefined, groups);
const kuery = getRelatedAlertKuery({ groups });
expect(kuery).toEqual(groupsKuery);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});

it('should generate correct query for tags and groups', () => {
const kuery = getRelatedAlertKuery(tags, groups);
const kuery = getRelatedAlertKuery({ tags, groups });
expect(kuery).toEqual(`${tagsKuery} or ${groupsKuery}`);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});

it('should generate correct query for tags, groups and ruleId', () => {
const kuery = getRelatedAlertKuery({ tags, groups, ruleId });
expect(kuery).toEqual(`${tagsKuery} or ${groupsKuery} or ${ruleKuery}`);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});

it('should generate correct query for sharedFields', () => {
const kuery = getRelatedAlertKuery({ sharedFields });
expect(kuery).toEqual(sharedFieldsKuery);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});

it('should generate correct query when all the fields are provided', () => {
const kuery = getRelatedAlertKuery({ tags, groups, ruleId, sharedFields });
expect(kuery).toEqual(`${tagsKuery} or ${groupsKuery} or ${sharedFieldsKuery} or ${ruleKuery}`);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});

it('should not include service.name twice', () => {
const serviceNameGroups = [{ field: 'service.name', value: 'myServiceName' }];
const serviceNameSharedFields = [{ name: SERVICE_NAME, value: `my-${SERVICE_NAME}` }];
const kuery = getRelatedAlertKuery({
groups: serviceNameGroups,
sharedFields: serviceNameSharedFields,
});
expect(kuery).toEqual(
`(service.name: "myServiceName" or kibana.alert.group.value: "myServiceName")`
);

// Should be able to parse keury without throwing error
fromKueryExpression(kuery!);
});
});
Original file line number Diff line number Diff line change
Expand Up @@ -5,28 +5,102 @@
* 2.0.
*/

import { ALERT_RULE_UUID } from '@kbn/rule-data-utils';
import type { Group } from '../../typings';

export interface Query {
query: string;
language: string;
}
export interface Field {
name: string;
value: string;
}
interface Props {
tags?: string[];
groups?: Group[];
ruleId?: string;
sharedFields?: Field[];
}

// APM rules
export const SERVICE_NAME = 'service.name';
// Synthetics rules
export const MONITOR_ID = 'monitor.id';
// - location
export const OBSERVER_NAME = 'observer.name';
// Inventory rule
export const HOST = 'host.name';
export const KUBERNETES_POD = 'kubernetes.pod.uid';
export const DOCKER_CONTAINER = 'container.id';
export const EC2_INSTANCE = 'cloud.instance.id';
export const S3_BUCKETS = 'aws.s3.bucket.name';
export const RDS_DATABASES = 'aws.rds.db_instance.arn';
export const SQS_QUEUES = 'aws.sqs.queue.name';

const ALL_SHARED_FIELDS = [
SERVICE_NAME,
MONITOR_ID,
OBSERVER_NAME,
HOST,
KUBERNETES_POD,
DOCKER_CONTAINER,
EC2_INSTANCE,
S3_BUCKETS,
RDS_DATABASES,
SQS_QUEUES,
];

interface AlertFields {
[key: string]: any;
}

export const getSharedFields = (alertFields: AlertFields = {}) => {
const matchedFields: Field[] = [];
ALL_SHARED_FIELDS.forEach((source) => {
Object.keys(alertFields).forEach((field) => {
if (source === field) {
const fieldValue = alertFields[field];
matchedFields.push({
name: source,
value: Array.isArray(fieldValue) ? fieldValue[0] : fieldValue,
});
}
});
});

return matchedFields;
};

const EXCLUDE_TAGS = ['apm'];

export const getRelatedAlertKuery = (tags?: string[], groups?: Group[]): string | undefined => {
const tagKueries: string[] =
tags?.map((tag) => {
return `tags: "${tag}"`;
}) ?? [];
export const getRelatedAlertKuery = ({ tags, groups, ruleId, sharedFields }: Props = {}):
| string
| undefined => {
const tagKueries =
tags
?.filter((tag) => !EXCLUDE_TAGS.includes(tag))
.map((tag) => {
return `tags: "${tag}"`;
}) ?? [];
const groupKueries =
(groups &&
groups.map(({ field, value }) => {
return `(${field}: "${value}" or kibana.alert.group.value: "${value}")`;
})) ??
[];
const ruleKueries = (ruleId && [`(${ALERT_RULE_UUID}: "${ruleId}")`]) ?? [];
const groupFields = groups?.map((group) => group.field) ?? [];
const sharedFieldsKueries =
sharedFields
?.filter((field) => !groupFields.includes(field.name))
.map((field) => {
return `(${field.name}: "${field.value}")`;
}) ?? [];

const tagKueriesStr = tagKueries.length > 0 ? [`(${tagKueries.join(' or ')})`] : [];
const groupKueriesStr = groupKueries.length > 0 ? [`${groupKueries.join(' or ')}`] : [];
const kueries = [...tagKueriesStr, ...groupKueriesStr];
const kueries = [...tagKueriesStr, ...groupKueriesStr, ...sharedFieldsKueries, ...ruleKueries];

return kueries.length ? kueries.join(' or ') : undefined;
};
Original file line number Diff line number Diff line change
@@ -0,0 +1,14 @@
/*
* Copyright Elasticsearch B.V. and/or licensed to Elasticsearch B.V. under one
* or more contributor license agreements. Licensed under the Elastic License
* 2.0; you may not use this file except in compliance with the Elastic License
* 2.0.
*/

import { ALERT_GROUP, TAGS } from '@kbn/rule-data-utils';
import { Group } from '../../typings';

export interface ObservabilityFields {
[ALERT_GROUP]?: Group[];
[TAGS]?: string[];
}
Original file line number Diff line number Diff line change
Expand Up @@ -34,7 +34,8 @@ export const getAlertsPageTableConfiguration = (
config: ConfigSchema,
dataViews: DataViewsServicePublic,
http: HttpSetup,
notifications: NotificationsStart
notifications: NotificationsStart,
id?: string
): AlertsTableConfigurationRegistry => {
const renderCustomActionsRow = (props: RenderCustomActionsRowArgs) => {
return (
Expand All @@ -46,7 +47,7 @@ export const getAlertsPageTableConfiguration = (
);
};
return {
id: ALERTS_PAGE_ALERTS_TABLE_CONFIG_ID,
id: id ?? ALERTS_PAGE_ALERTS_TABLE_CONFIG_ID,
cases: { featureId: casesFeatureId, owner: [observabilityFeatureId] },
columns: getColumns({ showRuleName: true }),
getRenderCellValue,
Expand All @@ -66,7 +67,7 @@ export const getAlertsPageTableConfiguration = (
},
ruleTypeIds: observabilityRuleTypeRegistry.list(),
usePersistentControls: getPersistentControlsHook({
groupingId: ALERTS_PAGE_ALERTS_TABLE_CONFIG_ID,
groupingId: id ?? ALERTS_PAGE_ALERTS_TABLE_CONFIG_ID,
featureIds: observabilityAlertFeatureIds,
services: {
dataViews,
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -9,6 +9,7 @@ import { AlertTableConfigRegistry } from '@kbn/triggers-actions-ui-plugin/public
import type { DataViewsServicePublic } from '@kbn/data-views-plugin/public/types';
import { HttpSetup } from '@kbn/core-http-browser';
import { NotificationsStart } from '@kbn/core-notifications-browser';
import { RELATED_ALERTS_TABLE_CONFIG_ID } from '../../constants';
import type { ConfigSchema } from '../../plugin';
import { ObservabilityRuleTypeRegistry } from '../..';
import { getAlertsPageTableConfiguration } from './alerts/get_alerts_page_table_configuration';
Expand Down Expand Up @@ -41,6 +42,17 @@ export const registerAlertsTableConfiguration = (
);
alertTableConfigRegistry.register(alertsPageAlertsTableConfig);

// Alert details page
const alertDetailsPageAlertsTableConfig = getAlertsPageTableConfiguration(
observabilityRuleTypeRegistry,
config,
dataViews,
http,
notifications,
RELATED_ALERTS_TABLE_CONFIG_ID
);
alertTableConfigRegistry.register(alertDetailsPageAlertsTableConfig);

// Rule details page
const ruleDetailsAlertsTableConfig = getRuleDetailsTableConfiguration(
observabilityRuleTypeRegistry,
Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -76,7 +76,6 @@ jest.mock('../../../../utils/kibana_react', () => ({

describe('AlertDetailsAppSection', () => {
const queryClient = new QueryClient();
const mockedSetRelatedAlertsKuery = jest.fn();

const renderComponent = (
alert: Partial<CustomThresholdAlert> = {},
Expand All @@ -88,7 +87,6 @@ describe('AlertDetailsAppSection', () => {
<AlertDetailsAppSection
alert={buildCustomThresholdAlert(alert, alertFields)}
rule={buildCustomThresholdRule()}
setRelatedAlertsKuery={mockedSetRelatedAlertsKuery}
/>
</QueryClientProvider>
</IntlProvider>
Expand Down Expand Up @@ -118,15 +116,6 @@ describe('AlertDetailsAppSection', () => {
expect(mockedRuleConditionChart.mock.calls[0]).toMatchSnapshot();
});

it('should set relatedAlertsKuery', async () => {
renderComponent();

expect(mockedSetRelatedAlertsKuery).toBeCalledTimes(1);
expect(mockedSetRelatedAlertsKuery).toHaveBeenLastCalledWith(
'(tags: "tag 1" or tags: "tag 2") or (host.name: "host-1" or kibana.alert.group.value: "host-1")'
);
});

it('should render title on condition charts', async () => {
const result = renderComponent();

Expand Down
Original file line number Diff line number Diff line change
Expand Up @@ -33,7 +33,6 @@ import moment from 'moment';
import { LOGS_EXPLORER_LOCATOR_ID, LogsExplorerLocatorParams } from '@kbn/deeplinks-observability';
import { TimeRange } from '@kbn/es-query';
import { getGroupFilters } from '../../../../../common/custom_threshold_rule/helpers/get_group';
import { getRelatedAlertKuery } from '../../../../../common/utils/alerting/get_related_alerts_query';
import { useLicense } from '../../../../hooks/use_license';
import { useKibana } from '../../../../utils/kibana_react';
import { metricValueFormatter } from '../../../../../common/custom_threshold_rule/metric_value_formatter';
Expand All @@ -49,15 +48,10 @@ import { generateChartTitleAndTooltip } from './helpers/generate_chart_title_and
interface AppSectionProps {
alert: CustomThresholdAlert;
rule: CustomThresholdRule;
setRelatedAlertsKuery: React.Dispatch<React.SetStateAction<string | undefined>>;
}

// eslint-disable-next-line import/no-default-export
export default function AlertDetailsAppSection({
alert,
rule,
setRelatedAlertsKuery,
}: AppSectionProps) {
export default function AlertDetailsAppSection({ alert, rule }: AppSectionProps) {
const services = useKibana().services;
const {
charts,
Expand All @@ -79,7 +73,6 @@ export default function AlertDetailsAppSection({
const alertStart = alert.fields[ALERT_START];
const alertEnd = alert.fields[ALERT_END];
const groups = alert.fields[ALERT_GROUP];
const tags = alert.fields.tags;

const chartTitleAndTooltip: Array<{ title: string; tooltip: string }> = [];

Expand Down Expand Up @@ -112,10 +105,6 @@ export default function AlertDetailsAppSection({
const annotations: EventAnnotationConfig[] = [];
annotations.push(alertStartAnnotation, alertRangeAnnotation);

useEffect(() => {
setRelatedAlertsKuery(getRelatedAlertKuery(tags, groups));
}, [groups, setRelatedAlertsKuery, tags]);

useEffect(() => {
setTimeRange(getPaddedAlertTimeRange(alertStart!, alertEnd));
}, [alertStart, alertEnd]);
Expand Down
Loading

0 comments on commit b4c3ab5

Please sign in to comment.