- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正试图在一个项目中实现 100% 的覆盖率,这是我唯一无法测试的文件,因为我不知道如何去做。
我什至不知道从哪里开始。
我正在使用 Jest 和 React 测试库。该项目使用 NextJS。
import Document from 'next/document'
import { ServerStyleSheet } from 'styled-components'
export default class MyDocument extends Document {
static async getInitialProps(ctx) {
const sheet = new ServerStyleSheet()
const originalRenderPage = ctx.renderPage
try {
ctx.renderPage = () =>
originalRenderPage({
enhanceApp: App => props => sheet.collectStyles(<App {...props} />),
})
const initialProps = await Document.getInitialProps(ctx)
return {
...initialProps,
styles: (
<>
{initialProps.styles}
{sheet.getStyleElement()}
</>
),
}
} finally {
sheet.seal()
}
}
}
ps:我知道覆盖率不是最重要的,但是这个项目需要100%。
最佳答案
通常使用 NextJS,我们需要测试 2 个案例,Initial/Server Props 部分和 React Component 部分。你的只有 getInitialProps
。测试可能因配置而异。我会为 future 的读者发布这两种情况的配置和测试,并希望它能成为至少涵盖大部分内容的坚实基础。
文件 pages/_document.js
import React from 'react';
import Document, { Html, Head, Main, NextScript } from 'next/document';
import { ServerStyleSheets } from '@material-ui/core/styles';
export default class MyDocument extends Document {
render() {
return (
<Html lang="en">
<Head>
<link
rel="stylesheet"
href="https://fonts.googleapis.com/css?family=Lato"
/>
</Head>
<body>
<Main />
<NextScript />
</body>
</Html>
);
}
}
MyDocument.getInitialProps = async ctx => {
// Render app and page and get the context of the page with collected side effects.
const sheets = new ServerStyleSheets();
const originalRenderPage = ctx.renderPage;
ctx.renderPage = () =>
originalRenderPage({
enhanceApp: App => props => sheets.collect(<App {...props} />),
});
const initialProps = await Document.getInitialProps(ctx);
return {
...initialProps,
// Styles fragment is rendered after the app and page rendering finish.
styles: [
...React.Children.toArray(initialProps.styles),
sheets.getStyleElement(),
],
};
};
文件 __tests__/pages/_document.js
在发布测试文件之前,一件非常重要的事情是 Stub 上下文,ctx
in MyDocument.getInitialProps = async ctx => {
并模拟 ctx.renderPage
会在文档代码中备份并调用。此调用的结果是另一个函数,也需要在其他函数中调用该函数以达到该部分的最大覆盖率。要获得有关使用什么的提示,您可以简单地在文档中记录 ctx 并查看函数的外观。 stub 和模拟可以是这样的:
const ctx = {
renderPage: (options = {}) => {
// for coverage, call enhanceApp and App
if (typeof options.enhanceApp === 'function') {
// pass a functional component as parameter
const app = options.enhanceApp(() => <div>App Rendered</div>);
app();
}
return {
html: <div>App Rendered</div>,
head: (
<head>
<title>App Title</title>
</head>
),
};
},
};
这是完整的测试文件,它也处理浅层渲染:
import { createShallow } from '@material-ui/core/test-utils';
import MockProviders from '../../tests/MockProviders';
import MyDocument from '../../pages/_document';
/** @test {Document Component getInitialProps} */
describe('Document Component getInitialProps', () => {
const ctx = {
asPath: '/', // not necessary, but useful for testing _app.js
res: {
writeHead: jest.fn(),
end: jest.fn(),
}, // not necessary but useful for testing other files
renderPage: (options = {}) => {
// for coverage, call enhanceApp and App
console.log('options', options);
if (typeof options.enhanceApp === 'function') {
const app = options.enhanceApp(() => <div>App Rendered</div>);
console.log('app', app);
app();
}
return {
html: <div>App Rendered</div>,
head: (
<head>
<title>App Title</title>
</head>
),
};
},
};
it('should return finalize html, head and styles in getInitialProps', async () => {
const result = await MyDocument.getInitialProps(ctx);
// Log to see the structure for your assertion if any expectation
// console.log(result);
expect(result.html.props.children).toBe('App Rendered');
expect(result.head.props.children.props.children).toBe('App Title');
expect(result.styles[0].props.id).toBe('jss-server-side');
});
});
/** @test {Document Component} */
describe('Document Component', () => {
const shallow = createShallow();
const wrapper = shallow(
<MockProviders>
<MyDocument />
</MockProviders>
);
const comp = wrapper.find('MyDocument').dive();
// console.log(comp.debug());
it('should render Document components Html', () => {
expect(comp.find('Html')).toHaveLength(1);
expect(comp.find('Head')).toHaveLength(1);
expect(comp.find('body')).toHaveLength(1);
expect(comp.find('Main')).toHaveLength(1);
expect(comp.find('NextScript')).toHaveLength(1);
});
});
编辑 1--------我的 MockProviders 文件只是为了代码分解,而不是在每次测试时级联添加 Providers 组件,以后如果需要更改所有测试文件,如果您需要添加另一个 Provider,那么您只需要更改那个 MockProvider 文件。它是自嘲之王,因为您在测试时将自己的 props 注入(inject)其中,这与您可能注入(inject)到实际应用程序中的正常值不同。
import { MuiThemeProvider } from '@material-ui/core/styles';
import { StateProvider } from '../src/states/store';
import theme from '../src/themes';
const MockProviders = props => {
return (
<StateProvider {...props}>
<MuiThemeProvider theme={theme}>{props.children}</MuiThemeProvider>
</StateProvider>
);
};
export default MockProviders;
因为我使用一个 Provider 来通过 React.useContext
管理状态,并为 MaterialUI 主题使用一个 Provider,然后我将它们添加到级联中,能够传递额外的 Prop ,并渲染子组件里面。
关于testing - 如何使用 Jest 在 Next 中测试 _document,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/67629091/
我正在尝试在我的网站 (next.js) 中实现 og 标记。 主页包括business.business类型和前缀 , 但是博客中的文章页面具有文章类型和前缀 . 帮我处理 head 前缀,或者
我有一个 nextjs 项目。我想在 _document.js 中使用 next/script 加载两个脚本。但是当我将 Script 标签放入 _document.js 中的 body 标签时,我的
我是 Typescript 的初学者。我正在处理 Next.js TypeScript 项目。基本上,我要做的是通过 body 标记将服务器端的 userCurrency 值传递给客户端。我正在处理
我正在尝试获取/page/_document.js 文件中的当前路径名。我正在使用一个类,我的目标是使用该值创建一个条件。 这是我的代码(基本上是 NextJS 页面中的示例) import Docu
我对 next.js 完全陌生,我需要你的帮助来解决一些我认为非常基本的问题,但我找不到我的错误或解释,我在互联网上找不到任何关于它的信息,所以我在这里: 当我在 pages 文件夹中创建文件时一切正
我正试图在一个项目中实现 100% 的覆盖率,这是我唯一无法测试的文件,因为我不知道如何去做。 我什至不知道从哪里开始。 我正在使用 Jest 和 React 测试库。该项目使用 NextJS。 im
我想设置 使用对象表示法在 NextJs 应用程序上标记。 我正在为 Styled-components 渲染一个 serverStylesheet,所以我当前的 _document文件看起来像这样:
我正在开发一个网络应用程序的原型(prototype),我选择 NextJS 是因为我想更好地学习它,但我意识到我并没有以“标准”方式使用它。我从这里的 Next + Material-UI 示例开始
我是 Next.js 的新手,我很难将数据从 _document 传递到 _app。 我需要从 _document.ts 传递路径名服务器端至 _app.ts然后进入App组件,以便我可以在 Head
我目前使用_document.js将 css 注入(inject)到我的 Next.js 应用程序中,我想开始使用 _app.js帮助将数据注入(inject)页面。 想知道是否可以同时使用 _doc
我在这里使用示例 https://github.com/zeit/next.js#custom-document 我想更改 body 标记上的 custom_class 我尝试在调用组件上传递 Pro
有人知道如何解决这个警告消息吗? Ambiguity between method 'Microsoft.Office.Interop.Word._Document.Close(ref object,
这是我的 _document.js 中的代码: import Document, { Head, Main, NextScript } from 'next/document';
这是我的 _document.js 中的代码: import Document, { Head, Main, NextScript } from 'next/document';
问题(C#编译器警告信息): warning CS0467: Ambiguity between method 'Microsoft.Office.Interop.Word._Document.clo
我想使用视口(viewport)元标记来禁用 _document.js 中的页面缩放Next.js 中的文件。 但它不起作用,并说不应在 _docume
Next.js 文档指出,目录 src/pages是 /pages 的替代品.但是,我的自定义 _app.tsx和 _document.tsx文件,当 pages 文件夹移动到 src 时会被忽略。
我是一名优秀的程序员,十分优秀!