- Installation on localhost
- Miscellaneous
- Gatsby structure
- Apply Bootstrap
- Using TailwindCSS
- Using sass
- Differences between layouts and templates
- Add Navigation bar
- Using Font Awesome
- Google Fonts
- Insert images / photos
- Adding markdown posts
- Display site / post info on browser tab
- Render html tag in a string
- JSX in Markdown
- Create page template and markdown file
- Errors?
- References
Gatsby is "Γ la mode" and makes us feel that it's really fast. This note was made when I switched from Jekyll to Gatsby. I did not have much experience with React (neither JS) yet. You will find in this note not only things from Gatsby, but also from React and JS.
Update 2021 Oct 31: After looking into Gatsby 2, I've found that 11ty is better for my site (dinhanhthi.com version 4). However, I decided to go back to the new version of Gatsby (for my other project). Therefore, in this note you will find something "old" (from Gatsby 2), but also something "new" (from Gatsby 4).
Installation on localhost
π Install npm and NodeJS (with npm). Check my note.
π Check the official doc.
Then install gatsby globally,
npm install -g gatsby-cli
# Check version
gatsby --version
EACCES
occurs (fix on Linux)Create a new folder by:
mkdir ~/.npm-global
Open
~/.profile
Add following lines to this file
npm config set prefix '~/.npm-global'
export PATH=~/.npm-global/bin:$PATHSave the file and then run (if you don't restart the computer, do the same below work for new tab of terminal):
source ~/.profile
.
Install new site with
gatsby new gatsby-site # create a new site with name 'gatsby-site'
cd gatsby-site
gatsby develop # run the site at http://localhost:8000
You can use GraphiQL, an in-browser IDE, to explore your site's data and schema,
http://localhost:8000/___graphql
π You should use starters, I choose official gatsby-starter-blog for the version 5 of my website.
npx gatsby new gatsby-starter-blog https://github.com/gatsbyjs/gatsby-starter-blog
___graphql
?Suppose that in ListAccount.js
,
export default props => (
<StaticQuery
query={graphql`
query AccountItemsQuery {
allAccountItemsJson{
edges{
node{
name
icon{
childImageSharp {
fixed(width: 150, height: 150) {
...GatsbyImageSharpFixed_tracedSVG
}
}
}
url
opacity
title
}
}
}
}
`}
render={data => <ListSocial accounts={data} {...props} />}
/>
)
In http://localhost:8000/___graphql,
query AccountItemsQuery {
allAccountItemsJson {
edges {
node {
name
icon {
childImageSharp {
fixed(width: 150, height: 150) {
tracedSVG
}
}
}
url
opacity
title
}
}
}
}
and then click on Run icon to see the result!
Some tips for dev locally
# Restart cache
gatsby clean
π Woring with .env
file | Gatsby Official doc.
π Note: Using .env file in a Node.js project
π Troubleshooting common errors | Gatsby Official doc.
Miscellaneous
React / Gatsby use JSX syntax. It's an XML/HTML-like syntax used by React that extends ECMAScript so that XML/HTML-like text can co-exist with JavaScript/React code.
Internal URLs: use
Link
(replaces<a>
tag for internal links).You cannot use
target='_blank'
with<Link>
because whenever you use internal links, they are always in the same window!External URLs: use
<a></a>
as usual.Use
className
instead ofclass=
. E.g.className = "abc"
orclassName = "abc xyz"
.Inline CSS,
<div style={{ color: "#ffff", paddingTop: "10px" }}></div>
.Date in Gatsby:
{new Date().getFullYear()}
or usingmoment.js
.
Gatsby structure
- Recipes -- a cookbook on how to build things, Gatsby style.
- Gatsby Project Structure -- a tour of all the common folders and files.
- Building with Components.
- Layout Components
π Read this to understand the differences between Class Component and Functional Component (a.k.a. stateless). Below are 2 examples which give the same result.
// Class Component
class MyComponentClass extends React.Component {
render() {
return <div>{this.props.name}</div>;
}
}
// Functional Component
const MyStatelessComponent = props => <div>{props.name}</div>;
// without JSX
const MyStatelessComponent = props => React.createElement('div', null, props.name);
- Functional Component (stateless component): just a plain javascript function which takes
props
as an argument and returns a react element. You can't reachthis.state
inside it. - Component class: has a state, lifecycle hooks and it is a javascript class.
π‘ The rule would be: if your component needs some data which cannot be passed as a prop
, use class component to get that data. If you need to keep UI state in your component (expandable blocks) so itβs a good place to keep that info in a components state.
Understand props
When React sees an element representing a user-defined component, it passes JSX attributes to this component as a single object. We call this object "props" (properties).[ref]
Components
A page is basically,
import React from "react"
function AboutPage(props) {
return (
<div className="about-container">
<p>About me.</p>
</div>
)
}
export default AboutPage
import React from "react"
export default (props) => {
return (
// ...
)
}
// or
const AboutPage = (props) => (
// ...
)
export default AboutPage
Apply Bootstrap
π I prefer TailwindCSS for the version 5 of my website. Check next section.
Learn from Starter theme
π‘ You can install a Gatsby Bootstrap Starter,
gatsby new gatstrap https://github.com/jaxx2104/gatsby-starter-bootstrap
Using plugins
β What if you wanna start from the beginning? π Install react-bootstrap
and bootstrap
,
npm install react-bootstrap bootstrap --save
# --save to save to package.json
Import below line in /gatsby-browser.js
,
import 'bootstrap/dist/css/bootstrap.min.css';
Using CDN from Bootstrap
β If you wanna use CDN? π Put below line in <head>
by using React Helmet,
<Helmet>
<link rel="stylesheet" href=".../bootstrap.min.css" integrity="..." crossOrigin="anonymous" />
<script src=".../jquery-3.4.1.slim.min.js" integrity="..." crossOrigin="anonymous"></script>
<script src=".../popper.min.js" integrity="..." crossOrigin="anonymous"></script>
<script src=".../bootstrap.min.js" integrity="..." crossOrigin="anonymous"></script>
</Helmet>
You can put above codes directly in your layout.js
or index.js
. All the <link>
and <script>
tags will be included in the <head>
. For example in the file src/pages/index.js
,
// src/pages/index.js
import Layout from "../layouts/layout"
import Helmet from "react-helmet"
const IndexPage = () => (
<Layout>
<Helmet>
// the codes
</Helmet>
<h1>Hi people</h1>
<p>Welcome to your new Gatsby site.</p>
// other codes...
</Layout>
)
export default IndexPage
β If you wanna put bootstrap.js
in the footer
? π You can read this tutorial to add <script>
/ <link>
tags in <head>
, start or end of <body>
tag. For example, in order to put above scripts/links before </body>
, paste below code in /gatsby-ssr.js
,
// file /gatsby-ssr.js
const React = require("react")
exports.onRenderBody = ({
setHeadComponents,
setPostBodyComponents,
}) => {
setHeadComponents([
<link key='bootstrap-css' rel="stylesheet" href=".../bootstrap.min.css" integrity="..." crossOrigin="anonymous" />,
])
setPostBodyComponents([
<script key="jquery-3-4-1" type="text/javascript" src=".../jquery-3.4.1.slim.min.js" integrity="..." crossOrigin="anonymous" />,
<script key="proper-1-16" type="text/javascript" src=".../popper.min.js" integrity="..." crossOrigin="anonymous" />,
<script key="bootstrap-js" type="text/javascript" src=".../bootstrap.min.js" integrity="..." crossOrigin="anonymous" />,
])
}
Remember to restart gatsby (Ctrl + C to stop and run gatsby develop
to start again).
Using TailwindCSS
Follow the official guide.
Using sass
Note: With Tailwind, you nearly don't need to write your own css rules.
// in /scr/pages/index.js
import Layout from "../layouts/layout"
// in /scr/layouts/layout.js
import "../styles/main.scss"
// in /scr/styles/main.scss
@import "layout";
// in /scr/styles/_layout.scss
// scss codes
Differences between layouts
and templates
These 2 concepts are not the core concepts of Gatby, we just need to use them for a good structure of our project. Their definitions are different, here are mine.
There are 2 separated folders /src/layouts
and /src/templates
.
layouts
: usually the blueprint which doesn't contain graphql statements. For example,taxonomy.tsx
(a blueprint for all categories, tags pages),base.tsx
,page.tsx
.templates
: "theme" for more specific types which usually contain grapql statements. For example,category.tsx
,post.tsx
,author.tsx
,tag.tsx
Design base
layout
What I need in the base layout:
- A fixed navigation bar on top.
- A fixed footer on bottom.
- A flexible header.
- A body wraper.
Design post
/ page
templates
Their differences are just the width of the container.
Different Header for different page types
// in src/components/Header.js
import React, { Component } from 'react'
export default class Header extends Component {
render() {
const headerType = this.props.type
switch (headerType) {
case 'index':
return (
<>
<header className="idx-header header">
...
</header>
</>
)
default:
return (
<>
<header className="header">
...
</header>
</>
)
}
}
}
// in src/layouts/base.js
import Header from "../components/Header"
const Layout = ({ children, headerType='page' }) => {
return (
<>
<Header type='index' />
{children}
</>
)
}
export default Layout
// in src/pages/index.js
import Layout from "../layouts/base"
const IndexPage = () => (
<Layout headerType='index'>
...
</Layout>
)
export default IndexPage
Add Navigation
bar
Using react-bootstrap
, create a file src/components/Navigation.js
whose content is,
import React from 'react'
import {Navbar, Nav, NavDropdown, Form, FormControl, Button} from 'react-bootstrap'
export default (props) => (
// the codes from https://react-bootstrap.netlify.com/components/navbar/#navbars
)
Then, in /src/Header.js
,
import Navigation from '../components/Navigation'
const Header = () => (
<header ..>
<Navigation></Navigation>
// other codes
</header>
)
If you get stuck, check this video.
Using Font Awesome
Install (the free things) (if you have a pro license, read this) or this,
npm i --save @fortawesome/fontawesome-svg-core @fortawesome/react-fontawesome @fortawesome/free-regular-svg-icons @fortawesome/free-solid-svg-icons @fortawesome/free-brands-svg-icons
To import everything in one place instead of importing each icon into each separate file, we'll create a Font Awesome library. Create src/components/fontawesome.js
// import the library
import { library } from '@fortawesome/fontawesome-svg-core';
// import your icons
import { faHome, faFire, faEdit, } from '@fortawesome/free-solid-svg-icons';
library.add(
faHome, faFire, faEdit,
);
Note that, an icon fas fa-money-bill
will have name faMoneyBill
from free-solid-svg-icons
. In the case you wanna import an entire package,
import { library } from '@fortawesome/fontawesome-svg-core';
import { fab } from '@fortawesome/free-brands-svg-icons';
library.add(fab);
In src/pages/index.js
(for example),
import '../components/fontawesome'
import { FontAwesomeIcon } from '@fortawesome/react-fontawesome'
<FontAwesomeIcon icon={'home'} /> // for 'faHome' or 'fas fa-home'
<FontAwesomeIcon icon={['fab', 'github']} /> // for 'faGithub' or `fab fa-github`
π‘ Yes! fortawesome
is correct!!!
π‘ If you have a problem in that the icon is firstly flashing big and then smaller, you need to set the configuration autoAddCss
to false
,[ref]
import { config } from '@fortawesome/fontawesome-svg-core'
import "@fortawesome/fontawesome-svg-core/styles.css"
config.autoAddCss = false
Google Fonts
Using typeface.js
(search font in npmjs),
# install
npm install --save typeface-open-sans
# in gatsby-browser.js
require('typeface-open-sans');
Rebuild to see the result!
Below is the old method (it didn't work well, it doesn't contain font-weight 600 for Open Sans without reason).
npm install --save gatsby-plugin-prefetch-google-fonts
// in /gatsby-config.js
module.exports = {
plugins: [
{
resolve: `gatsby-plugin-prefetch-google-fonts`,
options: {
fonts: [
{
family: `Roboto Mono`,
variants: [`400`, `700`]
},
{
family: `Roboto`,
subsets: [`latin`]
},
],
},
}
]
}
Insert images / photos
π Note: Gatsby images.
Adding markdown posts
Posts (.md
files) are stored in /content/posts/
. Install gatsby-transformer-remark
,
npm install --save gatsby-transformer-remark
And add the following to gatsby-config.js
,
plugins: [
{
resolve: `gatsby-source-filesystem`,
options: {
name: `posts`,
path: `${__dirname}/content/posts`,
},
},
`gatsby-transformer-remark`,
// there may be already others like this
{
resolve: `gatsby-source-filesystem`,
options: {
name: `images`,
path: `${__dirname}/src/images`,
},
},
]
Create a file called post-1.md
in content/posts/
,
---
path: "/first-post"
date: "2019-05-04"
title: "My first blog post"
---
...read this and this example for more...
Display site / post info on browser tab
import Layout from "../layouts/base"
import Helmet from 'react-helmet'
const IndexPage = () => (
<Layout>
<Helmet title={`Thi | I failed my way to success`} />
</Layout>
)
Render html tag in a string
Instead of <p dangerouslySetInnerHTML={{ headerIntro }} />
, you can use <p dangerouslySetInnerHTML={{__html: headerIntro }} />
. If there is a html tag in headerIntro
, e.g. "<i>Hello</i>"
will be rendered as Hello.
JSX in Markdown
- Download and use MDX plugin.
- We have to put all
mdx
files in/src/pages
. The mdx files will be renders automatically! That's why we need to indicatedefaultLayouts
in/gatsby-config.js
[ref]. I have tried to render mdx in/content/pages/
but it didn't work! - For an example of using graphql in mdx file, check
/src/pages/about.mdx
. - For a specific page, one can use
props.pageContext.frontmatter.title
to take thetitle
of that page. - For writing pages, read this.
Create page template and markdown file
Suppose that you wanna create a page /about
taking content from file /content/pages/about.md
and it applies template /src/templates/page.js
. All you need to do is following this post.
- First, add to
/gatsby-config
. - Create
/src/templates/page.js
, - Create markdown file
/content/pages/about.md
. - Modify
/gatsby-node.js
to tell gatsby to create a page/about
fromabout.md
using templatepage.js
.
Errors?
π Requires...
# [email protected] requires a peer of [email protected]
npm i [email protected] --save
# [email protected] requires a peer of typescript@>=2.8.0
npm i typescript --save
π Cannot read property...
# TypeError: Cannot read property 'fileName' of undefined
Above error comes from inserting images using query. To overcome this, we have to use StaticQuery
which is introduced in Gatsby v2 (I don't know why it works!?) π The reason is that the (old) page query can only be added to page components (in my try, I add in Header.js
component). StaticQuery
can be used as a replacement of page query, it can be added to any component.[ref]
π Fail to build on Netlify Build script returned non-zero exit code: 127
,
- Delete
package-lock.json
, don't include it andnode_modules
on git. - Remove either
package.json
oryarn.lock
on Github (remove yarn). "version": "0.1",
is wrong, changing to"1.0.1"
is OK.- Try to debug with netlify on localhost.
π Fail to build on Netlify Can't resolve '../components/Header' in '/opt/build/repo/src/components'
for examples. π The problem comes from the original name of file Header.js
is header.js
. I renamed it to Header.js
but it's still actually header.js
(check the Github Desktop to see). You can change is to HeaderNew.js
to fix the problem!
π If you wanna use adjacent react components, you have to put them inside <>..</>
(React fragment) like below example,
return (
<>
<Navigation></Navigation>
<Header type={headerType} />
<span>Thi</span>
</>
)
This allows you to return multiple child components without appending additional nodes to the DOM.
π Warning: Each child in a list should have a unique "key" prop.
You have to make sure that each child of a list in react component has a unique key. For example
// error
{links.map(link => (
<>
<span key={link.name}> Thi </span>
<Link key={link.name}> {link.name} </Link>
</>
))}
// but this
{links.map(link => (
<span key={link.name}>
<span> Thi </span>
<Link> {link.name} </Link>
</>
))}
References
- Official documentation.
- Examples.
- Gatsby Docs -- Tutorials (step-by-step).
- React Bootstrap -- get the components.
- React Main Concepts -- understand some main concepts in React.
- JSX in depth -- understand the syntax of JSX.
- w3schools -- React Tutorial.
- The Fullstack Tutorial for GraphQL
π¬ Comments