我正在使用angular2和electron编写桌面应用程序,并且有一个下载功能。
我的DownloadService
就是这个
import {Injectable} from '@angular/core';
import {Subject} from "rxjs";
interface IQueueItem {
url: string
}
@Injectable()
export class DownloadService {
private queue: Array< IQueueItem > = [];
private downloadSubject: Subject<any>;
constructor() {
this.downloadSubject = new Subject();
}
addToList(item: IQueueItem) {
this.queue.unshift(item);
downloadList();
return this.downloadSubject;
}
downloadList() {
// pick one item from queue and send it to electron to download and store
// do this every time a chunk of data received
this.downloadSubject.next(evt);
...
}
pauseDownload(item) {
// send an event to electron to it should stop downloading and therefore no chunk of data will receive
// also remove item from queue
...
}
}
我的ItemComponent
就是这样:
import {Component} from '@angular/core';
import {DownloadService} from "../services/download.service";
@Component({
selector: 'app-item',
template: `
...
`
})
export class ItemComponent {
constructor(private downloadService: DownloadService) {
this.addToQueue();
}
subscription;
downloadedBytes = 0;
fileUrl = '';
pause() {
this.downloadService.pauseDownload(this.fileUrl);
this.subscription.unsubscribe();
...
}
resume() {
this.addToQueue();
}
private addToQueue() {
this.subscription = this.downloadService.addToList(this.fileUrl)
.subscribe(evt => {
console.log(evt.delta);
this.downloadedBytes += evt.delta;
});
}
}
问题是当我暂停某个项目时,我取消订阅Subject
从DownloadService
传来但当我再次恢复时,每console.log()
次打印两次并向downloadedBytes
添加两次数据。
此外,如果我再次暂停和恢复,它将添加越来越多的字节和日志!
我搜索过,但我找不到任何解决方法。
答案 0 :(得分:2)
您可以从PLUNKER创建的yurzui中看到,如果您恢复并且暂停,一切都按预期工作,仅触发一旦即可。
问题是当您点击连续2次恢复时,第一次订阅将在内存中丢失,只有第二次一个将存储在 this.subscription 中,对第一个的访问将丢失,您无法取消订阅。
这更像是一个应用程序问题,而不是rxjs,如果订阅没有暂停,你不应该点击简历,所以你需要正确处理状态,这样的事情(从@yurzui plunker编辑):
@Component({
selector: 'my-app',
template: `
<h1>Angular 2 Systemjs start</h1>
<button *ngIf="started && !paused" (click)="pause()">Pause</button>
<button *ngIf="started && paused" (click)="resume()">Resume</button>
<button *ngIf="!started" (click)="start()">Start</button>
`
})
export class App {
constructor(private downloadService: DownloadService) {
this.addToQueue();
}
subscription;
downloadedBytes = 0;
started = false;
paused = false;
pause() {
this.paused = true;
this.subscription.unsubscribe();
}
start() {
this.started = true;
this.addToQueue();
}
resume() {
this.paused = false;
this.addToQueue();
}
private addToQueue() {
this.subscription = this.downloadService.addToList(this)
.subscribe(evt => {
console.log(11);
this.downloadedBytes += evt.delta;
});
}
}
您可以在此更新的PLUNKER
中找到一个有效的示例