Почему значение счетчика увеличивается и уменьшается только в первый раз?
https://stackblitz.com/edit/angular-q8nsfz?file=src%2Fapp%2Fapp.component.ts
import {Component, OnInit} from '@angular/core';
import {Store} from '@ngrx/store';
import {Observable} from 'rxjs';
import * as fromApp from './app.store';
import {DecrementCounter, IncrementCounter} from './store/counter.action';
@Component({
selector: 'my-app',
templateUrl: './app.component.html',
styleUrls: ['./app.component.css']
})
export class AppComponent implements OnInit{
c: Observable<object>;
constructor(private store: Store<fromApp.AppState>) {
}
incrementCounter() {
this.store.dispatch(new IncrementCounter());
}
decrementCounter() {
this.store.dispatch(new DecrementCounter());
}
ngOnInit(){
this.c =this.store.select('counterValue');
}
}
Привет
Можете ли вы сказать мне, почему мой счетчик значения увеличиваются и уменьшаются только в первый раз. У меня есть две кнопки increment
а также decrement
изменение значения счетчика при нажатии кнопки. Но мое изменение значения только в первый раз. 0
начальное значение, которое является правильным, но после этого оно не работает, почему?
3 ответа
Replace initialState.counter + 1 to state.counter + 1;
switch (action.type) {
case CounterActions.INCREMENT:
const counter = state.counter + 1;
return {...state, counter};
case CounterActions.DECREMENT:
const currentCounter = state.counter - 1;
return {...state, counter: currentCounter};
default :
return state;
}
Это очень просто каждый раз, когда вы вызываете функцию: incrementCounter
Вы делаете новый класс new IncrementCounter()
, Поэтому каждый раз, когда вы вызываете эту функцию, она будет оправдывать одно и то же.
Что вам нужно сделать, это сделать этот новый класс в области действия компонента:
private incrementClass = new IncrementCounter();
private decrementClass = new DecrementCounter();
constructor(private store: Store<fromApp.AppState>) {
}
incrementCounter() {
this.store.dispatch(this.incrementClass);
}
decrementCounter() {
this.store.dispatch(this.decrementClass);
}
Измените свою "функцию counterReducer"
export function counterReducer(state = initialState, action: CounterActions.CounterManagment) {
switch (action.type) {
case CounterActions.INCREMENT:
const counter = initialState.counter++; //see, you increment the variable initialState.counter, and then return it
return {...state, counter};
case CounterActions.DECREMENT:
const currentCounter = initialState.counter--;
return {...state, counter: currentCounter}; //idem decrement
default :
return state;
}
}