Next.js Getting Started Tutorial

Next.js Getting Started Tutorial

Introduction

Next.js is a lightweight React server-side rendering application framework.

Official website link: www.nextjs.cn/

advantage:

Zero configuration automatic compilation and packaging. Optimized for production environments from the start.

Hybrid Mode: SSG and SSR
Support both build-time prerendering (SSG) and request-time rendering (SSR) in one project

Incremental static generation incrementally adds and updates static pre-rendered pages after a build.

TypeScript support
Automatically configure and compile TypeScript.

Fast Refresh A fast, reliable real-time editing experience proven at scale on Facebook-class apps.

File system-based routing Each component in the pages directory is a route.

API Routes create API endpoints (optional) to provide backend functionality.

Built-in support for CSS
Use CSS Modules to create component-level styles. Built-in support for Sass.

Code splitting and bundling uses an optimized bundling and splitting algorithm created by the Google Chrome team.

Create a Next.js project

Manually create a Next.js project

mkdir nextDemo //Create a project npm init //Initialize the project npm i react react-dom next --save //Add dependencies

Add shortcut commands in package.json

 "scripts": {
    "test": "echo \"Error: no test specified\" && exit 1",
    "dev" : "next" ,
    "build" : " next build",
    "start" : "next start"
  },

Create pages folder and files

Create a pages folder in the project root directory and create an index.js file in the pages folder

function Index(){
    return (
        <div>Hello Next.js</div>
    )
}
export default Index

Run the project

npm run dev

creact-next-app quickly creates a project

create-next-app can quickly create a Next.js project, it is a scaffolding.

npm install -g create-next-app //Global installation of scaffolding create-next-app nextDemo //Create a project based on scaffolding cd nextDemo
npm run dev //Run the project

Directory structure introduction:

  • Components folder: This is where you put your own components. The components here do not include pages, but refer to public or special-purpose components.
  • node_modules folder: All the dependent packages of the Next project are here. Generally, we will not modify or edit the contents here.
  • Pages folder: This is where pages are placed. The content here will automatically generate routes and render on the server side. After rendering, data will be synchronized.
  • static folder: This is a static folder. For example, pictures, icons and static resources required for the project can be placed here.
  • .gitignore file: This mainly controls git submission and upload of files, which means ignore submission in short.
  • package.json file: defines the files and configuration information (name, version, and license) required by the project. The most important thing is to use npm install to download all the packages required by the project.

Pages

In Next.js, a page is a React component exported from a .js, jsx, .ts or .tsx file, which is stored in the pages directory. Each page uses its file name as a route.

If you create a file called pages/about.js and export a React component like the following, you can access it at the /about path.

routing

There are generally two forms of page jump. The first is to use the tag <Link>, and the second is to jump using js programming, that is, using the Router component.

Link

import React from 'react'
import Link from 'next/link'
const Home = () => (
  <>
    <div>I am the home page</div>
    <div><Link href="/pageA" rel="external nofollow" rel="external nofollow" rel="external nofollow" ><a>Go to page A</a></Link></div>
    <div><Link href="/pageB" rel="external nofollow" ><a>Go to page B</a></Link></div>

  </>
)

export default Home

Note: It is very easy to jump using the <Link> tag, but there is another small pitfall that you need to pay attention to, that is, it does not support the situation where brother tags are placed side by side.

 //Wrong way to write <div>
  <Link href="/pageA" rel="external nofollow" rel="external nofollow" rel="external nofollow" >
    <span>Go to page A</span>
    <span>Front-end blog</span>
  </Link>
</div>

//Correct writing <Link href="/pageA" rel="external nofollow" rel="external nofollow" rel="external nofollow" >
  <a>
    <span>Go to page A</span>
    <span>Front-end blog</span>
  </a>
</Link>

Router

import Router from 'next/router'

<button onClick={()=>{Router.push('/pageA')}}>Go to page A</button>

Parameter passing and receiving

In Next.js, parameters can only be passed through query (?id=1), not through (path:id).

import Link from 'next/link'

//Pass <Link href="/blogDetail?bid=23" rel="external nofollow" ><a>{blog.title}</a></Link>

    
    
//blog.js
import { withRouter} from 'next/router'
import Link from 'next/link'

const BlogDetail = ({router})=>{
    return (
        <>
            <div>blog id: {router.query.name}</div>
            <Link href="/" rel="external nofollow" ><a>Return to Home Page</a></Link>
        </>
    )
}
//withRouter is an advanced component of the Next.js framework, used to handle routing export default withRouter(BlogDetail)


/****************************************************************************************/
import Router from 'next/router'

<button onClick={gotoBlogDetail} >Blog details</button>

function gotoBlogDetail(){
    Router.push('/blogDetail?bid=23')
}

//object form function gotoBlogDetail(){
    Router.push({
        pathname:"/blogDetail",
        query:{
            bid:23
        }
    })
}

<Link href={{pathname:'/blogDetail',query:{bid:23}}><a>Blog Details</a></Link>

Dynamic Routing

pages/post/[pid].js
route : /post/abc --> query : { "pid": "abc" }


pages/post/[pid]/[comment].js
route : /post/abc/a-comment --> query : { "pid": "abc", "comment": "a-comment" }

Hook Events

You can do a lot of things with hook events, such as loading animations during transitions, turning off some resource counters on the page...

//When the route changes, Router.events.on('routeChangeStart',(...args)=>{
    console.log('1.routeChangeStart->Route starts changing, parameters are:',...args)
})

//When the route changes, Router.events.on('routeChangeComplete',(...args)=>{
    console.log('routeChangeComplete->Route change completed, parameters:',...args)
})

//Browser history before triggering Router.events.on('beforeHistoryChange',(...args)=>{
    console.log('3, beforeHistoryChange-> Triggered before changing the browser history, parameters:',...args)
})

//When an error occurs in the route jump, Router.events.on('routeChangeError',(...args)=>{
    console.log('4, routeChangeError-> Redirect error, parameter:',...args)
})

/********************************hash route***********************************/

Router.events.on('hashChangeStart',(...args)=>{
    console.log('5, hashChangeStart->hash is executed when the jump starts, the parameters are:',...args)
})

Router.events.on('hashChangeComplete',(...args)=>{
    console.log('6, hashChangeComplete->hash jump completed, the parameters are:',...args)
})

Get data

getStaticProps

Requesting data at build time

During the build phase, the page is built into a static HTML file, so that the HTML file can be directly accessed online with extremely high performance.

Use the getStaticProps method to return the data required by the page during the build phase.
If it is a dynamically routed page, use the getStaticPaths method to return all routing parameters and whether a fallback mechanism is required.

// posts will be populated at build time by getStaticProps()
function Blog({ posts }) {
  return (
    <ul>
      {posts.map((post) => (
        <li>{post.title}</li>
      ))}
    </ul>
  )
}

// This function gets called at build time on server-side.
// It won't be called on client-side, so you can even do
// direct database queries. See the "Technical details" section.
export async function getStaticProps(context) {
  // Call an external API endpoint to get posts.
  // You can use any data fetching library
  const res = await fetch('https://.../posts')
  const posts = await res.json()

  // By returning { props: { posts } }, the Blog component
  // will receive `posts` as a prop at build time
  return {
    props: {
      posts,
    },
  }
}

export default Blog

getServerSideProps

Request data on every visit

Export an async getServerSideProps method in the page, and next will call this method on the server every time a request is made.

  • The method will only run on the server side, and the getServerSideProps method will be run on each request.
  • If the page is navigated from the browser-side Link component, Next will send a request to the server, run the getServerSideProps method on the server, and then return JSON to the browser.
function Page({ data }) {
  // Render data...
}

// This gets called on every request
export async function getServerSideProps(context) {
  // Fetch data from external API
  const res = await fetch(`https://.../data`)
  const data = await res.json()

  // Pass data to the page via props
  return { props: { data } }
}

export default Page

CSS Support

Adding a global stylesheet

To add the stylesheet to your application, import the CSS file in the pages/_app.js file.
In production, all CSS files will be automatically merged into a single minified .css file.
You should only import the stylesheet in the pages/_app.js file.
Starting with Next.js 9.5.4, you can import CSS files from the node_modules directory anywhere in your application.
For the CSS required to import third-party components, you can do it in the component.

Adding component-level CSS

[name].module.css
//login.module.css
.loginDiv{
    color: red;
}

//Modify third-party style.loginDiv:global(.active){
    color:rgb(30, 144, 255) !important;
}
import styles from './login.module.css'
<div className={styles.loginDiv}/>

Next.js allows you to import Sass files with .scss and .sass extensions. You can use components and Sass via CSS Modules and the .module.scss or .module.sass extensions.

npm i sass --save

If you want to configure the Sass compiler, you can use the sassOptions parameter in the next.config.js file.

const path = require('path')

module.exports = {
  sassOptions: {
    includePaths: [path.join(__dirname, 'styles')],
  },
}

CSS-in-JS

Any existing CSS-in-JS solution can be used. The simplest one is inline style:

<p style={{ color: 'red' }}>hi there</p>

Components using styled-jsx look like this

function HelloWorld() {
  return (
    <div>
      Hello world
      <p>scoped!</p>
      <style jsx>{`
        p {
          color: blue;
        }
        div {
          background: red;
        }
        @media (max-width: 600px) {
          div {
            background: blue;
          }
        }
      `}</style>
      <style global jsx>{`
        body {
          background: black;
        }
      `}</style>
    </div>
  )
}

export default HelloWorld

Custom Header

<Head>
    <title>Technical fat people are the fattest! </title>
    <meta charSet='utf-8' />
</Head>

This is the end of this article about the Next.js introductory tutorial. For more Next.js introductory content, please search 123WORDPRESS.COM’s previous articles or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • How to use next.js to develop URL shortening service
  • Detailed explanation of the optimization solution for Next.js page rendering
  • Next.js implements react server-side rendering example
  • Next.js Project Practical Guide (Notes)
  • Detailed explanation of building server-side rendering applications using Next.js

<<:  MySQL 5.7.17 winx64 decompression version installation and configuration method graphic tutorial

>>:  Using Apache ab to perform http performance testing

Recommend

UTF-8 and GB2312 web encoding

Recently, many students have asked me about web p...

Detailed explanation of COLLATION examples in MySQL that you may have overlooked

Preface The string types of MySQL database are CH...

JavaScript implements Tab bar switching effects

Here is a case that front-end developers must kno...

Mini Program to Implement Sieve Lottery

This article example shares the specific code of ...

What is WML?

WML (Wireless Markup Language). It is a markup la...

js dynamically adds example code for a list of circled numbers

1. Add the ul tag in the body first <!-- Unord...

In-depth understanding of umask in new linux file permission settings

Preface The origin is a question 1: If your umask...

Solution to running out of MySQL's auto-increment ID (primary key)

There are many types of auto-increment IDs used i...

Introduction to the use of several special attribute tags in HTML

The following attributes are not very compatible w...

Detailed explanation of Alibaba Cloud security rule configuration

Two days ago, I took advantage of the Double 11 s...

Best Practices Guide for Storing Dates in MySQL

Table of contents Preface Do not use strings to s...

MySQL 5.7.25 installation and configuration method graphic tutorial

There are two types of MySQL installation files, ...

CentOS 6 uses Docker to deploy redis master-slave database operation example

This article describes how to use docker to deplo...

The most complete 50 Mysql database query exercises

This database query statement is one of 50 databa...