This repository was archived by the owner on Jan 31, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 24
/
Copy pathindex.ts
247 lines (218 loc) · 9 KB
/
index.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
import { defaultDecorateStory, combineParameters, addons, applyHooks, HooksContext, mockChannel, composeConfigs } from '@storybook/preview-api';
import type { ReactRenderer, Args } from '@storybook/react';
import type { ComponentAnnotations, ProjectAnnotations, Store_CSFExports, StoryContext } from '@storybook/types';
import { isExportStory } from '@storybook/csf';
import { deprecate } from '@storybook/client-logger';
import type { StoriesWithPartialProps, StoryFile, TestingStory, TestingStoryPlayContext } from './types';
import { getStoryName, globalRender, isInvalidStory, objectEntries } from './utils';
export type { StoriesWithPartialProps, StoryFile } from './types'
// Some addons use the channel api to communicate between manager/preview, and this is a client only feature, therefore we must mock it.
addons.setChannel(mockChannel());
let GLOBAL_STORYBOOK_PROJECT_ANNOTATIONS = {};
const decorateStory = applyHooks(defaultDecorateStory);
const isValidStoryExport = (storyName: string, nonStoryExportsConfig = {}) =>
isExportStory(storyName, nonStoryExportsConfig) && storyName !== '__namedExportsOrder'
/** Function that sets the globalConfig of your storybook. The global config is the preview module of your .storybook folder.
*
* It should be run a single time, so that your global config (e.g. decorators) is applied to your stories when using `composeStories` or `composeStory`.
*
* Example:
*```jsx
* // setup.js (for jest)
* import { setProjectAnnotations } from '@storybook/testing-react';
* import * as projectAnnotations from './.storybook/preview';
*
* setProjectAnnotations(projectAnnotations);
*```
*
* @param projectAnnotations - e.g. (import * as projectAnnotations from '../.storybook/preview')
*/
export function setProjectAnnotations(
projectAnnotations: ProjectAnnotations<ReactRenderer> | ProjectAnnotations<ReactRenderer>[]
) {
const annotations = Array.isArray(projectAnnotations) ? projectAnnotations : [projectAnnotations];
GLOBAL_STORYBOOK_PROJECT_ANNOTATIONS = composeConfigs(annotations);
}
/**
* @deprecated Use setProjectAnnotations instead
*/
export function setGlobalConfig(
projectAnnotations: ProjectAnnotations<ReactRenderer> | ProjectAnnotations<ReactRenderer>[]
) {
deprecate(`[@storybook/testing-react] setGlobalConfig is deprecated. Use setProjectAnnotations instead.`);
setProjectAnnotations(projectAnnotations);
}
/**
* Function that will receive a story along with meta (e.g. a default export from a .stories file)
* and optionally a globalConfig e.g. (import * from '../.storybook/preview)
* and will return a composed component that has all args/parameters/decorators/etc combined and applied to it.
*
*
* It's very useful for reusing a story in scenarios outside of Storybook like unit testing.
*
* Example:
*```jsx
* import { render } from '@testing-library/react';
* import { composeStory } from '@storybook/testing-react';
* import Meta, { Primary as PrimaryStory } from './Button.stories';
*
* const Primary = composeStory(PrimaryStory, Meta);
*
* test('renders primary button with Hello World', () => {
* const { getByText } = render(<Primary>Hello world</Primary>);
* expect(getByText(/Hello world/i)).not.toBeNull();
* });
*```
*
* @param story
* @param meta - e.g. (import Meta from './Button.stories')
* @param [globalConfig] - e.g. (import * as globalConfig from '../.storybook/preview') this can be applied automatically if you use `setGlobalConfig` in your setup files.
*/
export function composeStory<GenericArgs extends Args>(
story: TestingStory<GenericArgs>,
meta: ComponentAnnotations<ReactRenderer>,
globalConfig: ProjectAnnotations<ReactRenderer> = GLOBAL_STORYBOOK_PROJECT_ANNOTATIONS
) {
if (isInvalidStory(story)) {
throw new Error(
`Cannot compose story due to invalid format. @storybook/testing-react expected a function/object but received ${typeof story} instead.`
);
}
if (story.story !== undefined) {
throw new Error(
`StoryFn.story object-style annotation is not supported. @storybook/testing-react expects hoisted CSF stories.
https://github.com/storybookjs/storybook/blob/next/MIGRATION.md#hoisted-csf-annotations`
);
}
const renderFn = typeof story === 'function' ? story : story.render ?? meta.render ?? globalRender;
const finalStoryFn = (context: StoryContext<ReactRenderer, GenericArgs>) => {
const { passArgsFirst = true } = context.parameters;
if (!passArgsFirst) {
throw new Error(
'composeStory does not support legacy style stories (with passArgsFirst = false).'
);
}
return renderFn(context.args, context);
};
const combinedDecorators = [
...(story.decorators || []),
...(meta?.decorators || []),
...(globalConfig.decorators || []),
];
const decorated = decorateStory<ReactRenderer>(
finalStoryFn as any,
combinedDecorators as any
);
const defaultGlobals = Object.entries(
(globalConfig.globalTypes || {}) as Record<string, { defaultValue: any }>
).reduce((acc, [arg, { defaultValue }]) => {
if (defaultValue) {
acc[arg] = defaultValue;
}
return acc;
}, {} as Record<string, { defaultValue: any }>);
const combinedParameters = combineParameters(
globalConfig.parameters || {},
meta?.parameters || {},
story.parameters || {},
{ component: meta?.component }
)
const combinedArgs = {
...meta?.args,
...story.args
} as GenericArgs
const context = {
componentId: '',
kind: '',
title: '',
id: '',
name: '',
story: '',
argTypes: globalConfig.argTypes || {},
globals: defaultGlobals,
parameters: combinedParameters,
initialArgs: combinedArgs,
args: combinedArgs,
viewMode: 'story',
originalStoryFn: renderFn,
hooks: new HooksContext(),
} as StoryContext<ReactRenderer, GenericArgs>;
const composedStory = (extraArgs: Partial<GenericArgs>) => {
return decorated({
...context,
args: {
...combinedArgs, ...extraArgs
}
})
}
const boundPlay = ({ ...extraContext }: TestingStoryPlayContext<GenericArgs>) => {
const playFn = meta.play ?? story.play ?? (() => {});
// @ts-expect-error (just trying to get this to build)
return playFn({ ...context, ...extraContext });
}
composedStory.storyName = story.storyName || story.name
composedStory.args = combinedArgs
composedStory.play = boundPlay;
composedStory.decorators = combinedDecorators
composedStory.parameters = combinedParameters
return composedStory
}
/**
* Function that will receive a stories import (e.g. `import * as stories from './Button.stories'`)
* and optionally a globalConfig (e.g. `import * from '../.storybook/preview`)
* and will return an object containing all the stories passed, but now as a composed component that has all args/parameters/decorators/etc combined and applied to it.
*
*
* It's very useful for reusing stories in scenarios outside of Storybook like unit testing.
*
* Example:
*```jsx
* import { render } from '@testing-library/react';
* import { composeStories } from '@storybook/testing-react';
* import * as stories from './Button.stories';
*
* const { Primary, Secondary } = composeStories(stories);
*
* test('renders primary button with Hello World', () => {
* const { getByText } = render(<Primary>Hello world</Primary>);
* expect(getByText(/Hello world/i)).not.toBeNull();
* });
*```
*
* @param storiesImport - e.g. (import * as stories from './Button.stories')
* @param [globalConfig] - e.g. (import * as globalConfig from '../.storybook/preview') this can be applied automatically if you use `setGlobalConfig` in your setup files.
*/
export function composeStories<TModule extends StoryFile>(storiesImport: TModule, globalConfig?: ProjectAnnotations<ReactRenderer>) {
const { default: meta, __esModule, __namedExportsOrder, ...stories } = storiesImport;
// This function should take this as input:
// {
// default: Meta,
// Primary: Story<ButtonProps>, <-- Props extends Args
// Secondary: Story<OtherProps>,
// }
// And strips out default, then return composed stories as output:
// {
// Primary: ComposedStory<Partial<ButtonProps>>,
// Secondary: ComposedStory<Partial<OtherProps>>,
// }
// Compose an object containing all processed stories passed as parameters
const composedStories = objectEntries(stories).reduce<Partial<StoriesWithPartialProps<TModule>>>(
(storiesMap, [key, _story]) => {
const storyName = String(key)
// filter out non-story exports
if (!isValidStoryExport(storyName, meta)) {
return storiesMap;
}
const story = _story as TestingStory
story.storyName = getStoryName(story) || storyName
const result = Object.assign(storiesMap, {
[key]: composeStory(story, meta, globalConfig)
});
return result;
},
{}
);
// @TODO: the inferred type of composedStories is correct but Partial.
// investigate whether we can return an unpartial type of that without this hack
return composedStories as unknown as Omit<StoriesWithPartialProps<TModule>, keyof Store_CSFExports>;
}