在React中删除请求

时间:2018-08-13 13:24:32

标签: node.js mongodb reactjs express

我的页面上有一个列表,显示了Mongodb中某个集合的所有注册用户,现在我创建了一个管理面板,我希望能够通过单击按钮删除用户,但是我不知道如何构造这样的功能。

这是呈现用户的组件:

class UsersList extends React.Component {
constructor(props) {
  super();
  this.state = {
    usersData: []
  };
}


componentDidMount() {
    fetch('http://localhost:3003/api/inlogg').then(function (response) {
      return response.json();
    }).then(function (result) {
      this.setState({
        usersData: result
      });
      }.bind(this))
  }

  render () {
    return this.state.usersData.map(function (user) {
                return <div className="dropdown" key={user._id}>
                  <li>{user.userName}</li>
                  <div className="dropdown-content"><Link to={"/privatchatt/"+user.userName+"/"+sessionStorage.getItem("username")} target="_blank"><p>Starta privatchatt med {user.userName}</p></Link>
                    <button className="delete-btn">Delete</button>
                  </div>
                </div>;
              }
            )
          }
        }

这是我的特快删除路线(与邮递员一起工作,收藏名称也为“用户”)

    app.delete('/api/users/delete/:id', (req, res, next) => {
  users.deleteOne({ _id: new ObjectID(req.params.id) }, (err, result) => {
    if(err){
      throw err;
    }
    res.send(result)
  });
});

这是我的数据库中的内容:

{ "_id" : ObjectId("5b6ece24a98bf202508624ac"), "userName" : "admin", "passWord" : "admin" }
{ "_id" : ObjectId("5b6edb95fbbd8420e4dd8d20"), "userName" : "Admin", "passWord" : "Admin" }
{ "_id" : ObjectId("5b6eea7f0becb40d4c832925"), "userName" : "test4", "passWord" : "test4" }

所以我想创建一个提取删除请求,该请求在我从React前端按下删除按钮时会关闭

1 个答案:

答案 0 :(得分:4)

因此,您需要在呈现功能中的button上使用onClick处理程序。然后,在该处理程序中,使用方法DELETE向API url发出获取请求。

handleClick = userId => {
  const requestOptions = {
    method: 'DELETE'
  };

  // Note: I'm using arrow functions inside the `.fetch()` method.
  // This makes it so you don't have to bind component functions like `setState`
  // to the component.
  fetch("/api/users/delete/" + userId, requestOptions).then((response) => {
    return response.json();
  }).then((result) => {
    // do what you want with the response here
  });
}

render () {
    return this.state.usersData.map((user) => {
      return <div className="dropdown" key={user._id}>
        <li>{user.userName}</li>
        <div className="dropdown-content"><Link to={"/privatchatt/"+user.userName+"/"+sessionStorage.getItem("username")} target="_blank"><p>Starta privatchatt med {user.userName}</p></Link>
          <button onClick={() => { this.handleClick(user._id) }} className="delete-btn">Delete</button>
        </div>
      </div>;
    })
  }
}

在大多数情况下,我上面的代码非常标准。在render函数中,我对您的按钮元素所做的事情真的很奇怪。我不像通常那样传递对handleClick的引用。我将其包装在一个函数中(特别是一个箭头函数)。这是因为我们要将非点击事件的参数传递给handleClick函数。然后,我将handleClick作为参数传递用户ID。这是因为我们希望定义的函数接受您要删除的用户的ID。