search
HomeWeb Front-endJS TutorialLet's talk about routing in Angular

Let's talk about routing in Angular

Jun 21, 2021 am 10:35 AM
angularroutingrouting

This article will introduce you to routing in Angular. It has certain reference value. Friends in need can refer to it. I hope it will be helpful to everyone.

Let's talk about routing in Angular

Environment:

  • Angular CLI: 11.0.6
  • Angular: 11.0.7
  • Node: 12.18.3
  • npm : 6.14.6
  • IDE: Visual Studio Code

1. Summary

Simply speaking, in the address bar, different addresses (URL) correspond to different pages, which is routing. Also, by clicking the browser's forward and back buttons, the browser will navigate forward or backward in your browsing history, again based on routing. [Related tutorial recommendations: "angular Tutorial"]

In Angular, Router is an independent module, defined in the @angular/router module,

  • Router can cooperate with NgModule to perform lazy loading (lazy loading) and preloading operations of modules (refer to "Angular Getting Started to Mastery Series Tutorials (11) - Module (NgModule), Delayed Loading Module");

  • Router will manage the life cycle of components, and it will be responsible for creating and destroying components.

For a new AngularCLI-based project, you can add the AppRoutingModule to app.component.ts by default through the option during initialization.

2. Basic usage of Router

2.1. Preparation

We first create 2 pages to illustrate the use of routing:

ng g c page1
ng g c page2

Use the above AnuglarCLI command to create two components, Page1Component and Page2Component.

2.2. Register route

//src\app\app-routing.module.ts
const routes: Routes = [
  {
    path: 'page1',
    component: Page1Component
  },
  {
    path: 'page2',
    component: Page2Component
  },
];

@NgModule({
  imports: [RouterModule.forRoot(routes)],
  exports: [RouterModule],
})
export class AppRoutingModule {}

As you can see, simple route registration only requires two attributes, path and component, to define the route respectively. The relative path, and response component of this route.

2.3. Usage in html

<a routerLink="page1">Page1</a> |
<a routerLink="page2">Page2</a>

In the html template, directly use the routerLink attribute to identify the angular route. After executing the code, you can see two hyperlinks, Page1 and Page2. Click to see that the address bar address is changed to http://localhost:4200/page2 or http://localhost:4200/page1. The page content is in page1 and page2. Switching

2.4. Usage in ts code

Sometimes, it is necessary to jump based on the business logic in ts. In ts, Router instance needs to be injected, such as

constructor(private router: Router) {}

Jump code:

  // 跳转到 /page1
  this.router.navigate([&#39;/page1&#39;]);

  // 跳转到 /page1/123
  this.router.navigate([&#39;/page1&#39;, 123]);

3. Receive parameters

##3.1 . Parameters in the path

Generally speaking, we use the parameters as a segment in the URL, such as /users/1, which represents the user whose id is 1, and the route is defined as "/users /id" style.

For our simple page, for example, our page1 page can pass the id parameter, then we need to modify our routing to:

const routes: Routes = [
  {
    path: &#39;page1/:id&#39;,    //接收id参数
    component: Page1Component,
  },
  {
    // 实现可选参数的小技巧。 这个routing处理没有参数的url
    path: &#39;page1&#39;,        
    redirectTo: &#39;page1/&#39;,   // 跳转到&#39;page1/:id&#39;
  },
  {
    path: &#39;page2&#39;,
    component: Page2Component,
  },
];

tsWhen the code reads parameters, it first needs to inject ActivatedRoute, The code is as follows:

constructor(private activatedRoute: ActivatedRoute) {}

ngOnInit(): void {
  this.activatedRoute.paramMap.subscribe((params) => {
    console.log(&#39;Parameter id: &#39;, params.get(&#39;id&#39;));

    // 地址 http://localhost:4200/page1/33   
    // 控制台输出:Query Parameter name:  33

    // 地址 http://localhost:4200/page1/     
    // 控制台输出:Query Parameter name:   (实际结果为undefined)
  });
}

3.2. Parameters in the parameter (QueryParameter)

There is another way to write the parameter, such as http:// localhost:4200/?name=cat, that is, after the URL address, add a question mark '?', and then add the parameter name and parameter value ('name=cat'). This is called a query parameter (QueryParameter).

When taking this query parameter, it is similar to the previous routing parameter, except that paramMap is changed to queryParamMap. The code is as follows:

this.activatedRoute.queryParamMap.subscribe((params) => {
  console.log(&#39;Query Parameter name: &#39;, params.get(&#39;name&#39;));

  // 地址 http://localhost:4200/page1?name=cat
  // 控制台输出:Query Parameter name:  cat

  // 地址 http://localhost:4200/page1/
  // 控制台输出:Query Parameter name:   (实际结果为undefined)
});

4. URL path display format

Different from traditional pure static (html) sites, the URL in angular does not correspond to a real file (page), because angular takes over the routing (Routing) processing to decide which component to display to the end user. In order to adapt to different scenarios, Angular has two URL path display formats:

  • http://localhost:4200/page1/123

  • http://localhost:4200/#/page1/123

The default is the first one, without adding #. If necessary, you can add

useHash: true to app-routing.ts, such as:

// app-routing.ts
@NgModule({
  imports: [RouterModule.forRoot(routes, { useHash: true })],
  exports: [RouterModule],
})

5. Problems encountered during deployment

Similarly, because anuglar takes over the routing (Routing) processing, there will be different techniques (requirements) when deploying to servers such as iis, nginx, etc. For detailed reference:

https://github.com /angular-ui/ui-router/wiki/Frequently-Asked-Questions#how-to-configure-your-server-to-work-with-html5mode

6. Summary

  • angular does not support optional routing by default (e.g. /user/:id?), but we can define 2 routes pointing to the same Component to achieve this and achieve code reuse; ( Or use redirectTo)

  • You can use the useHash parameter to add a # before the augular path;

  • When reading parameters, you need to subscribe. Once, it cannot be read directly.

  • For deployment issues after packaging, check the official wifi (https://github.com/angular-ui/ui-router/wiki/Frequently-Asked-Questions#how-to-configure-your- server-to-work-with-html5mode)

For more programming-related knowledge, please visit: Introduction to Programming! !

The above is the detailed content of Let's talk about routing in Angular. For more information, please follow other related articles on the PHP Chinese website!

Statement
This article is reproduced at:csdn. If there is any infringement, please contact admin@php.cn delete
Javascript Data Types : Is there any difference between Browser and NodeJs?Javascript Data Types : Is there any difference between Browser and NodeJs?May 14, 2025 am 12:15 AM

JavaScript core data types are consistent in browsers and Node.js, but are handled differently from the extra types. 1) The global object is window in the browser and global in Node.js. 2) Node.js' unique Buffer object, used to process binary data. 3) There are also differences in performance and time processing, and the code needs to be adjusted according to the environment.

JavaScript Comments: A Guide to Using // and /* */JavaScript Comments: A Guide to Using // and /* */May 13, 2025 pm 03:49 PM

JavaScriptusestwotypesofcomments:single-line(//)andmulti-line(//).1)Use//forquicknotesorsingle-lineexplanations.2)Use//forlongerexplanationsorcommentingoutblocksofcode.Commentsshouldexplainthe'why',notthe'what',andbeplacedabovetherelevantcodeforclari

Python vs. JavaScript: A Comparative Analysis for DevelopersPython vs. JavaScript: A Comparative Analysis for DevelopersMay 09, 2025 am 12:22 AM

The main difference between Python and JavaScript is the type system and application scenarios. 1. Python uses dynamic types, suitable for scientific computing and data analysis. 2. JavaScript adopts weak types and is widely used in front-end and full-stack development. The two have their own advantages in asynchronous programming and performance optimization, and should be decided according to project requirements when choosing.

Python vs. JavaScript: Choosing the Right Tool for the JobPython vs. JavaScript: Choosing the Right Tool for the JobMay 08, 2025 am 12:10 AM

Whether to choose Python or JavaScript depends on the project type: 1) Choose Python for data science and automation tasks; 2) Choose JavaScript for front-end and full-stack development. Python is favored for its powerful library in data processing and automation, while JavaScript is indispensable for its advantages in web interaction and full-stack development.

Python and JavaScript: Understanding the Strengths of EachPython and JavaScript: Understanding the Strengths of EachMay 06, 2025 am 12:15 AM

Python and JavaScript each have their own advantages, and the choice depends on project needs and personal preferences. 1. Python is easy to learn, with concise syntax, suitable for data science and back-end development, but has a slow execution speed. 2. JavaScript is everywhere in front-end development and has strong asynchronous programming capabilities. Node.js makes it suitable for full-stack development, but the syntax may be complex and error-prone.

JavaScript's Core: Is It Built on C or C  ?JavaScript's Core: Is It Built on C or C ?May 05, 2025 am 12:07 AM

JavaScriptisnotbuiltonCorC ;it'saninterpretedlanguagethatrunsonenginesoftenwritteninC .1)JavaScriptwasdesignedasalightweight,interpretedlanguageforwebbrowsers.2)EnginesevolvedfromsimpleinterpreterstoJITcompilers,typicallyinC ,improvingperformance.

JavaScript Applications: From Front-End to Back-EndJavaScript Applications: From Front-End to Back-EndMay 04, 2025 am 12:12 AM

JavaScript can be used for front-end and back-end development. The front-end enhances the user experience through DOM operations, and the back-end handles server tasks through Node.js. 1. Front-end example: Change the content of the web page text. 2. Backend example: Create a Node.js server.

Python vs. JavaScript: Which Language Should You Learn?Python vs. JavaScript: Which Language Should You Learn?May 03, 2025 am 12:10 AM

Choosing Python or JavaScript should be based on career development, learning curve and ecosystem: 1) Career development: Python is suitable for data science and back-end development, while JavaScript is suitable for front-end and full-stack development. 2) Learning curve: Python syntax is concise and suitable for beginners; JavaScript syntax is flexible. 3) Ecosystem: Python has rich scientific computing libraries, and JavaScript has a powerful front-end framework.

See all articles

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 Article

Hot Tools

Zend Studio 13.0.1

Zend Studio 13.0.1

Powerful PHP integrated development environment

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

VSCode Windows 64-bit Download

VSCode Windows 64-bit Download

A free and powerful IDE editor launched by Microsoft

Safe Exam Browser

Safe Exam Browser

Safe Exam Browser is a secure browser environment for taking online exams securely. This software turns any computer into a secure workstation. It controls access to any utility and prevents students from using unauthorized resources.

SublimeText3 Mac version

SublimeText3 Mac version

God-level code editing software (SublimeText3)