我有一个简单的Angular.io应用程序。 (angular-cli/4.1.0)

我有一个NavbarComponent呈现用户名。

第一次访问该应用程序时,我没有登录,我的应用程序重定向到LoginComponent。我的导航栏也被渲染,但是没有用户名。成功登录后,我将重定向到我的HomeComponent。

这就是问题所在。我的导航栏不显示用户名。但是,如果我执行refresh/ctrl + r,则呈现用户名。

怎么了?

app.component.html

<nav-bar></nav-bar>
<router-outlet></router-outlet>

navbar.compoment.ts

import { Component, OnInit } from '@angular/core';

@Component({
  selector: 'nav-bar',
  templateUrl: './navbar.component.html',
  styleUrls: ['./navbar.component.css']
})
export class NavbarComponent implements OnInit {

  me;

  ngOnInit() {
    this.me = JSON.parse(localStorage.getItem('currentUser'));
  }
}

login.component.ts

import { Component, OnInit } from '@angular/core';
import { Router, ActivatedRoute } from '@angular/router';

import { AlertService, AuthenticationService } from '../_services/index';

@Component({
    moduleId: module.id,
    templateUrl: 'login.component.html'
})

export class LoginComponent implements OnInit {
    model: any = {};
    loading = false;
    returnUrl: string;

    constructor(
        private route: ActivatedRoute,
        private router: Router,
        private authenticationService: AuthenticationService,
        private alertService: AlertService) { }

    ngOnInit() {
        // reset login status
        this.authenticationService.logout();

        // get return url from route parameters or default to '/'
        this.returnUrl = this.route.snapshot.queryParams['returnUrl'] || '/';
    }

    login() {
        this.loading = true;
        this.authenticationService.login(this.model.email, this.model.password)
            .subscribe(
                data => {
                    this.router.navigate([this.returnUrl]);
                },
                error => {
                    this.alertService.error(error);
                    this.loading = false;
                    this.errorMsg = 'Bad username or password';console.error('An error occurred', error);
                });
    }
}

最佳答案

如JusMalcolm所述,OnInit不会再次运行。

但是您可以使用Subject告诉NavbarComponent从本地存储中获取数据。

在您的NavBarComponent中,导入Subject并声明它:

import { Subject } from 'rxjs/Subject';

....

public static updateUserStatus: Subject<boolean> = new Subject();

然后订阅您的构造函数:

constructor(...) {
   NavbarComponent.updateUserStatus.subscribe(res => {
     this.me = JSON.parse(localStorage.getItem('currentUser'));
   })
}

然后在LoginComponent中,导入NavbarComponent,然后成功登录,只需在Subject上调用next()NavbarComponent就会订阅它。

.subscribe(
   data => {
      NavbarComponent.updateUserStatus.next(true); // here!
      this.router.navigate([this.returnUrl]);
   },
   // more code here

您也可以使用共享服务告诉NavbarComponent重新执行对用户的检索。有关Official Docs共享服务的更多信息。

09-28 13:51