Я пытаюсь создать наблюдаемый, который возвращает значения при изменении переменной localStorage. Мой абонент не получает новые значения при внесении изменений в localStorage (или, что самое важное, в переменной памяти).
navbar.component.js
import { Component, OnInit } from '@angular/core';
import { UserService } from '../services/user.service';
/**
 * This class represents the navigation bar component.
 */
@Component({
  moduleId: module.id,
  selector: 'sd-navbar',
  templateUrl: 'navbar.component.html',
  styleUrls: ['navbar.component.css'],
  providers: [UserService]
})
export class NavbarComponent implements OnInit {
  loggedIn: boolean;
  constructor(private us: UserService) { }
  ngOnInit() {
    this.us.isLoggedIn().subscribe(loggedIn => {
      this.loggedIn = loggedIn;
    });
  }
}
auth.component.ts
import { Component, OnInit } from '@angular/core';
import { ActivatedRoute } from '@angular/router';
import { UserService } from '../shared/services/user.service';
/**
 * This class represents the lazy loaded AuthComponent.
 */
@Component({
  moduleId: module.id,
  selector: 'sd-auth',
  templateUrl: 'auth.component.html',
  styleUrls: ['auth.component.css'],
  providers: [UserService]
})
export class AuthComponent implements OnInit {
  authParams = {
    provider: '',
    params: {}
  };
  constructor(private route: ActivatedRoute, private us: UserService) { }
  ngOnInit() {
    this.route.params.forEach((param) => {
      this.authParams.provider = param.authprovider;
    });
    this.route.queryParams.forEach((queryParams) => {
      this.authParams.params = queryParams;
    });
    this.us.logIn("google", JSON.stringify(this.authParams));
    console.log(JSON.parse(localStorage.getItem('authParams')));
  }
}
user.service.ts
// user.service.ts
import { Injectable } from '@angular/core';
import { Observable } from 'rxjs/Observable';
import { Subscriber } from 'rxjs/Subscriber';
@Injectable()
export class UserService {
  private loggedIn = false;
  private logger = new Observable<boolean>((observer: Subscriber<boolean>) => {
    observer.next(this.loggedIn);
  });
  constructor() {
    if (localStorage.getItem('authParams')) {
      this.loggedIn = !!JSON.parse(localStorage.getItem('authParams')).params.id_token;
    } else {
      this.loggedIn = false;
    }
  }
  logIn(provider: string, providerResponse: string) {
    localStorage.setItem('authParams', providerResponse);
    this.loggedIn = true;
  }
  isLoggedIn(): Observable<boolean> {
    return this.logger;
  }
  logOut() {
    localStorage.removeItem('authParams');
    this.loggedIn = false;
  }
}
Поток выглядит как
Шаг 1- Navbar подписывается на UserService (получает значение по умолчанию loggedIn = false) Шаг 2 - AuthComponent обновляет UserService (устанавливает loggedIn = true)
Моя подписка в Navbar не обновляется. Что мне здесь не хватает. Нужно ли мне что-то помещать в методе logIn UserService, таком как эмиттер событий?
