- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
gatsby-config.js
配置为从 ./content
目录获取所有 markdown 文件。
ServicePost
和 BlogPost
模板从 ./src/content/services
和./src/content/blog
目录。
gatsby-node.js
根据templateKey
中设置的./src/content/
对数据进行排序markdown 文件的 frontmatter 并将其传递给生成页面的 createPage
在 /services/service-name
和 /blog/blog-article-name
URL 上。
我遇到的问题是所有 /services/service-name
和 /blog/blog-article-name
页面使用来自 ./services/
和 ./blog/
目录的第一篇文章的数据生成。
gatsby-config.js
const proxy = require('http-proxy-middleware')
module.exports = {
siteMetadata: {
title: 'Gatsby + Netlify CMS Starter',
description:
'This repo contains an example business website that is built with Gatsby, and Netlify CMS.It follows the JAMstack architecture by using Git as a single source of truth, and Netlify for continuous deployment, and CDN distribution.',
},
plugins: [
'gatsby-plugin-react-helmet',
'gatsby-plugin-sass',
{
// keep as first gatsby-source-filesystem plugin for gatsby image support
resolve: 'gatsby-source-filesystem',
options: {
path: `${__dirname}/static/img`,
name: 'uploads',
},
},
{
resolve: 'gatsby-source-filesystem',
options: {
path: `${__dirname}/src/content`,
name: 'content',
},
},
{
resolve: 'gatsby-source-filesystem',
options: {
path: `${__dirname}/src/img`,
name: 'images',
},
},
'gatsby-plugin-sharp',
'gatsby-transformer-sharp',
{
resolve: 'gatsby-transformer-remark',
options: {
plugins: [
{
resolve: 'gatsby-remark-relative-images',
options: {
name: 'uploads',
},
},
{
resolve: 'gatsby-remark-images',
options: {
// It's important to specify the maxWidth (in pixels) of
// the content container as this plugin uses this as the
// base for generating different widths of each image.
maxWidth: 2048,
},
},
{
resolve: 'gatsby-remark-copy-linked-files',
options: {
destinationDir: 'static',
},
},
],
},
},
{
resolve: 'gatsby-plugin-netlify-cms',
options: {
modulePath: `${__dirname}/src/cms/cms.js`,
},
},
{
resolve: 'gatsby-plugin-purgecss', // purges all unused/unreferenced css rules
options: {
develop: true, // Activates purging in npm run develop
purgeOnly: ['/all.sass'], // applies purging only on the bulma css file
},
}, // must be after other CSS plugins
'gatsby-plugin-netlify', // make sure to keep it last in the array
],
// for avoiding CORS while developing Netlify Functions locally
// read more: https://www.gatsbyjs.org/docs/api-proxy/#advanced-proxying
developMiddleware: app => {
app.use(
'/.netlify/functions/',
proxy({
target: 'http://localhost:9000',
pathRewrite: {
'/.netlify/functions/': '',
},
})
)
}
}
gatsby-node.js
const _ = require('lodash')
const path = require('path')
const { createFilePath } = require('gatsby-source-filesystem')
const { fmImagesToRelative } = require('gatsby-remark-relative-images')
exports.createPages = async ({ actions, graphql }) => {
const { createPage } = actions
const blogs = await graphql(`
{
blogs: allMarkdownRemark(
limit: 1000
filter: { frontmatter: { templateKey: { eq: "blog-post" } } }
sort: {
fields: [frontmatter___date]
order: [DESC]
}
) {
edges {
node {
id
fields {
slug
}
html
frontmatter {
title
templateKey
date
}
}
}
}
}
`)
const BlogPostTemplate = path.resolve(`src/templates/BlogPost.js`)
blogs.data.blogs.edges.forEach(({ node }) => {
createPage({
path: node.fields.slug,
component: BlogPostTemplate,
context: {},
});
});
const services = await graphql(`
{
services: allMarkdownRemark(
limit: 1000
filter: { frontmatter: { templateKey: { eq: "service-post" } } }
) {
edges {
node {
id
fields {
slug
}
html
frontmatter {
title
templateKey
}
}
}
}
}
`)
const ServicePostTemplate = path.resolve(`src/templates/ServicePost.js`)
services.data.services.edges.forEach(({ node }) => {
createPage({
path: node.fields.slug,
component: ServicePostTemplate,
});
});
}
exports.onCreateNode = ({ node, actions, getNode }) => {
const { createNodeField } = actions
fmImagesToRelative(node) // convert image paths for gatsby images
if (node.internal.type === `MarkdownRemark`) {
const value = createFilePath({ node, getNode })
createNodeField({
name: `slug`,
node,
value,
})
}
}
./src/templates/BlogPost.js
import React from 'react'
import PropTypes from 'prop-types'
import Helmet from 'react-helmet'
import { graphql } from 'gatsby'
import Layout from '../components/Layout'
import Content, { HTMLContent } from '../components/Content'
export const BlogPostTemplate = ({
content,
contentComponent,
description,
title,
helmet,
}) => {
const PostContent = contentComponent || Content
return (
<section>
{helmet || ''}
<h1>
{title}
</h1>
Blog post template
<p>{description}</p>
<PostContent content={content} />
</section>
)
}
BlogPostTemplate.propTypes = {
content: PropTypes.node.isRequired,
contentComponent: PropTypes.func,
title: PropTypes.string,
helmet: PropTypes.object,
}
const BlogPost = ({ data }) => {
// console.log('Blog Post Data', JSON.stringify(data))
const { markdownRemark: post } = data
return (
<Layout>
<BlogPostTemplate
content={post.html}
contentComponent={HTMLContent}
helmet={
<Helmet titleTemplate="%s | Blog">
<title>{`${post.frontmatter.title}`}</title>
</Helmet>
}
title={post.frontmatter.title}
/>
</Layout>
)
}
BlogPost.propTypes = {
data: PropTypes.shape({
markdownRemark: PropTypes.object,
}),
}
export default BlogPost
export const pageQuery = graphql`
query BlogPostByID {
markdownRemark(frontmatter: { templateKey: { eq: "blog-post" } }) {
id
html
frontmatter {
date(formatString: "MMMM DD, YYYY")
title
}
}
}
`
./src/content/blog/blog-post-1.md
---
templateKey: blog-post
title: Blog post 1 title
date: 2014-12-17T15:04:10.000Z
---
Blog post 1 body
最佳答案
你修好了吗??
创建页面时是否尝试过将 Node 放入上下文
Gatsby Node .js
createPage({
path: node.fields.slug,
component: BlogPostTemplate,
context: {node}, // adding node in here and then pulling it as a
// props everytime you create a page?
});
./src/templates/BlogPost.js
export const BlogPostTemplate = ({node}) => {
<h1>{node.context.node.frontmatter.title}<h1> // sorry don't know what the extact api route would be but i think tis something like this. just double check with a console.log
}
其余的可能会在创建页面之前扩展查询以获取所有数据字段。
我不知道这是否适合你,但我认为可能值得一提。
关于javascript - Gatsby `createPage` 正在生成具有相同数据的页面,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/57762900/
我正在尝试将图像的路径作为 Prop 传递给组件 注意:组件和索引页都可以通过相同的路径访问图像。当我将路径作为 Prop 传递时它不起作用 在下面的代码中,我尝试使用 GatbsyImage 和 S
我在 gatsby 中的主要字体是在 index.scss 文件夹中定义的,就像这样在 body 标签中。 body { font-family: "Trebuchet MS", "Helveti
我一直在遵循以下步骤:https://github.com/strapi/gatsby-source-strapi 由于 image >> publicURL 也不起作用,我重新安装了最新版本的 ga
语境 Gatsby , headless CMS 奇迹,旁边是 gatsby-plugin-advanced-sitemap 使生成一个强大的 sitemap.xml文件轻而易举。 该插件支持通过 s
目前,我有两个使用 gatsby.js 开发的站点部署到 example.com 和 blog.example.com。我想创建一个 blog.example.com 的子目录到 example.co
我一直在学习本教程 https://www.gatsbyjs.org/packages/gatsby-image/#art-directing-multiple-images但普通人不可能写出 50
我正在使用 Gatsby 的 createResolver API 将 markdown 转换为 html。它在顶层数据上运行良好。但是,我无法让它在嵌套更深的数组上工作。 这是有效的: functi
当我使用 Gatsby (V2) 路由到新页面时,我正在尝试传递数据 我希望然后能够检索该页面上的数据。这可能吗?我已经研究了很多但没有运气所以我觉得我一定错过了什么......谢谢 最佳答案 如果你
默认情况下,我的 Gatsby 网址类似于 2018-09-06-hexagon 有什么办法可以让他们变成/blog/2018/09/06/hexagon ? 这是我的 gatsby-node.js
我有一个 json 文件和一个包含图像的文件夹 plugins/ └── gatsby-source-cars/ ├── images/ ├── cars.json └── g
在生产环境中运行 gatsby。 16. 在开发机器上工作。 来自服务器的错误: success write out redirect data - 0.002s success Build mani
当我想安装 gatsby starter 时,我在终端中遇到了这些错误。 任何人都知道如何解决它? [4/4] 🔨 Building fresh packages... [6/13] ⠁ shar
我正在创建一个名为“new-app”的项目。成功安装 gatsby 后,我尝试运行命令“gatsby new my-app”。我总是收到一个错误,其中指出: ERROR eating new site
我无法使用 gatsby cli 克隆 gatsby-starter-default.git,因为它使用的“git”url 被我们的防火墙规则阻止 我也尝试将以下内容添加到 git config 但仍
我正在创建一个名为“new-app”的项目。成功安装 gatsby 后,我尝试运行命令“gatsby new my-app”。我总是收到一个错误,其中指出: ERROR eating new site
我按照健全性文档创建了一个 internalLink 类型,并根据有关将 internalLinks 与 graphql api 一起使用的提示,我将其创建为单独的类型,如下所示: export de
我创建了由 Gatsby Cloud(个人试用计划)托管并使用 Contentful 的 Gatsby.js 网站。虽然我没有设置 Robot.txt,但生产站点自动在 HTTP header 处添加
最令人沮丧的部分是我之前有这个工作然后不知何故破坏了它,但我正在使用 gatsby-plugin-sharp 和 gatsby-plugin-image 将照片添加到我的主页并看到这个错误: Gats
我创建了由 Gatsby Cloud(个人试用计划)托管并使用 Contentful 的 Gatsby.js 网站。虽然我没有设置 Robot.txt,但生产站点自动在 HTTP header 处添加
最令人沮丧的部分是我之前有这个工作然后不知何故破坏了它,但我正在使用 gatsby-plugin-sharp 和 gatsby-plugin-image 将照片添加到我的主页并看到这个错误: Gats
我是一名优秀的程序员,十分优秀!