Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

[EuiDatagrid] fix content header styles to ensure text alignment is applied #7720

Merged
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
4 changes: 4 additions & 0 deletions changelogs/upcoming/7720.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
**Bug fixes**

- Fixed missing styles on header cells of `EuiDataGrid` that prevented content text alignment styles to apply

Original file line number Diff line number Diff line change
Expand Up @@ -28,6 +28,10 @@
@include euiDataGridCellFocus;
}

.euiDataGridHeaderCell__content {
flex-grow: 1; // ensures content stretches and allows for manual layout styles to apply
}

// We only truncate if the cell is not a control column.
&:not(.euiDataGridHeaderCell--controlColumn) {
.euiDataGridHeaderCell__button {
Expand All @@ -42,6 +46,8 @@

.euiDataGridHeaderCell__content {
@include euiTextTruncate;

text-align: left; // overwrites inherited 'center' styles from button
}

.euiDataGridHeaderCell__sortingArrow {
Expand Down Expand Up @@ -76,7 +82,6 @@
&.euiDataGridHeaderCell--numeric,
&.euiDataGridHeaderCell--currency {
.euiDataGridHeaderCell__content {
flex-grow: 1;
text-align: right;
}
}
Expand Down
2 changes: 1 addition & 1 deletion src/components/datagrid/controls/data_grid_toolbar.tsx
Original file line number Diff line number Diff line change
Expand Up @@ -18,7 +18,7 @@ import { EuiScreenReaderOnly } from '../../accessibility';
import { IS_JEST_ENVIRONMENT } from '../../../utils';

// When below this number the grid only shows the right control icon buttons
const MINIMUM_WIDTH_FOR_GRID_CONTROLS = 479;
export const MINIMUM_WIDTH_FOR_GRID_CONTROLS = 479;

export const EuiDataGridToolbar = ({
gridWidth,
Expand Down
353 changes: 353 additions & 0 deletions src/components/datagrid/data_grid.stories.tsx
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

me initially seeing the 300+ line diff on this PR: panik
me seeing it's a storybook story: kalm

In all seriousness thanks for going the extra mile to add a storybook for EuiDataGrid! 🙌

Original file line number Diff line number Diff line change
@@ -0,0 +1,353 @@
/*
* 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 and the Server Side Public License, v 1; you may not use this file except
* in compliance with, at your election, the Elastic License 2.0 or the Server
* Side Public License, v 1.
*/

import React, { useCallback, useEffect, useState } from 'react';
import type { Meta, StoryObj } from '@storybook/react';
import { faker } from '@faker-js/faker';

import { enableFunctionToggleControls } from '../../../.storybook/utils';
import { EuiLink } from '../link';
import { EuiScreenReaderOnly } from '../accessibility';
import { EuiButtonIcon } from '../button';

import { DEFAULT_ROW_HEIGHT } from './utils/row_heights';
import { MINIMUM_WIDTH_FOR_GRID_CONTROLS } from './controls/data_grid_toolbar';
import type {
EuiDataGridCellValueElementProps,
EuiDataGridColumnCellActionProps,
EuiDataGridColumnSortingConfig,
EuiDataGridProps,
} from './data_grid_types';
import { EuiDataGrid } from './data_grid';

const dataKeys = [
'name',
'email',
'account',
'location',
'date',
'version',
] as const;
const raw_data = Array.from({ length: 10 }).map(() => {
const email = faker.internet.email();
const name = `${faker.person.lastName()}, ${faker.person.firstName()}`;
const suffix = faker.person.suffix();
return {
name: {
formatted: `${name} ${suffix}`,
raw: name,
},
email: {
formatted: <EuiLink href="">{faker.internet.email()}</EuiLink>,
raw: email,
},
location: (
<>
{`${faker.location.city()}, `}
<EuiLink href="https://google.com">{faker.location.country()}</EuiLink>
</>
),
date: `${faker.date.past()}`,
account: faker.finance.accountNumber(),
version: faker.system.semver(),
};
});

const columns = [
{
id: 'name',
displayAsText: 'Name',
defaultSortDirection: 'asc' as const,
cellActions: [
({ rowIndex, Component }: EuiDataGridColumnCellActionProps) => {
const data = raw_data;
const value = data[rowIndex].name.raw;
return (
<Component
onClick={() => alert(`Hi ${value}`)}
iconType="heart"
aria-label={`Say hi to ${value}!`}
>
Say hi
</Component>
);
},
],
},
{
id: 'email',
displayAsText: 'Email address',
initialWidth: 130,
cellActions: [
({ rowIndex, Component }: EuiDataGridColumnCellActionProps) => {
const data = raw_data;
const value = data[rowIndex].email.raw;
return (
<Component
onClick={() => alert(value)}
iconType="email"
aria-label={`Send email to ${value}`}
>
Send email
</Component>
);
},
],
},
{
id: 'location',
displayAsText: 'Location',
},
{
id: 'account',
displayAsText: 'Account',
actions: {
showHide: { label: 'Custom hide label' },
showMoveLeft: false,
showMoveRight: false,
additional: [
{
label: 'Custom action',
onClick: () => {},
iconType: 'cheer',
size: 'xs' as const,
color: 'text' as const,
},
],
},
cellActions: [
({
rowIndex,
Component,
isExpanded,
}: EuiDataGridColumnCellActionProps) => {
const data = raw_data;
const value = data[rowIndex].account;
const onClick = isExpanded
? () => alert(`Sent money to ${value} when expanded`)
: () => alert(`Sent money to ${value} when not expanded`);
return (
<Component
onClick={onClick}
iconType="faceHappy"
aria-label={`Send money to ${value}`}
>
Send money
</Component>
);
},
],
},
{
id: 'date',
displayAsText: 'Date',
defaultSortDirection: 'desc' as const,
},
{
id: 'version',
displayAsText: 'Version',
defaultSortDirection: 'desc' as const,
initialWidth: 70,
isResizable: false,
actions: false as const,
},
];

const RenderCellValue = ({
rowIndex,
columnId,
}: EuiDataGridCellValueElementProps) => {
const data = raw_data;
const row = data[rowIndex];
const columnName = columnId as (typeof dataKeys)[number];
const column = row[columnName];

const getFormatted = () => {
if (typeof column === 'object') {
const hasFormatted = 'formatted' in column;

return hasFormatted ? column.formatted : column;
}

return typeof column === 'string' ? column : null;
};

return data.hasOwnProperty(rowIndex) ? getFormatted() : null;
};

const meta: Meta<EuiDataGridProps> = {
title: 'Tabular Content/EuiDataGrid',
component: EuiDataGrid,
argTypes: {
width: { control: 'text' },
height: { control: 'text' },
},
args: {
minSizeForControls: MINIMUM_WIDTH_FOR_GRID_CONTROLS,
},
};
enableFunctionToggleControls(meta, ['onColumnResize']);

export default meta;
type Story = StoryObj<EuiDataGridProps>;

export const Playground: Story = {
args: {
columns,
rowCount: 10,
renderCellValue: RenderCellValue,
trailingControlColumns: [
{
id: 'trailing-actions',
width: 40,
headerCellRender: () => (
<EuiScreenReaderOnly>
<span>Trailing actions</span>
</EuiScreenReaderOnly>
),
rowCellRender: () => <EuiButtonIcon iconType="boxesHorizontal" />,
},
],
leadingControlColumns: [
{
id: 'leading-actions',
width: 40,
headerCellRender: () => (
<EuiScreenReaderOnly>
<span>Leading actions</span>
</EuiScreenReaderOnly>
),
rowCellRender: () => <EuiButtonIcon iconType="boxesHorizontal" />,
},
],
// setup for easier testing/QA
columnVisibility: {
visibleColumns: [
'name',
'email',
'account',
'location',
'date',
'amount',
'phone',
'version',
],
setVisibleColumns: () => {},
},
inMemory: { level: 'sorting' },
pagination: {
pageIndex: 0,
pageSize: 10,
pageSizeOptions: [10, 20, 50],
onChangeItemsPerPage: () => {},
onChangePage: () => {},
},
gridStyle: {
fontSize: 'm',
cellPadding: 'm',
border: 'all',
stripes: false,
header: 'shade',
footer: 'overline',
stickyFooter: true,
rowHover: 'highlight',
rowClasses: {},
},
width: '',
height: '',
toolbarVisibility: {
showColumnSelector: true,
showDisplaySelector: true,
showSortSelector: true,
showKeyboardShortcuts: true,
showFullScreenSelector: true,
additionalControls: null,
},
rowHeightsOptions: {
defaultHeight: DEFAULT_ROW_HEIGHT,
rowHeights: {},
lineHeight: undefined,
scrollAnchorRow: undefined,
},
},
render: (args: EuiDataGridProps) => <StatefulDataGrid {...args} />,
};

const StatefulDataGrid = (props: EuiDataGridProps) => {
const { pagination, sorting, columnVisibility, ...rest } = props;

// Pagination
const [_pagination, setPagination] = useState({
pageIndex: pagination?.pageIndex ?? 0,
...pagination,
});
const onChangeItemsPerPage = useCallback(
(pageSize: number) =>
setPagination((pagination) => ({
...pagination,
pageSize,
pageIndex: 0,
})),
[setPagination]
);
const onChangePage = useCallback(
(pageIndex: number) =>
setPagination((pagination) => ({ ...pagination, pageIndex })),
[setPagination]
);

useEffect(() => {
if (pagination) {
setPagination((curentPagination) => ({
...curentPagination,
...pagination,
}));
}
}, [pagination]);

// Sorting
const [sortingColumns, setSortingColumns] = useState<
EuiDataGridColumnSortingConfig[]
>(sorting?.columns ?? []);
const onSort = useCallback(
(sortingColumns: EuiDataGridColumnSortingConfig[]) => {
setSortingColumns(sortingColumns);
},
[setSortingColumns]
);

useEffect(() => {
if (sorting && Array.isArray(sorting.columns)) {
setSortingColumns(sorting.columns);
}
}, [sorting]);

// Column visibility
const [visibleColumns, setVisibleColumns] = useState(
columnVisibility?.visibleColumns ?? columns.map(({ id }) => id) // initialize to the full set of columns
);

useEffect(() => {
if (columnVisibility?.visibleColumns != null) {
setVisibleColumns(columnVisibility?.visibleColumns);
}
}, [columnVisibility]);

return (
<EuiDataGrid
{...rest}
columnVisibility={{ visibleColumns, setVisibleColumns }}
sorting={{ columns: sortingColumns, onSort }}
pagination={{
..._pagination,
onChangeItemsPerPage: onChangeItemsPerPage,
onChangePage: onChangePage,
}}
/>
);
};
Loading