Skip to content

Commit cb09dc1

Browse files
authored
feat: allow to configure date and time format over i18n (#2419)
1 parent e6bfd40 commit cb09dc1

28 files changed

+662
-48
lines changed
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,208 @@
1+
---
2+
id: date-time-formatting
3+
title: Date and time formatting
4+
keywords: [date, time, datetime, timestamp, format, formatting]
5+
---
6+
7+
In this guide we will learn how date and time formatting can be customized within SDK's components.
8+
9+
## SDK components displaying date & time
10+
11+
The following components provided by the SDK display datetime:
12+
13+
- `DateSeparator`- component separating groups of messages in message lists
14+
- `EventComponent` - component that renders system messages (`message.type === 'system'`)
15+
- `Timestamp` - component to display non-system message timestamp
16+
17+
## Format customization
18+
19+
The datetime format customization can be done on multiple levels:
20+
21+
1. Override the default component prop values
22+
2. Supply custom formatting function
23+
3. Format date via i18n
24+
25+
### Override the component props defaults
26+
27+
All the mentioned components accept timestamp formatter props:
28+
29+
```ts
30+
export type TimestampFormatterOptions = {
31+
/* If true, call the `Day.js` calendar function to get the date string to display (e.g. "Yesterday at 3:58 PM"). */
32+
calendar?: boolean | null;
33+
/* Object specifying date display formats for dates formatted with calendar extension. Active only if calendar prop enabled. */
34+
calendarFormats?: Record<string, string> | null;
35+
/* Overrides the default timestamp format if calendar is disabled. */
36+
format?: string | null;
37+
};
38+
```
39+
40+
If calendar formatting is enabled, the dates are formatted with time-relative words ("yesterday at ...", "last ..."). The calendar strings can be further customized with `calendarFormats` object. The `calendarFormats` object has to cover all the formatting cases as shows the example below:
41+
42+
```
43+
{
44+
lastDay: '[gestern um] LT',
45+
lastWeek: '[letzten] dddd [um] LT',
46+
nextDay: '[morgen um] LT',
47+
nextWeek: 'dddd [um] LT',
48+
sameDay: '[heute um] LT',
49+
sameElse: 'L',
50+
}
51+
```
52+
53+
:::important
54+
If any of the `calendarFormats` keys are missing, then the underlying library will fall back to hard-coded english equivalents
55+
:::
56+
57+
If `calendar` formatting is enabled, the `format` prop would be ignored. So to apply the `format` string, the `calendar` has to be disabled (applies to `DateSeparator` and `MessageTimestamp`.
58+
59+
All the components can be overridden through `Channel` component context:
60+
61+
```tsx
62+
import {
63+
Channel,
64+
DateSeparatorProps,
65+
DateSeparator,
66+
EventComponentProps,
67+
EventComponent,
68+
MessageTimestampProps,
69+
MessageTimestamp,
70+
} from 'stream-chat-react';
71+
72+
const CustomDateSeparator = (props: DateSeparatorProps) => (
73+
<DateSeparator {...props} calendar={false} format={'YYYY'} /> // calendar is enabled by default
74+
);
75+
76+
const CustomSystemMessage = (props: EventComponentProps) => (
77+
<EventComponent {...props} format={'YYYY'} /> // calendar is disabled by default
78+
);
79+
80+
const CustomMessageTimestamp = (props: MessageTimestampProps) => (
81+
<MessageTimestamp {...props} calendar={false} format={'YYYY-MM-DDTHH:mm:ss'} /> // calendar is enabled by default
82+
);
83+
84+
<Channel
85+
DateSeparator={CustomDateSeparator}
86+
MessageSystem={SystemMessage}
87+
MessageTimestamp={CustomMessageTimestamp}
88+
>
89+
...
90+
</Channel>;
91+
```
92+
93+
### Custom formatting function
94+
95+
Custom formatting function can be passed to `MessageList` or `VirtualizedMessageList` via prop `formatDate` (`(date: Date) => string;`). The `Message` component passes down the function to be consumed by the children via `MessageComponentContext`:
96+
97+
```jsx
98+
import { useMessageContext } from 'stream-chat-react';
99+
const CustomComponent = () => {
100+
const { formatDate } = useMessageContext();
101+
};
102+
```
103+
104+
By default, the function is consumed by the `MessageTimestamp` component. This means the formatting via `formatDate` is reduced only to timestamp shown by a message in the message list. Components `DateSeparator`, `EventComponent` would ignore the custom formatting.
105+
106+
### Date & time formatting with i18n service
107+
108+
Until now, the datetime values could be customized within the `Channel` component at best. Formatting via i18n service allows for SDK wide configuration. The configuration is stored with other translations in JSON files. Formatting with i18n service has the following advantages:
109+
110+
- it is centralized
111+
- it takes into consideration the locale out of the box
112+
- allows for high granularity - formatting per string, not component (opposed to props approach)
113+
- allows for high re-usability - apply the same configuration in multiple places via the same translation key
114+
- allows for custom formatting logic
115+
116+
#### Change the default configuration
117+
118+
The default datetime formatting configuration is stored in the JSON translation files. The default translation keys are namespaced with prefix `timestamp/` followed by the component name. For example, the message date formatting can be targeted via `timestamp/MessageTimestamp`, because the underlying component is called `MessageTimestamp`.
119+
120+
##### Overriding the prop defaults
121+
122+
The default date and time rendering components in the SDK were created with default prop values that override the configuration parameters provided over JSON translations. Therefore, if we wanted to configure the formatting from JSON translation files, we need to nullify the prop defaults first. An example follows:
123+
124+
```tsx
125+
import {
126+
DateSeparatorProps,
127+
DateSeparator,
128+
EventComponentProps,
129+
EventComponent,
130+
MessageTimestampProps,
131+
MessageTimestamp,
132+
} from 'stream-chat-react';
133+
134+
const CustomDateSeparator = (props: DateSeparatorProps) => (
135+
<DateSeparator {...props} calendar={null} /> // calendarFormats, neither format have default value
136+
);
137+
138+
const SystemMessage = (props: EventComponentProps) => (
139+
<EventComponent {...props} format={null} /> // calendar neither calendarFormats have default value
140+
);
141+
142+
const CustomMessageTimestamp = (props: MessageTimestampProps) => (
143+
<MessageTimestamp {...props} calendar={null} format={null} /> // calendarFormats do not have default value
144+
);
145+
```
146+
147+
Now we can apply custom configuration in all the translation JSON files. It could look similar to the following key-value pair example.
148+
149+
```json
150+
{
151+
"timestamp/SystemMessage": "{{ timestamp | timestampFormatter(format: YYYY) }}"
152+
}
153+
```
154+
155+
Besides overriding the formatting parameters above, we can customize the translation key via `timestampTranslationKey` prop in all of the above mentioned components (`DateSeparator`, `EventComponent`, `MessageTimestamp`).
156+
157+
```tsx
158+
import { MessageTimestampProps, MessageTimestamp } from 'stream-chat-react';
159+
160+
const CustomMessageTimestamp = (props: MessageTimestampProps) => (
161+
<MessageTimestamp {...props} timestampTranslationKey='customTimestampTranslationKey' />
162+
);
163+
```
164+
165+
##### Understanding the formatting syntax
166+
167+
Once the default prop values are nullified, we override the default formatting rules in the JSON translation value. We can take a look at an example of German translation for SystemMessage:
168+
169+
```
170+
"timestamp/SystemMessage": "{{ timestamp | timestampFormatter(calendar: true; calendarFormats: {\"lastDay\": \"[gestern um] LT\", \"lastWeek\": \"[letzten] dddd [um] LT\", \"nextDay\": \"[morgen um] LT\", \"nextWeek\": \"dddd [um] LT\", \"sameDay\": \"[heute um] LT\", \"sameElse\": \"L\"}) }}",
171+
```
172+
173+
Let's dissect the example:
174+
175+
- The curly brackets (`{{`, `}}`) indicate the place where a value will be interpolated (inserted) into the string.
176+
- variable `timestamp` is the name of variable which value will be inserted into the string
177+
- value separator `|` signals the separation between the interpolated value and the formatting function name
178+
- `timestampFormatter` is the name of the formatting function that is used to convert the `timestamp` value into desired format
179+
- the `timestampFormatter` can be passed the same parameters as the React components (`calendar`, `calendarFormats`, `format`) as if the function was called with these values. The values can be simple scalar values as well as objects (note `calendarFormats` should be an object)
180+
181+
:::note
182+
The described rules follow the formatting rules required by the i18n library used under the hood - `i18next`. You can learn more about the rules in [the formatting section of the `i18next` documentation](https://www.i18next.com/translation-function/formatting#basic-usage).
183+
:::
184+
185+
#### Custom datetime formatter functions
186+
187+
Besides overriding the configuration parameters, we can override the default `timestampFormatter` function by providing custom `Streami18n` instance:
188+
189+
```tsx
190+
import { Chat, Streami18n, useCreateChatClient } from 'stream-chat-react';
191+
192+
const i18n = new Streami18n({
193+
formatters: {
194+
timestampFormatter: () => (val: string | Date) => {
195+
return new Date(val).getTime() + '';
196+
},
197+
},
198+
});
199+
200+
export const ChatApp = ({ apiKey, userId, userToken }) => {
201+
const chatClient = useCreateChatClient({
202+
apiKey,
203+
tokenOrProvider: userToken,
204+
userData: { id: userId },
205+
});
206+
return <Chat client={chatClient} i18nInstance={i18n}></Chat>;
207+
};
208+
```

docusaurus/sidebars-react.json

+2-1
Original file line numberDiff line numberDiff line change
@@ -140,7 +140,8 @@
140140
"guides/typescript_and_generics",
141141
"guides/channel_read_state",
142142
"guides/video-integration/video-integration-stream",
143-
"guides/sdk-state-management"
143+
"guides/sdk-state-management",
144+
"guides/date-time-formatting"
144145
]
145146
},
146147
{ "Release Guides": ["release-guides/upgrade-to-v10", "release-guides/upgrade-to-v11"] },

src/components/DateSeparator/DateSeparator.tsx

+14-4
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,9 @@
11
import React from 'react';
22

33
import { useTranslationContext } from '../../context/TranslationContext';
4-
import { getDateString } from '../../i18n/utils';
4+
import { getDateString, TimestampFormatterOptions } from '../../i18n/utils';
55

6-
export type DateSeparatorProps = {
6+
export type DateSeparatorProps = TimestampFormatterOptions & {
77
/** The date to format */
88
date: Date;
99
/** Override the default formatting of the date. This is a function that has access to the original date object. */
@@ -15,15 +15,25 @@ export type DateSeparatorProps = {
1515
};
1616

1717
const UnMemoizedDateSeparator = (props: DateSeparatorProps) => {
18-
const { date: messageCreatedAt, formatDate, position = 'right', unread } = props;
18+
const {
19+
calendar = true,
20+
date: messageCreatedAt,
21+
formatDate,
22+
position = 'right',
23+
unread,
24+
...restTimestampFormatterOptions
25+
} = props;
1926

2027
const { t, tDateTimeParser } = useTranslationContext('DateSeparator');
2128

2229
const formattedDate = getDateString({
23-
calendar: true,
30+
calendar,
31+
...restTimestampFormatterOptions,
2432
formatDate,
2533
messageCreatedAt,
34+
t,
2635
tDateTimeParser,
36+
timestampTranslationKey: 'timestamp/DateSeparator',
2737
});
2838

2939
return (

src/components/DateSeparator/__tests__/DateSeparator.test.js

+3-3
Original file line numberDiff line numberDiff line change
@@ -2,7 +2,7 @@ import React from 'react';
22
import renderer from 'react-test-renderer';
33
import Dayjs from 'dayjs';
44
import calendar from 'dayjs/plugin/calendar';
5-
import { cleanup, render } from '@testing-library/react';
5+
import { cleanup, render, screen } from '@testing-library/react';
66
import '@testing-library/jest-dom';
77

88
import { DateSeparator } from '../DateSeparator';
@@ -35,9 +35,9 @@ describe('DateSeparator', () => {
3535

3636
it('should render New text if unread prop is true', () => {
3737
const { Component, t } = withContext({ date: now, unread: true });
38-
const { queryByText } = render(Component);
38+
render(Component);
3939

40-
expect(queryByText('New - 03/30/2020')).toBeInTheDocument();
40+
expect(screen.getByText('New - 03/30/2020')).toBeInTheDocument();
4141
expect(t).toHaveBeenCalledWith('New');
4242
});
4343

src/components/EventComponent/EventComponent.tsx

+14-6
Original file line numberDiff line numberDiff line change
@@ -7,11 +7,11 @@ import { useTranslationContext } from '../../context/TranslationContext';
77
import type { StreamMessage } from '../../context/ChannelStateContext';
88

99
import type { DefaultStreamChatGenerics } from '../../types/types';
10-
import { getDateString } from '../../i18n/utils';
10+
import { getDateString, TimestampFormatterOptions } from '../../i18n/utils';
1111

1212
export type EventComponentProps<
1313
StreamChatGenerics extends DefaultStreamChatGenerics = DefaultStreamChatGenerics
14-
> = {
14+
> = TimestampFormatterOptions & {
1515
/** Message object */
1616
message: StreamMessage<StreamChatGenerics>;
1717
/** Custom UI component to display user avatar, defaults to and accepts same props as: [Avatar](https://github.com/GetStream/stream-chat-react/blob/master/src/components/Avatar/Avatar.tsx) */
@@ -26,9 +26,9 @@ const UnMemoizedEventComponent = <
2626
>(
2727
props: EventComponentProps<StreamChatGenerics>,
2828
) => {
29-
const { Avatar = DefaultAvatar, message } = props;
29+
const { calendar, calendarFormats, format = 'dddd L', Avatar = DefaultAvatar, message } = props;
3030

31-
const { tDateTimeParser } = useTranslationContext('EventComponent');
31+
const { t, tDateTimeParser } = useTranslationContext('EventComponent');
3232
const { created_at = '', event, text, type } = message;
3333
const getDateOptions = { messageCreatedAt: created_at.toString(), tDateTimeParser };
3434

@@ -41,8 +41,16 @@ const UnMemoizedEventComponent = <
4141
<div className='str-chat__message--system__line' />
4242
</div>
4343
<div className='str-chat__message--system__date'>
44-
<strong>{getDateString({ ...getDateOptions, format: 'dddd' })} </strong>
45-
at {getDateString({ ...getDateOptions, format: 'hh:mm A' })}
44+
<strong>
45+
{getDateString({
46+
...getDateOptions,
47+
calendar,
48+
calendarFormats,
49+
format,
50+
t,
51+
timestampTranslationKey: 'timestamp/SystemMessage',
52+
})}
53+
</strong>
4654
</div>
4755
</div>
4856
);

src/components/EventComponent/__tests__/EventComponent.test.js

+1-4
Original file line numberDiff line numberDiff line change
@@ -49,11 +49,8 @@ describe('EventComponent', () => {
4949
className="str-chat__message--system__date"
5050
>
5151
<strong>
52-
Friday
53-
52+
Friday 03/13/2020
5453
</strong>
55-
at
56-
10:18 AM
5754
</div>
5855
</div>
5956
`);

src/components/Message/MessageTimestamp.tsx

+5-9
Original file line numberDiff line numberDiff line change
@@ -1,23 +1,19 @@
11
import React from 'react';
2-
3-
import type { StreamMessage } from '../../context/ChannelStateContext';
4-
import type { DefaultStreamChatGenerics } from '../../types/types';
5-
62
import { useMessageContext } from '../../context/MessageContext';
73
import { Timestamp as DefaultTimestamp } from './Timestamp';
84
import { useComponentContext } from '../../context';
95

6+
import type { StreamMessage } from '../../context/ChannelStateContext';
7+
import type { DefaultStreamChatGenerics } from '../../types/types';
8+
import type { TimestampFormatterOptions } from '../../i18n/utils';
9+
1010
export const defaultTimestampFormat = 'h:mmA';
1111

1212
export type MessageTimestampProps<
1313
StreamChatGenerics extends DefaultStreamChatGenerics = DefaultStreamChatGenerics
14-
> = {
15-
/* If true, call the `Day.js` calendar function to get the date string to display. */
16-
calendar?: boolean;
14+
> = TimestampFormatterOptions & {
1715
/* Adds a CSS class name to the component's outer `time` container. */
1816
customClass?: string;
19-
/* Overrides the default timestamp format */
20-
format?: string;
2117
/* The `StreamChat` message object, which provides necessary data to the underlying UI components (overrides the value from `MessageContext`) */
2218
message?: StreamMessage<StreamChatGenerics>;
2319
};

0 commit comments

Comments
 (0)