0

嘿,我正在使用 gatsby srouce contentful 从内容获取我的博客文章。我试图将正文作为富文本或 json 格式,但 graphql 让我使用的唯一选项是 raw,它给了我一堆对象和我不想要的文本。

4

2 回答 2

1

步骤 1. 确保您已使用以下命令导入 gatsby-source-contentful:

npm install gatsby-source-contentful

步骤 2. 将此添加到您的导入中:

import { renderRichText } from "gatsby-source-contentful/rich-text"

第 3 步。您的查询应如下所示

export const query = graphql`
query($slug: String!){
    contentfulBlogPost(slug: {eq: $slug}) {
        title
        publishedDate(formatString: "MMMM Do, YYYY")
        body{
            raw
        }
    }
}`

步骤 4. 返回 {renderRichText(props.data.contentfulBlogPost.body)}

const Blog = (props) => {
return(
    <Layout>
        <h1>{props.data.contentfulBlogPost.title}</h1>
        <p>{props.data.contentfulBlogPost.publishedDate}</p>
        <div>{renderRichText(props.data.contentfulBlogPost.body)}</div>
    </Layout>

)

}

我希望这会有所帮助,这是我关于堆栈溢出的第一个答案,我相信根据您提出问题的方式,我们正在遵循相同的训练营。

https://www.youtube.com/watch?v=8t0vNu2fCCM&t=590s&ab_channel=AndrewMead

如果您想合作并互相学习,请给我留言。

这也可能有帮助:https ://www.gatsbyjs.com/plugins/gatsby-source-contentful/#query-rich-text-content-and-references


添加另一个解决方案:

export const query = graphql`
query($slug: String!){
    contentfulBlogPost(slug: {eq: $slug}) {
        title
        publishedDate(formatString: "MMMM Do, YYYY")
        body{
            raw
            references {
                fixed(width: 750) {
                  width
                  height
                  src
              }
            }
        }
    }
}

`

添加对原始数据的引用。

const Blog = (props) => {
const options = {
    renderNode: {
        "embedded-asset-block": (node) => {
            const alt = "test"
            const url = props.data.contentfulBlogPost.body.references[0].fixed.src
            return <img src={url} alt={alt}/>
        }
    }
}

最后在渲染部分:

<div>{renderRichText(props.data.contentfulBlogPost.body, options)}</div>
于 2021-01-28T21:34:06.720 回答
1

rawobject 是最新版本的gatsby-source-contentful. 根据文档

注意:请注意,Gatsby Contentful 源插件的早期版本使用了一个json字段。这已被替换raw为为您提供更大的渲染灵活性并解决性能问题。

Contentful 所指出的“灵活性”是自定义return将解析该raw响应的组件语句的输出的能力。理想情况下,您应该具有以下内容:

import { BLOCKS, MARKS } from "@contentful/rich-text-types"
import { renderRichText } from "gatsby-source-contentful/rich-text"
​
const Bold = ({ children }) => <span className="bold">{children}</span>
const Text = ({ children }) => <p className="align-center">{children}</p>
​
const options = {
  renderMark: {
    [MARKS.BOLD]: text => <Bold>{text}</Bold>,
  },
  renderNode: {
    [BLOCKS.PARAGRAPH]: (node, children) => <Text>{children}</Text>,
    [BLOCKS.EMBEDDED_ASSET]: node => {
      return (
        <>
          <h2>Embedded Asset</h2>
          <pre>
            <code>{JSON.stringify(node, null, 2)}</code>
          </pre>
        </>
      )
    },
  },
}
​
renderRichText(node.bodyRichText, options)

上面的代码片段允许您自定义每个条目的响应,MARKS根据BLOCKS需要添加适当的样式并将其包装在您可能需要的任何结构中。上面的组件将允许您解析原始响应并返回正确的组件。

您可以查看此答案中提供的内容丰富的文档和gatsby-source-contentful插件文档以获取更多详细信息。

于 2021-01-29T14:08:55.970 回答