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 :
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:
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></divider> <space> <button ref="{ref1}">Upload</button> <button ref="{ref2}" type="primary">Save</button> <button ref="{ref3}" icon="{<EllipsisOutlined"></button>} /> </space> <tour open="{open}" onclose="{()"> setOpen(false)} steps={steps} /> > ); }; export default App; </tour>
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 :
import { RouterProvider } from "react-router-dom"; import AppRouter from "./routes"; export default function App() { return <routerprovider router="{AppRouter}"></routerprovider>; }
export const ROUTE_NAMES = { HOME: "/", ABOUT: "/about", };
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></home>)), GetRoute(ROUTE_NAMES.ABOUT, WithAppLayout(<about></about>)), GetRoute( "*", <result status="404" title="404" subtitle="Sorry, the page you visited does not exist."></result> ), ]); export default AppRouter;
Step 1: Set Up a Global Tour Context
We use React Context to manage the tour's global state, including the active tour steps.
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;
Step 2: Define Global Tour Steps
Instead of React refs, we use querySelector to dynamically fetch elements by a custom data-tour-id attribute.
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") }, ], };
Step 3: Create a Global Tour Component
This component dynamically handles navigation and steps across pages.
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); } }} /> ); }; </tour>
Step 4: Integrate into App Layout
The tour is seamlessly integrated into the layout, accessible from any page.
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 to="/about">About <button onclick="{()"> setTourActive(true)}>Start Tour</button> </header> <content>{children}</content> <footer>© {new Date().getFullYear()} My App</footer> <globaltour></globaltour> </layout> ); }; export default AppLayout;
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
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"></button>} /> > ); };
export const About = () => { return <div data-tour-id="about">About</div>; };
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!

Detailed explanation of JavaScript string replacement method and FAQ This article will explore two ways to replace string characters in JavaScript: internal JavaScript code and internal HTML for web pages. Replace string inside JavaScript code The most direct way is to use the replace() method: str = str.replace("find","replace"); This method replaces only the first match. To replace all matches, use a regular expression and add the global flag g: str = str.replace(/fi

Leverage jQuery for Effortless Web Page Layouts: 8 Essential Plugins jQuery simplifies web page layout significantly. This article highlights eight powerful jQuery plugins that streamline the process, particularly useful for manual website creation

So here you are, ready to learn all about this thing called AJAX. But, what exactly is it? The term AJAX refers to a loose grouping of technologies that are used to create dynamic, interactive web content. The term AJAX, originally coined by Jesse J

This post compiles helpful cheat sheets, reference guides, quick recipes, and code snippets for Android, Blackberry, and iPhone app development. No developer should be without them! Touch Gesture Reference Guide (PDF) A valuable resource for desig

jQuery is a great JavaScript framework. However, as with any library, sometimes it’s necessary to get under the hood to discover what’s going on. Perhaps it’s because you’re tracing a bug or are just curious about how jQuery achieves a particular UI

10 fun jQuery game plugins to make your website more attractive and enhance user stickiness! While Flash is still the best software for developing casual web games, jQuery can also create surprising effects, and while not comparable to pure action Flash games, in some cases you can also have unexpected fun in your browser. jQuery tic toe game The "Hello world" of game programming now has a jQuery version. Source code jQuery Crazy Word Composition Game This is a fill-in-the-blank game, and it can produce some weird results due to not knowing the context of the word. Source code jQuery mine sweeping game

Article discusses creating, publishing, and maintaining JavaScript libraries, focusing on planning, development, testing, documentation, and promotion strategies.

This tutorial demonstrates how to create a captivating parallax background effect using jQuery. We'll build a header banner with layered images that create a stunning visual depth. The updated plugin works with jQuery 1.6.4 and later. Download the


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Dreamweaver CS6
Visual web development tools

WebStorm Mac version
Useful JavaScript development tools

Notepad++7.3.1
Easy-to-use and free code editor

MinGW - Minimalist GNU for Windows
This project is in the process of being migrated to osdn.net/projects/mingw, you can continue to follow us there. MinGW: A native Windows port of the GNU Compiler Collection (GCC), freely distributable import libraries and header files for building native Windows applications; includes extensions to the MSVC runtime to support C99 functionality. All MinGW software can run on 64-bit Windows platforms.

Atom editor mac version download
The most popular open source editor
