1

我目前有一个非常简单的 React 应用程序,它使用状态来确定几个视图。单击提交元素会触发对传递登录或注册凭据的端点的简单调用。我可以继续沿着这条道路使用从服务器返回的 React 和 JSON 来确定我的视图,但我知道这不是处理数据的正确方式。

我的问题是,从这里开始,如何使用 Flummox 实现 Flux 模式?我是否使用有效负载触发操作并在操作或存储中进行 API 调用?我试图了解从 UI 中的操作到 API 调用,再到获取响应和 UI 响应商店更改的正确方法。

下面是我的 Auth 组件的代码。我想看一个关于如何在如此简单的情况下使用 Flummox 的示例,这样我就可以了解扩展和添加功能需要什么。

验证.jsx

'use strict';

var React  = require('react');
var request = require('request');

var Auth = React.createClass({

  getInitialState: function() {
    return {
      name: '',
      email: '',
      pass: '',
      passConfirm: '',
      login: true,
      register: false
    };
  },

  handleLogin: function(){
    this.setState({
      login: true,
      register: false
    });
  },

  handleRegister: function(){
    this.setState({
      register: true,
      login: false
    });
  },

  handleName: function(event){
    this.setState({
      name: event.target.value
    });
  },

  handleEmail: function(event){
    this.setState({
      email: event.target.value
    });
  },

  handlePass: function(event){
    this.setState({
      pass: event.target.value
    });
  },

  handlePassConfirm: function(event){
    this.setState({
      passConfirm: event.target.value
    });
  },

  handleSubmit: function(){

    var register = {
      name: this.state.name,
      email: this.state.email,
      password: this.state.pass,
      confirmPassword: this.state.passConfirm
    };

    var endpoint = 'http://localhost:3000';

    request({
       uri: endpoint + '/register',
       method: 'POST',
       json: register
   }, function(error, response, body){
       if (error) {
         console.log(error);
       } else {
         console.log(response);
       }
   });
  },

  renderLogin: function () {
    return (
      <form className="login">
        <div className="input-container">
          <input type='text' value={this.state.email} onChange={this.handleEmail} placeholder="email" />
          <input type='password' value={this.state.password} onChange={this.handlePass} placeholder="password" />
        </div>

        <div className="auth-submit" onClick={this.handleSubmit}>Login</div>
      </form>
    );
  },

  renderRegister: function(){

    return (
      <form className="register">
        <div className="input-container">
          <input type='text' value={this.state.name} onChange={this.handleName} placeholder="name" />
          <input type='email' value={this.state.email} onChange={this.handleEmail} placeholder="email" />
          <input type='password' value={this.state.pass} onChange={this.handlePass} placeholder="password" />
          <input type='password' value={this.state.passConfirm} onChange={this.handlePassConfirm} placeholder="confirm password" />
        </div>

        <div className="auth-submit" onClick={this.handleSubmit}>Register</div>
      </form>
    );
  },

  render: function(){

    var auth = null;
    if (this.state.login) {
      auth = this.renderLogin();
    } else if (this.state.register) {
      auth = this.renderRegister();
    }

    return (
      <div className="auth-container">
        <div className="auth-logo">Flow</div>
        {auth}
        <div className="auth-select">
          <div className="auth-label-container">
            <div className="auth-label" onClick={this.handleLogin}>Login</div>
          </div>
          <div className="auth-label-container">
            <div className="auth-label" onClick={this.handleRegister}>Register</div>
          </div>
        </div>
      </div>
    );
  },
});

module.exports = Auth;
4

1 回答 1

12

在深入研究 Flux 之前,我建议您清理现有的 React 代码。

作为开始,我会尽量减少组件自身的状态。例如,您可以使用单个as 状态,而不是为loginand设置单独的状态,它接受您正在渲染的实际屏幕/视图的字符串值(登录/注册)。registerscreen

此外,每个renderLogin()renderRegister()作为单独的组件更好。因此,您的Auth组件最终将成为控制器视图。

同时表单处理看起来过于冗长:您为每个字段定义了一个单独的处理程序,但一个handleChange()就足够了(您可以name="<state-field-name>"在输入元素中设置以引用您正在引用的状态字段)。


在您可以开始使用 Flummox 构建通量模式并将您的应用程序状态(而不是本地组件状态)移动到商店之后。

我假设您已阅读文档,但作为总结,Flummox 提供StoreAction帮助来对应用程序的数据(真实来源)和 UI 操作进行建模。

动作模块可能看起来像这样:

import { Actions } from 'flummox';


export default class AuthActions extends Actions {

  gotoScreen(screenName) {
    return screenName;
  }

  register(requestBody) {
    // Here you deal with your authentication API,
    // make async requests and return a promise.
    // This part is specific to your backend.
    return AuthAPI.register(requestBody)
                  .then(
                    (value) => Promise.resolve(value),
                    (reason) => Promise.reject(reason)
                  );
  }

}

an AuthStorewill 是事实的来源,即处理实际的应用程序状态。这注册了动作,因此它知道每当动作发出更改时如何更新自己。

import { Store } from 'flummox';


export default class AuthStore extends Store {

  constructor(flux) {
    super();

    let authActions = flux.getActions('auth');

    // Here you register the functions which will take care
    // of handling the actions and update the store's state.
    // These can be sync or async.
    this.register(authActions.gotoScreen, this.handleGotoScreen);
    this.registerAsync(authActions.register, this.handleRegisterBegin,
                                             this.handleRegisterSuccess,
                                             this.handleRegisterError);

    // This is the initial state of your flux store
    this.state = {
      screen: 'login',
      // ... any extra state your app might need
    };
  }


  /* Screen handling */

  handleGotoScreen(screenName) {
    this.setState({screen: screenName});
  }

  /* Register */

  handleRegisterBegin(requestBody) {
    this.setState({
      // change state based on action
    });
  }

  handleRegisterSuccess() {
    this.setState({
      // change state based on action
    });
  }

  handleRegisterError(errors) {
    this.setState({
      // change state based on action
    });
  }

}

这些需要封装在一个Flux对象中,然后可以从应用程序的任何位置引用该对象。

import { Flummox } from 'flummox';

import AuthActions from './AuthActions';
import AuthStore from './AuthStore';


export default class Flux extends Flummox {

  constructor() {
    super();

    this.createActions('auth', AuthActions);
    this.createStore('auth', AuthStore, this);
  }

}

但是您的视图如何知道 store 的状态?将商店与视图粘合的首选方法FluxComponent是使用,当使用 时,它将通过道具接收商店的状态FluxComponent

FluxComponent接收您的应用程序Flux对象的实例,您还需要指定它要连接到哪些商店。

import Flux from './Flux';
let flux = new Flux();

<FluxComponent flux={flux} connectToStores={['auth']}>
  <Auth />
</FluxComponent>

状态作为 props 传递,您可以像通常使用 props 一样直接引用这些值。

同时,这允许访问flux底层视图中的道具,这使我们能够访问操作,因此能够在用户交互发生时触发它们:

// You can fire actions from anywhere in your component
this.props.flux.getActions('auth').gotoScreen('register')

这样就完成(或开始)通量循环。

于 2015-04-27T08:50:11.233 回答