Home Web Front-end JS Tutorial Designing and Implementing Ant Design Global App Tour for React Apps.

Designing and Implementing Ant Design Global App Tour for React Apps.

Dec 25, 2024 am 12:25 AM

User tours are an invaluable usability feature for web applications. They allow you to onboard new users effectively, providing step-by-step guides to help them understand the software. Tours can also serve as a quick reference for recurring tasks or advanced features.

The Goal: Cross-Page Tour Solution

We aim to create a solution that allows you to create onboarding experience that span across multiple pages in the react application. Here is how it looks :

Designing and Implementing Ant Design Global App Tour for React Apps.

Ant Design Tour: A Local Solution

Ant Design provides a Tour component to create interactive guides. However, it has some limitations:

  • It works locally within a single component.
  • It relies heavily on React refs, making it less flexible for applications spanning multiple pages.

Here’s an example from the official documentation that demonstrates a basic local implementation:

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

import React, { useRef, useState } from 'react';

import { EllipsisOutlined } from '@ant-design/icons';

import { Button, Divider, Space, Tour } from 'antd';

 

const App = () => {

  const ref1 = useRef(null);

  const ref2 = useRef(null);

  const ref3 = useRef(null);

 

  const [open, setOpen] = useState(false);

 

  const steps = [

    { title: 'Upload File', description: 'Put your files here.', target: () => ref1.current },

    { title: 'Save', description: 'Save your changes.', target: () => ref2.current },

    { title: 'Other Actions', description: 'Click to see other actions.', target: () => ref3.current },

  ];

 

  return (

    <>

      <Button type="primary" onClick={() => setOpen(true)}>Begin Tour</Button>

      <Divider />

      <Space>

        <Button ref={ref1}>Upload</Button>

        <Button ref={ref2} type="primary">Save</Button>

        <Button ref={ref3} icon={<EllipsisOutlined />} />

      </Space>

      <Tour open={open} onClose={() => setOpen(false)} steps={steps} />

    </>

  );

};

 

export default App;

Copy after login

While this implementation works well for single pages, it falls short in scenarios where tours span across pages in your React application.


Here’s how we implement this:


Pre steps , app.jsx, routes.jsx, routesNames.js :

1

2

3

4

5

6

import { RouterProvider } from "react-router-dom";

import AppRouter from "./routes";

 

export default function App() {

  return <RouterProvider router={AppRouter} />;

}

Copy after login

1

2

3

4

export const ROUTE_NAMES = {

  HOME: "/",

  ABOUT: "/about",

};

Copy after login

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

27

28

29

30

31

32

33

34

35

36

37

38

39

40

41

42

43

44

45

46

47

48

49

50

51

52

53

import AppLayout from "./AppLayout";

import { createBrowserRouter } from "react-router-dom";

import { ROUTE_NAMES } from "./routeNames";

import { Home } from "./components/Home";

import { About } from "./components/About";

import { Result } from "antd";

import {TourProvider} from "./TourContext";

 

const GetItem = (label, key, icon, to, children = [], type) => {

  return !to

    ? {

      key,

      icon,

      children,

      label,

      type,

    }

    : {

      key,

      icon,

      to,

      label,

    };

};

 

const GetRoute = (path, element, params = null) => {

  return {

    path,

    element,

  };

};

 

const WithAppLayout = (Component) => <TourProvider><AppLayout>{Component}</AppLayout></TourProvider>;

 

export const routeItems = [

  GetItem("Home", "home", null, ROUTE_NAMES.HOME),

  GetItem("About", "about", null, ROUTE_NAMES.ABOUT),

];

 

const AppRouter = createBrowserRouter([

  GetRoute(ROUTE_NAMES.HOME, WithAppLayout(<Home />)),

  GetRoute(ROUTE_NAMES.ABOUT, WithAppLayout(<About />)),

  GetRoute(

    "*",

    <Result

      status="404"

      title="404"

      subTitle="Sorry, the page you visited does not exist."

    />

  ),

]);

 

export default AppRouter;

Copy after login

Step 1: Set Up a Global Tour Context

We use React Context to manage the tour's global state, including the active tour steps.

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

import React, { createContext, useState, useEffect } from "react";

import { useNavigate } from "react-router-dom";

import { APP_TOURS } from "./steps";

 

const TourContext = createContext();

 

export const TourProvider = ({ children }) => {

  const [isTourActive, setTourActive] = useState(false);

  const navigate = useNavigate();

 

  useEffect(() => {

    if (isTourActive) {

      navigate("/home"); // Redirect to the starting point of the tour

    }

  }, [isTourActive, navigate]);

 

  return (

    <TourContext.Provider value={{ isTourActive, setTourActive, steps: APP_TOURS }}>

      {children}

    </TourContext.Provider>

  );

};

 

export default TourContext;

Copy after login

Step 2: Define Global Tour Steps

Instead of React refs, we use querySelector to dynamically fetch elements by a custom data-tour-id attribute.

1

2

3

4

5

6

7

8

9

10

11

12

const getTourStepElement = (id) => document.querySelector(`[data-tour-id="${id}"]`);

 

export const APP_TOURS = {

  "/home": [

    { title: "Upload File", description: "Put your files here.", target: () => getTourStepElement("upload") },

    { title: "Save", description: "Save your changes.", target: () => getTourStepElement("save") },

    { type: "navigate", to: "/about", title: "About Us", description: "Learn more about us." },

  ],

  "/about": [

    { title: "About Us", description: "Here's what we are all about.", target: () => getTourStepElement("about") },

  ],

};

Copy after login

Step 3: Create a Global Tour Component

This component dynamically handles navigation and steps across pages.

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

import React, { useContext } from "react";

import { Tour } from "antd";

import { useNavigate } from "react-router-dom";

import TourContext from "./TourContext";

 

export const GlobalTour = () => {

  const { isTourActive, steps, setTourActive } = useContext(TourContext);

  const navigate = useNavigate();

 

  return (

    <Tour

      open={isTourActive}

      onClose={() => setTourActive(false)}

      steps={steps}

      onChange={(current) => {

        const step = steps[current];

        if (step.type === "navigate") {

          navigate(step.to);

        }

      }}

    />

  );

};

Copy after login

Step 4: Integrate into App Layout

The tour is seamlessly integrated into the layout, accessible from any page.

1

2

3

4

5

6

7

8

9

10

11

12

13

14

15

16

17

18

19

20

21

22

23

24

25

26

import React, { useContext } from "react";

import { Layout, Button } from "antd";

import { Link } from "react-router-dom";

import TourContext from "./TourContext";

import { GlobalTour } from "./GlobalTour";

 

const { Header, Content, Footer } = Layout;

 

const AppLayout = ({ children }) => {

  const { setTourActive } = useContext(TourContext);

 

  return (

    <Layout>

      <Header>

        <Link to="/home">Home</Link>

        <Link to="/about">About</Link>

        <Button onClick={() => setTourActive(true)}>Start Tour</Button>

      </Header>

      <Content>{children}</Content>

      <Footer>© {new Date().getFullYear()} My App</Footer>

      <GlobalTour />

    </Layout>

  );

};

 

export default AppLayout;

Copy after login

Step 5: Add steps tour IDs

Since our tour span across multiple pages , we will assig data-tour-id for each component we want to highlight in our steps

1

2

3

4

5

6

7

8

9

10

11

12

13

import { Button, Space } from "antd";

import { EllipsisOutlined } from "@ant-design/icons";

export const Home = () => {

  return (

    <>

      <Button data-tour-id="upload" >Upload</Button>

      <Button data-tour-id="save" type="primary">

        Save

      </Button>

      <Button data-tour-id="actions" icon={<EllipsisOutlined />} />

    </>

  );

};

Copy after login

1

2

3

export const About = () => {

  return <div data-tour-id="about">About</div>;

};

Copy after login

The above is the detailed content of Designing and Implementing Ant Design Global App Tour for React Apps.. For more information, please follow other related articles on the PHP Chinese website!

Statement of this Website
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

Video Face Swap

Video Face Swap

Swap faces in any video effortlessly with our completely free AI face swap tool!

Hot Tools

Notepad++7.3.1

Notepad++7.3.1

Easy-to-use and free code editor

SublimeText3 Chinese version

SublimeText3 Chinese version

Chinese version, very easy to use

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)

What should I do if I encounter garbled code printing for front-end thermal paper receipts? What should I do if I encounter garbled code printing for front-end thermal paper receipts? Apr 04, 2025 pm 02:42 PM

Frequently Asked Questions and Solutions for Front-end Thermal Paper Ticket Printing In Front-end Development, Ticket Printing is a common requirement. However, many developers are implementing...

Demystifying JavaScript: What It Does and Why It Matters Demystifying JavaScript: What It Does and Why It Matters Apr 09, 2025 am 12:07 AM

JavaScript is the cornerstone of modern web development, and its main functions include event-driven programming, dynamic content generation and asynchronous programming. 1) Event-driven programming allows web pages to change dynamically according to user operations. 2) Dynamic content generation allows page content to be adjusted according to conditions. 3) Asynchronous programming ensures that the user interface is not blocked. JavaScript is widely used in web interaction, single-page application and server-side development, greatly improving the flexibility of user experience and cross-platform development.

Who gets paid more Python or JavaScript? Who gets paid more Python or JavaScript? Apr 04, 2025 am 12:09 AM

There is no absolute salary for Python and JavaScript developers, depending on skills and industry needs. 1. Python may be paid more in data science and machine learning. 2. JavaScript has great demand in front-end and full-stack development, and its salary is also considerable. 3. Influencing factors include experience, geographical location, company size and specific skills.

Is JavaScript hard to learn? Is JavaScript hard to learn? Apr 03, 2025 am 12:20 AM

Learning JavaScript is not difficult, but it is challenging. 1) Understand basic concepts such as variables, data types, functions, etc. 2) Master asynchronous programming and implement it through event loops. 3) Use DOM operations and Promise to handle asynchronous requests. 4) Avoid common mistakes and use debugging techniques. 5) Optimize performance and follow best practices.

How to merge array elements with the same ID into one object using JavaScript? How to merge array elements with the same ID into one object using JavaScript? Apr 04, 2025 pm 05:09 PM

How to merge array elements with the same ID into one object in JavaScript? When processing data, we often encounter the need to have the same ID...

How to achieve parallax scrolling and element animation effects, like Shiseido's official website?
or:
How can we achieve the animation effect accompanied by page scrolling like Shiseido's official website? How to achieve parallax scrolling and element animation effects, like Shiseido's official website? or: How can we achieve the animation effect accompanied by page scrolling like Shiseido's official website? Apr 04, 2025 pm 05:36 PM

Discussion on the realization of parallax scrolling and element animation effects in this article will explore how to achieve similar to Shiseido official website (https://www.shiseido.co.jp/sb/wonderland/)...

The Evolution of JavaScript: Current Trends and Future Prospects The Evolution of JavaScript: Current Trends and Future Prospects Apr 10, 2025 am 09:33 AM

The latest trends in JavaScript include the rise of TypeScript, the popularity of modern frameworks and libraries, and the application of WebAssembly. Future prospects cover more powerful type systems, the development of server-side JavaScript, the expansion of artificial intelligence and machine learning, and the potential of IoT and edge computing.

The difference in console.log output result: Why are the two calls different? The difference in console.log output result: Why are the two calls different? Apr 04, 2025 pm 05:12 PM

In-depth discussion of the root causes of the difference in console.log output. This article will analyze the differences in the output results of console.log function in a piece of code and explain the reasons behind it. �...

See all articles