angular - 如何每隔一段时间发出HTTP请求?

标签 angular rxjs5

我对 angular 和 rxjs 还很陌生。 我正在尝试创建一个 angular2 应用程序,它从静态提供的文本文件(在服务器本地)获取一些数据,我想在固定时间使用 Angular2 的 http 提供程序和 rxjs 的映射检索并映射到 Datamodel interval(5000) .反射(reflect)对提供的 txt 文件的任何更改。

对于 rxjs 4.x,我知道你可以使用 Observable.interval(5000)完成这项工作,但它似乎不存在于 rxjs 5 中。 我的解决方法目前使用 <meta http-equiv="refresh" content="5" > 刷新整个应用程序重新加载整个页面,从而重新加载数据。

所以我真正想要的是使用可观察对象来执行此操作的某种方法,也许可以检查是否发生了任何更改。或者只是重新加载数据。

任何帮助或其他/更好的方式将不胜感激。

我目前拥有的:

@Injectable()
export class DataService {

    constructor(private http:Http){}

    getData(url) {
        return this.http.get(url)
            .map(res => {
                return res.text();
            })
            .map(res => {
                return res.split("\n");
            })
            .map(res => {
                var dataModels: DataModel[] = [];
                res.forEach(str => {
                    var s = str.split(",");
                    if(s[0] !== "") {
                        dataModels.push(new DataModel(s[0], parseInt(s[1]), parseInt(s[2])));
                    }
                });
                return dataModels;
            })
    }
}

@Component({
selector: 'my-app',
template: `Some html to display the data`,
providers: [DataService],
export class AppComponent {

data:DataModel[];

constructor(dataService:DataService) {}

ngOnInit() {
    this.dataService.getData('url').subscribe(
        res => {
            this.data= res;

        },
        err => console.log(err),
        () => console.log("Data received")
        );
    }
}

依赖:package.json

"dependencies": {
  "angular2": "^2.0.0-beta.3",
  "bootstrap": "^4.0.0-alpha.2",
  "es6-promise": "^3.0.2",
  "es6-shim": "^0.33.13",
  "jquery": "^2.2.0",
  "reflect-metadata": "^0.1.2",
  "rxjs": "^5.0.0-beta.0",
  "systemjs": "^0.19.20",
  "zone.js": "^0.5.11"
},
"devDependencies": {
  "typescript": "^1.7.5"
}

index.html 导入:

<script src="node_modules/es6-shim/es6-shim.min.js"></script>
<script src="node_modules/systemjs/dist/system-polyfills.js"></script>

<script src="node_modules/angular2/bundles/angular2-polyfills.js"></script>
<script src="node_modules/systemjs/dist/system.src.js"></script>
<script src="node_modules/rxjs/bundles/Rx.js"></script>
<script src="node_modules/angular2/bundles/angular2.dev.js"></script>
<script src="node_modules/angular2/bundles/router.dev.js"></script>
<script src="node_modules/angular2/bundles/http.dev.js"></script>

最佳答案

正如@Adam 和@Ploppy 提到的,Observable.interval() 现在已弃用 不是创建此类可观察对象的首选方式。执行此操作的首选方法是通过 IntervalObservable 或 TimerObservable。 [目前在 Typscript 2.5.2、rxjs 5.4.3、Angular 4.0.0]

我想在此答案中添加一些用法,以展示我发现在 Angular 2 框架中执行此操作的最佳方法。

首先是您的服务(通过“ng g service MyExample”命令在 angular cli 中创建)。假设该服务是 RESTful(http get 请求返回一个 json):

我的例子.service.ts

import { Injectable } from '@angular/core';
import { Http, Response} from "@angular/http";
import { MyDataModel } from "./my-data-model";
import { Observable } from "rxjs";
import 'rxjs/Rx';

@Injectable()
export class MyExampleService {
  private url = 'http://localhost:3000'; // full uri of the service to consume here

  constructor(private http: Http) { }

  get(): Observable<MyDataModel>{
    return this.http
      .get(this.url)
      .map((res: Response) => res.json());
  }
}

*** 查看 Angular 5 服务的底部更新 ***

现在你的组件代码('ng g component MyExample'):

我的例子.component.ts:

import { Component, OnDestroy, OnInit } from '@angular/core';
import { MyDataModel } from "../my-data-model";
import { MyExampleService } from "../my-example.service";
import { Observable } from "rxjs";
import { IntervalObservable } from "rxjs/observable/IntervalObservable";
import 'rxjs/add/operator/takeWhile';

@Component({
  selector: 'app-my-example',
  templateUrl: './my-example.component.html',
  styleUrls: ['./my-example.component.css']
})
export class MyExampleComponent implements OnInit, OnDestroy {
  private data: MyDataModel;
  private display: boolean; // whether to display info in the component
                            // use *ngIf="display" in your html to take
                            // advantage of this

  private alive: boolean; // used to unsubscribe from the IntervalObservable
                          // when OnDestroy is called.

  constructor(private myExampleService: MyExampleService) {
    this.display = false;
    this.alive = true;
  }

  ngOnInit() {
    // get our data immediately when the component inits
    this.myExampleService.get()
      .first() // only gets fired once
      .subscribe((data) => {
        this.data = data;
        this.display = true;
      });

    // get our data every subsequent 10 seconds
    IntervalObservable.create(10000)
      .takeWhile(() => this.alive) // only fires when component is alive
      .subscribe(() => {
        this.myExampleService.get()
          .subscribe(data => {
            this.data = data;
          });
      });
  }

  ngOnDestroy(){
    this.alive = false; // switches your IntervalObservable off
  }
}

===编辑===

更新了组件 ts 代码以通过 TimerObservable 整合订阅:

import { Component, OnDestroy, OnInit } from '@angular/core';
import { MyDataModel } from "../my-data-model";
import { MyExampleService } from "../my-example.service";
import { Observable } from "rxjs";
import { TimerObservable } from "rxjs/observable/TimerObservable";
import 'rxjs/add/operator/takeWhile';

@Component({
  selector: 'app-my-example',
  templateUrl: './my-example.component.html',
  styleUrls: ['./my-example.component.css']
})
export class MyExampleComponent implements OnInit, OnDestroy {
  private data: MyDataModel;
  private display: boolean; // whether to display info in the component
                            // use *ngIf="display" in your html to take
                            // advantage of this

  private alive: boolean; // used to unsubscribe from the TimerObservable
                          // when OnDestroy is called.
  private interval: number;

  constructor(private myExampleService: MyExampleService) {
    this.display = false;
    this.alive = true;
    this.interval = 10000;
  }

  ngOnInit() {
    TimerObservable.create(0, this.interval)
      .takeWhile(() => this.alive)
      .subscribe(() => {
        this.myExampleService.get()
          .subscribe((data) => {
            this.data = data;
            if(!this.display){
              this.display = true;
            }
          });
      });
  }

  ngOnDestroy(){
    this.alive = false; // switches your TimerObservable off
  }
}

===编辑===

my-example-service.ts(使用 Angular 5 中的 HttpClient):

import { Injectable } from '@angular/core';
import { HttpClient} from "@angular/common/http";
import { MyDataModel } from "./my-data-model";
import { Observable } from "rxjs";
import 'rxjs/Rx';

@Injectable()
export class MyExampleService {
  private url = 'http://localhost:3000'; // full uri of the service to consume here

  constructor(private http: HttpClient) { }

  get(): Observable<MyDataModel>{
    return this.http
      .get<MyDataModel>(this.url);
  }
}

注意更改为使用 HttpClient 而不是 Http(在 angular5 中已弃用)和 get 方法,该方法允许将响应解析到我们的数据模型中,而无需使用 rxjs .map() 运算符。虽然 angular 5 的服务发生了变化,但组件代码保持不变。

关于angular - 如何每隔一段时间发出HTTP请求?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/35316583/

相关文章:

angular - Ionic 4/Capacitor PWA 应用程序不会更新 Firebase 托管的最新内容

javascript - 如何在不向 RxJs v5 中的消费者公开 Subject 的情况下从 Subject 创建 Observable

angular - Angular 2在背景上播放静音的youtube视频

angular - 在 Angular 2 的模板中进行类型转换

node.js - Kendo UI Angular 将文件作为 Node.JS 上传到后端

Angular cli 数学贾克斯

rxjs - 使用空(或非)可观察数组进行 Forkjoin

javascript - 热可观察错误处理

RxJs : Weird behavior with takeUntil?

javascript - 如何发出每个第 n 个值?