Отключить кнопку на основе значения изменения в React

#reactjs #redux

#reactjs #сокращение

Вопрос:

Как я могу сообщить onChange, чтобы установить для кнопки отключения значение true на кнопке обновления, если this.state.title меньше 3 символов, я предпринял попытку, но она не позволит мне ввести значение. Это в значительной степени нарушает код. Я хочу, чтобы обновление было передано в redux.

вот что у меня есть, отказ от ответственности, некоторый код был удален, чтобы быть более актуальным.

PostItem.js

 import React, { Component } from 'react';
import Paper from '@material-ui/core/Paper';
import Button from '@material-ui/core/Button';
import Typography from '@material-ui/core/Typography';
import moment from 'moment';
import Editable from './Editable';
import {connect} from 'react-redux';
import {UpdatePost} from '../actions/';
const Styles = {
    myPaper: {
        margin: '20px 0px',
        padding: '20px'
    },
    button:{
        marginRight:'30px'
    }
}


class PostItem extends Component{

    constructor(props){
        super(props);

        this.state = {
            disabled: false,
        }
    }


    onUpdate = (id, title) => () => {
        // we need the id so expres knows what post to update, and the title being that only editing the title. 
        if(this.props.myTitle !== null){
            const creds = {
                id, title
            }
            this.props.UpdatePost(creds); 
        }

    }
    render(){
        const {title, id, removePost, createdAt, post_content, username, editForm, isEditing, editChange, myTitle, postUpdate} = this.props
        return(
            <div>
                   <Typography variant="h6" component="h3">
                   {/* if else teneray operator */}
                   {isEditing ? (
                    //  need a way to disable update button if the value is less than 3 characters 
                       <Editable editField={myTitle ? myTitle : title} editChange={editChange}/>
                   ): (
                       <div>
                           {title}
                       </div>    
                   )}         
                   </Typography>
                   <Typography component="p">
                       {post_content}
                       <h5>
                           by: {username}</h5>
                       <Typography color="textSecondary">{moment(createdAt).calendar()}</Typography>
                   </Typography>
                   {!isEditing ? (
                       <Button variant="outlined" type="submit" onClick={editForm(id)}>
                           Edit
                       </Button>
                   ):(

                       // pass id, and myTitle which as we remember myTitle is the new value when updating the title
                    //  how would i set disabled to false if the value from editField is less than 3 charaters.
                        <Button 
                            disabled={this.state.title.length > 3 }
                            variant="outlined" 
                            onClick={this.onUpdate(id, myTitle)}>
                            Update
                        </Button>
                   )}
                   <Button
                       style={{marginLeft: '0.7%'}}
                       variant="outlined"
                       color="primary"
                       type="submit"
                       onClick={removePost(id)}>
                       Remove
                   </Button>
           </div>
       )

    }

}

const mapStateToProps = (state) => ({
    disabled: state.post.disabled
})


const mapDispatchToProps = (dispatch) => ({
    // pass creds which can be called anything, but i just call it credentials but it should be called something more 
    // specific.
    UpdatePost: (creds) => dispatch(UpdatePost(creds)),
    // Pass id to the DeletePost functions.
});
export default connect(mapStateToProps, mapDispatchToProps)(PostItem);
 

editChange вызывается из этого метода onChange

PostList.js

 import React, { Component } from 'react';
import Paper from '@material-ui/core/Paper';
import Button from '@material-ui/core/Button';
import Typography from '@material-ui/core/Typography';
import moment from 'moment';
import {connect} from 'react-redux';
import {DeletePost, UpdatePost,EditChange, DisableButton} from '../actions/';
import PostItem from './PostItem';
const Styles = {
    myPaper: {
        margin: '20px 0px',
        padding: '20px'
    }
}
class PostList extends Component{
    constructor(props){
        super(props);
        this.state ={
            title: ''
        }
    }
    // Return a new function. Otherwise the DeletePost action will be dispatch each
     // time the Component rerenders.
    removePost = (id) => () => {
        this.props.DeletePost(id);
    }
    onChange = (e) => {
        e.preventDefault();
        this.setState({
            title: e.target.value
        })


    }


    formEditing = (id) => ()=> {;

        this.props.EditChange(id);
    }

    render(){
        const {posts} = this.props;
        return (
            <div>
                {posts.map((post, i) => (
                    <Paper key={post.id} style={Styles.myPaper}>
                    {/* {...post} prevents us from writing all of the properties out */}
                        <PostItem
                             myTitle={this.state.title} 
                             editChange={this.onChange} 
                             editForm={this.formEditing} 
                             isEditing={this.props.isEditingId === post.id} 
                             removePost={this.removePost} 
                             {...post} 
                        />
                    </Paper>
                ))}
            </div>
        )
    }
}

const mapStateToProps = (state) => ({
    // disabled: state.post.disabled,
    isEditingId: state.post.isEditingId
})
const mapDispatchToProps = (dispatch) => ({
    // pass creds which can be called anything, but i just call it credentials but it should be called something more 
    // specific.
    EditChange: (id) => dispatch(EditChange(id)),
    UpdatePost: (creds) => dispatch(UpdatePost(creds)),
    // Pass id to the DeletePost functions.
    DeletePost: (id) => dispatch(DeletePost(id))
});
export default connect(mapStateToProps, mapDispatchToProps)(PostList);
 

Действие для этого.props.DisableButton

 export const DisableButton = () => {
    return(dispatch) => {
        dispatch({type:DISABLED});
    }
}
 

Сообщения редуктора для кнопки отключения и т.д.

 import { DISABLED} from '../actions/';

const initialState = {,
    disabled: false,
    isEditingId:null
}

export default (state = initialState, action) => {
    switch (action.type) {

        case DISABLED:
            return({
                ...state,
                disabled:true
            })

        default:
            return state
    }
}
 

редактируемый компонент

 import React from 'react';
import Paper from '@material-ui/core/Paper';
import Button from '@material-ui/core/Button';
import Typography from '@material-ui/core/Typography';
import TextField from '@material-ui/core/TextField';

const Editable = (props) => (
    <div>
        <TextField
            id="outlined-name"
            label="Title"
            style={{width: 560}}
            name="title"
            value={props.editField}
            onChange={props.editChange}
            margin="normal"
            required
            variant="outlined"/>

    </div>
)

export default Editable; 
 

Ответ №1:

Вам не нужно вызывать DisableButton метод, чтобы отключить его значение.

Исправьте onChange , возможно, примерно так:

 onChange = (e) => {
  this.setState({ title: e.target.value });
}
 

да, этого достаточно.

теперь вы можете использовать логику для отключения Button компонента, например, следующим образом:

 <Button
  disabled={this.state.title.length <= 3}
  // rest of the attributes
/>
 

Вам не нужно использовать отключенные реквизиты в redux. В этом нет необходимости, так как вы можете просто переместить логику, используя локальное состояние title непосредственно на Button компоненте.

==== редактировать

сначала вам нужно инициализировать this.state.title

 constructor(props) {
  super(props);

  this.state = {
    title: '',
  }

}
 

=== редактировать 2-й раз после того, как спрашивающий добавил некоторые детали

If this.state.title включен PostList в компонент (родительский компонент), и вы Button получаете к нему доступ через myTitle props, поскольку он включен в PostItem компонент. Вы можете сделать это следующим образом:

 <Button
  disabled={this.props.myTitle.length <= 3}
  // rest of the attributes
/>