Как использовать mapStateToProps от angular6? - PullRequest
0 голосов
/ 30 июня 2018

Я React Lover, я внедряю Redux в Angular Application, но у меня есть проблема с получением данных магазина с использованием mapStateToProps, как это сделать?

Выдает ошибку store_1.connect - это не функция

import { BrowserModule } from '@angular/platform-browser';
import { NgModule } from '@angular/core';
import { NgRedux, NgReduxModule, connect } from '@angular-redux/store';
import { IAppState, rootReducer, INITIAL_STATE } from './store';

import { AppComponent } from './app.component';


@NgModule({
  declarations: [
    AppComponent
  ],
  imports: [
    BrowserModule,
    NgReduxModule
  ],
  providers: [],
  bootstrap: [AppComponent]
})
export class AppModule { 
    constructor (ngRedux: NgRedux<IAppState>) {
            ngRedux.configureStore(rootReducer, INITIAL_STATE);

    }
}

const mapStateToProps = (state) =>  {
   console.log(state);
   return {
     state
   }
}

export default connect(mapStateToProps, null)(AppModule);

1 Ответ

0 голосов
/ 30 июня 2018

Здесь нет connect. Когда вы работаете с Angular, вы в основном имеете дело с Observables из rxjs.

@angular-redux/store библиотека использует Выберите Pattern для доступа к хранилищу, поскольку оно очень эффективно подключается к механизму обнаружения изменений Angular.

Это дает нам два варианта:

Декоратор @select

// this selects `counter` from the store and attaches it to this property
// it uses the property name to select, and ignores the $ from it
@select() counter$;

// this selects `counter` from the store and attaches it to this property
@select() counter;

// this selects `counter` from the store and attaches it to this property
@select('counter') counterSelectedWithString;

// this selects `pathDemo.foo.bar` from the store and attaches it to this
// property.
@select(['pathDemo', 'foo', 'bar']) pathSelection;

// this selects `counter` from the store and attaches it to this property
@select(state => state.counter) counterSelectedWithFunction;

// this selects `counter` from the store and multiples it by two
@select(state => state.counter * 2)
counterSelectedWithFuntionAndMultipliedByTwo: Observable<any>;

Внедрение экземпляра NgRedux в конструктор (благодаря Angular DI ):

import * as CounterActions from '../actions/CounterActions';
import { NgRedux } from '@angular-redux/store';

@Component({
    selector: 'root',
    template: `
  <counter [counter]="counter$| async"
    [increment]="increment"
    [decrement]="decrement">
  </counter>
  `
})
export class Counter {
  private count$: Observable<number>;

  constructor(private ngRedux: NgRedux<IAppState>) {}

  ngOnInit() {
    let {increment, decrement } = CounterActions;
    this.counter$ = this.ngRedux.select('counter');
  }

  incrementIfOdd = () => this.ngRedux.dispatch(
    <any>CounterActions.incrementIfOdd());

  incrementAsync = () => this.ngRedux.dispatch(
    <any>CounterActions.incrementAsync());
}

Вы можете думать об этом паттерне как об эффективном аналоге reselect для мира Angx с тяжелым RxJS.

Полный пример см. пример приложения или простой пример счетчика

...