- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我正在构建一个 React 应用程序,它基本上加载博客文章,并为每篇文章附加评论。
呈现博客文章时,也会获取该博客文章的评论。我还有一个允许提交评论的组件。
当单击提交按钮时,我希望评论刷新其数据源,并立即显示新评论。我如何向我们的评论组件发送某种事件,告诉它发送另一个获取请求?
看来这个问题的核心是这样的:
如何惯用地将事件发送到其他将触发效果的 React 组件?
编辑 - 一般解决方案:
import React from 'react';
import {useState, useEffect, useContext} from 'react';
import Markdown from 'markdown-to-jsx';
import Container from '@material-ui/core/Container';
import Typography from '@material-ui/core/Typography';
import SendComment from './SendComment';
import Comments from './Comments';
import {POST_URL} from './urls';
import UserContext from './UserContext';
//import CommentListContainer from './CommentListContainer';
export default function Post(props) {
const user = useContext(UserContext);
const [post, setPost] = useState({
content: '',
comments: [],
});
useEffect(() => {
const UNIQUE_POST_URL = [POST_URL, props.location.state.id].join('/');
const fetchPost = async () => {
const result = await fetch(UNIQUE_POST_URL);
const json = await result.json();
setPost(json);
};
fetchPost();
}, [props.location.state.id]);
return (
<div>
<Container>
<Typography
variant="h4"
color="textPrimary"
style={{textDecoration: 'underline'}}>
{post.title}
</Typography>
<Markdown>{post.content}</Markdown>
{post.content.length !== 0 && (
<div>
<Typography variant="h4">Comments</Typography>
<SendComment user={user} posts_id={props.location.state.id} />
<Comments user={user} posts_id={props.location.state.id} />
</div>
)}
</Container>
</div>
);
}
import React from 'react';
import TextField from '@material-ui/core/TextField';
import Grid from '@material-ui/core/Grid';
import Button from '@material-ui/core/Button';
import Paper from '@material-ui/core/Paper';
import {COMMENT_SUBMIT_URL} from './urls';
export default function SendComment(props) {
async function handleSubmit(e) {
const comment = document.querySelector('#comment');
// Skip empty comments
if (comment.value === '') {
return;
}
async function sendComment(url) {
try {
const res = await fetch(url, {
method: 'POST',
body: JSON.stringify({
comment: comment.value,
users_id: props.user.users_id,
posts_id: props.posts_id,
}),
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
'Accept-Language': 'en-US',
},
});
comment.value = '';
return res;
} catch (e) {
console.log(e);
}
}
const res = await sendComment(COMMENT_SUBMIT_URL);
if (res.ok) {
// Reload our comment component !
// Here is where we want to send our "event"
// or whatever the solution is
}
}
return (
<Grid container justify="space-evenly" direction="row" alignItems="center">
<Grid item xs={8}>
<TextField
id="comment"
fullWidth
multiline
rowsMax="10"
margin="normal"
variant="filled"
/>
</Grid>
<Grid item xs={3}>
<Button variant="contained" color="primary" onClick={handleSubmit}>
Submit
</Button>
</Grid>
</Grid>
);
}
import React from 'react';
import {useState, useEffect} from 'react';
import List from '@material-ui/core/List';
import ListItem from '@material-ui/core/ListItem';
import ListItemText from '@material-ui/core/ListItemText';
import ListItemAvatar from '@material-ui/core/ListItemAvatar';
import Avatar from '@material-ui/core/Avatar';
import Divider from '@material-ui/core/Divider';
import {timeAgo} from './utils';
import {COMMENT_URL} from './urls';
export default function Comments(props) {
const [comments, setComments] = useState({
objects: [],
});
useEffect(() => {
async function getComments(posts_id) {
const filter = JSON.stringify({
filters: [{name: 'posts_id', op: 'equals', val: posts_id}],
});
try {
COMMENT_URL.searchParams.set('q', filter);
const res = await fetch(COMMENT_URL, {
method: 'GET',
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
},
});
const json = await res.json();
setComments(json);
} catch (e) {
console.log(e);
}
}
getComments(props.posts_id);
}, [props.posts_id]);
const commentList = comments.objects.map(comment => (
<ListItem key={comment.id} alignItems="flex-start">
<ListItemAvatar>
<Avatar alt={comment.users.name} src={comment.users.picture} />
</ListItemAvatar>
<ListItemText
primary={`${comment.users.name} - ${timeAgo(comment.created_at)}`}
secondary={comment.comment}></ListItemText>
<Divider />
</ListItem>
));
return <List>{commentList}</List>;
}
此代码当前有效,但是新评论仅在页面重新加载时显示,而不是在提交后立即显示。
最佳答案
我认为您无法在没有任何额外逻辑的情况下发送此类事件。
我看到的最简单的解决方案如下:一旦您拥有 SendComment
和 Comments
的父组件 (Post
),你可以将所有逻辑移入其中。您可以向其传递一个回调,该回调将在用户按下按钮时触发,而不是将评论保存在 SendComment
中。然后评论将被发送到 Post
内的服务器。
要显示评论,您也可以在 Post
中获取它们,然后将其作为 props 传递给 Comments
。这样您就可以轻松更新评论,并且当用户提交新评论时不需要额外的请求。
也更喜欢使用受控组件(您在 SendComment
中有一个不受控的文本字段)
代码看起来像这样:
export default function Post(props) {
const user = useContext(UserContext);
const [content, setContent] = useState('')
const [title, setTitle] = useState('')
const [comments, setComments] = useState([])
const onNewComment = useCallback((text) => {
// I'm not sure about your comment structure on server.
// So here you need to create an object that your `Comments` component
// will be able to display and then do `setComments(comments.concat(comment))` down below
const comment = {
comment: text,
users_id: user.users_id,
posts_id: props.location.state.id,
};
async function sendComment(url) {
try {
const res = await fetch(url, {
method: 'POST',
body: JSON.stringify(comment),
headers: {
Accept: 'application/json',
'Content-Type': 'application/json',
'Accept-Language': 'en-US',
},
});
return res;
} catch (e) {
console.log(e);
}
}
const res = await sendComment(COMMENT_SUBMIT_URL);
if (res.ok) {
setComments(comments.concat(comment));
}
}, [comments]);
useEffect(() => {
const UNIQUE_POST_URL = [POST_URL, props.location.state.id].join('/');
const fetchPost = async () => {
const result = await fetch(UNIQUE_POST_URL);
const { content, comments, title } = await result.json();
setContent(content);
setComments(comments);
setTitle(title);
};
fetchPost();
}, [props.location.state.id]);
return (
<div>
<Container>
<Typography
variant="h4"
color="textPrimary"
style={{textDecoration: 'underline'}}>
{title}
</Typography>
<Markdown>{content}</Markdown>
{content.length !== 0 && (
<div>
<Typography variant="h4">Comments</Typography>
<SendComment user={user} onNewComment={onNewComment} />
<Comments user={user} comments={comments} />
</div>
)}
</Container>
</div>
);
}
export default function SendComment(props) {
const [text, setText] = useState('');
const handleSubmit = useCallback(() => {
// Skip empty comments
if (comment.value === '') {
return;
}
if(props.onNewComment) {
props.onNewComment(text);
setText('');
}
}, [props.onNewComment, text]);
return (
<Grid container justify="space-evenly" direction="row" alignItems="center">
<Grid item xs={8}>
<TextField
id="comment"
onChange={setText}
fullWidth
multiline
rowsMax="10"
margin="normal"
variant="filled"
/>
</Grid>
<Grid item xs={3}>
<Button variant="contained" color="primary" onClick={handleSubmit}>
Submit
</Button>
</Grid>
</Grid>
);
}
export default function Comments(props) {
const commentList = props.comments.map(comment => (
<ListItem key={comment.id} alignItems="flex-start">
<ListItemAvatar>
<Avatar alt={comment.users.name} src={comment.users.picture} />
</ListItemAvatar>
<ListItemText
primary={`${comment.users.name} - ${timeAgo(comment.created_at)}`}
secondary={comment.comment}></ListItemText>
<Divider />
</ListItem>
));
return <List>{commentList}</List>;
}
UPD:更改了一些代码以在 Post.js
中显示内容和标题
关于javascript - 如何在React中的事件发生后触发效果,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/57455172/
问题是,当用户回复彼此的帖子时,我必须这样做: margin-left:40px; 对于 1 级深度 react margin-left:80px; 对于 2 层深等 但是我想让 react div
我试图弄清楚如何将 React Router 与 React VR 连接起来。 首先,我应该使用 react-router dom/native ?目前尚不清楚,因为 React VR 构建在 Rea
我是 React 或一般编码背景的新手。我不确定这些陈述之间有什么区别 import * as react from 'react' 和 import react from 'react' 提前致谢!
我正在使用最新的稳定版本的 react、react-native、react-test-renderer、react-dom。 然而,react-native 依赖于 react@16.0.0-alp
是否 react 原生 应用程序开发可以通过软件架构实现,例如 MVC、MVP、MVVM ? 谢谢你。 最佳答案 是的。 React Native 只是你提到的那些软件设计模式中的“V”。如果你考虑其
您好我正在尝试在我的导航器右按钮中绑定(bind)一个功能, 但它给出了错误。 这是我的代码: import React, { Component } from 'react'; import Ico
我使用react native创建了一个应用程序,我正在尝试生成apk。在http://facebook.github.io/react-native/docs/signed-apk-android.
1 [我尝试将分页的 z-index 更改为 0,但没有成功] 这是我的codesandbox的链接:请检查最后一个选择下拉列表,它位于分页后面。 https://codesandbox.io/s/j
我注意到 React 可以这样导入: import * as React from 'react'; ...或者像这样: import React from 'react'; 第一个导入 react
我是 react-native 的新手。我正在使用 React Native Paper 为所有屏幕提供主题。我也在使用 react 导航堆栈导航器和抽屉导航器。首先,对于导航,论文主题在导航组件中不
我有一个使用 Ignite CLI 创建的 React Native 应用程序.我正在尝试将 TabNavigator 与 React Navigation 结合使用,但我似乎无法弄清楚如何将数据从一
我正在尝试在我的 React 应用程序中进行快照测试。我已经在使用 react-testing-library 进行一般的单元测试。然而,对于快照测试,我在网上看到了不同的方法,要么使用 react-
我正在使用 react-native 构建跨平台 native 应用程序,并使用 react-navigation 在屏幕之间导航和使用 redux 管理导航状态。当我嵌套导航器时会出现问题。 例如,
由于分页和 React Native Navigation,我面临着一种复杂的问题。 单击具有类别列表的抽屉,它们都将转到屏幕 问题陈述: 当我随机点击类别时,一切正常。但是,在分页过程中遇到问题。假
这是我的抽屉导航: const DashboardStack = StackNavigator({ Dashboard: { screen: Dashboard
尝试构建 react-native android 应用程序但出现以下错误 info Running jetifier to migrate libraries to AndroidX. You ca
我目前正在一个应用程序中实现 React Router v.4,我也在其中使用 Webpack 进行捆绑。在我的 webpack 配置中,我将 React、ReactDOM 和 React-route
我正在使用 React.children 渲染一些带有 react router 的子路由(对于某个主路由下的所有子路由。 这对我来说一直很好,但是我之前正在解构传递给 children 的 Prop
当我运行 React 应用程序时,它显示 export 'React'(导入为 'React')在 'react' 中找不到。所有页面错误 see image here . 最佳答案 根据图像中的错误
当我使用这个例子在我的应用程序上实现 Image-slider 时,我遇到了这个错误。 import React,{Component} from 'react' import {View,T
我是一名优秀的程序员,十分优秀!