我正在尝试为我的ngrx状态管理器实现Effects。目前,我正在使用Angular v5.2.1
,ngrx v4.1.1
和rxjs v5.5.6
。
例如,我尝试过“较旧的”方法
@Effect() login$: Observable<Action> = this.actions$.ofType('LOGIN')
.mergeMap(action =>
this.http.post('/auth', action.payload)
// If successful, dispatch success action with result
.map(data => ({ type: 'LOGIN_SUCCESS', payload: data }))
// If request fails, dispatch failed action
.catch(() => of({ type: 'LOGIN_FAILED' }))
);
但是我收到了错误
Property 'mergeMap' does not exist on type 'Actions<Action>'
。因此,我使用了新的
pipe
方法。问题是当我尝试导入ofType
运算符时// ...
import { Action } from '@ngrx/store';
import { Effect, Actions, ofType } from '@ngrx/effects';
import { map, mergeMap, catchError } from 'rxjs/operators';
import { of } from 'rxjs/observable/of';
@Injectable()
export class WifiEffects {
@Effect()
getWifiData: Observable<Action> = this.actions$.pipe(
ofType(WifiTypes.getWifiNetworks),
mergeMap((action: GetWifiNetworks) =>
this.mapService.getWifiNetworks().pipe(
map((data: WifiNetworks) => new GetWifiNetworksSucc(data)),
catchError(() => of(new GetWifiNetworksErr()))
)),
);
constructor (
private actions$: Actions,
private mapService: GoogleMapDataService
) {}
}
我收到错误
Module '".../node_modules/@ngrx/effects/effects"' has no exported member 'ofType'.
有什么想法吗? 最佳答案
查看@ngrx/effects API,没有迹象表明该库已经实现了可释放的ofType
版本,因此您的第二个实现将不起作用(至少在管道内不支持ofType
)。
您的第一个实现只是缺少mergeMap
的导入
import 'rxjs/add/observable/mergeMap';
可能还有
map
和catch
import 'rxjs/add/observable/map';
import 'rxjs/add/observable/catch';
如果您想将
ofType
与pipe
一起使用,这可能会起作用@Effect()
getWifiData: Observable<Action> =
this.actions$.ofType(WifiTypes.getWifiNetworks)
.pipe(
mergeMap((action: GetWifiNetworks) =>
...
因为
ofType()
返回了一个Observable,它的原型(prototype)中已经添加了.pipe
。脚注
在github上查看源代码(截至2018年1月22日)之后,我在这里platform/modules/effects/src/index.ts找到了可出租的
ofType
的导出文件。但是在使用
@ngrx/effects@latest
安装时(给出了4.1.1版),我在安装的node_modules文件夹下看不到此导出引用。在我的组件中,我也不能使用
import { ofType } from '@ngrx/effects';
。