const Comment = ({ comment, meta, author, postLike, me }) => {
const [shouldShowReply, setReply] = useState(false);
const toggleReply = useCallback(() => {
setReply(s => !s);
}, []);
const handleLikeClick = useCallback(() => {
postLike(comment.id, me.id);
}, []);
const isLiked = useMemo(
() => meta.likes.some(like => like.user_id === me.id),
[meta.likes],
);
return (
<Wrapper>
<Avatar src={user.avatar} to={`/users/${user.slug}`} />
<CommentBody text={comment.body} />
<Icon name="like" isActive={isLiked} onClick={handleLikeClick} />
<Button type="link" onClick={toggleReply}>Reply</Button>
{shouldShowReply && <ReplyForm />}
<Wrapper/>
);
}
const mapStateToProps = (state, ownProps) => ({
me: meSelector(state),
author: commentAuthorSelector(state, ownProps),
meta: commentMetaSelector(state, ownProps),
});
const mapDispatchToProps = {
postLike,
};
export default connect(mapStateToProps, mapDispatchToProps)(Comment);
<Comment comment={comment} />
<Comment
me={me}
author={author}
meta={commentMeta}
postLike={postLike}
comment={comment}
/>
И еще - что лучше тут - бинд или стрелочная функция?
GET '/posts/slug/'
{
post: { /* ... */ }
}
GET '/posts/slug/comments/'
{
comments: { /* ... */ }
}
GET '/posts/slug/comments/users/'
{
users: { /* ... */ }
}
GET '/posts/slug/author/'
{
author: { /* ... */ }
}
GET '/posts/slug/meta/'
{
meta: { /* ... */ }
}
GET '/posts/slug/'
{
post: { /* ... */ },
linked: {
users: { /* ... */ },
comments: { /* ... */ },
meta: { /* ... */ },
},
}
const store1 = configureStore1();
const store2 = configureStore2();
const App = () => (
<>
<Provider store={store1}>
<MainProject />
</Provider>
<Provider store={store2}>
<SubProject />
</Provider>
</>
);
const store1 = configureStore1();
const store2 = configureStore2();
const App = () => (
<Provider store={store1}>
<>
<MainProject />
<Provider store={store2}>
<SubProject />
</Provider>
</>
</Provider>
);
function Y({ x }) {
const [y, setY] = useState(x);
useEffect(() => {
if (x !== y) {
setY(x);
}
}, [x, y]);
return ( ... );
}
Вероятно, это нужно делать как-то по другому. Но я не приложу ума как это сделать
setInterval(foo(bar), duration);
setInterval(() => {
foo(bar);
}, duration);
const interval = setInterval(() => {
foo(bar);
if (someCondition()) {
clearInterval(interval);
}
}, duration);
const TabContent = ({ content }) => (
<div className="accordion">
<p>{content}</p>
</div>
);
function Tabs({ items }) {
/* (1) Добавлено значение по-умолчанию для активной вкладки */
const [active, setActive] = React.useState(0);
/* (2) Хандлер по-хорошему не должен ничего возвращать */
const openTab = e => {
setActive(+e.target.dataset.index);
};
return (
<div>
<div className="tab">
{items.map((n, i) => (
<button
/* (3) Добавлено свойство key */
key={i}
className={`tablinks${i === active ? ' active' : ''}`}
onClick={openTab}
data-index={i}
>
{n.title}
</button>
))}
</div>
{items[active] && <TabContent {...items[active]} />}
</div>
);
}
/* (4) Добавлено свойство title для каждого пункта */
/* (5) Добавлены открывающие кавычки для значений content */
const items = [
{
title: 'First',
content:
'1. Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.'
},
{
title: 'Second',
content:
'2. Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.'
},
{
title: 'Third',
content:
'3. Lorem ipsum dolor sit amet, consectetur adipisicing elit, sed do eiusmod tempor incididunt ut labore et dolore magna aliqua. Ut enim ad minim veniam, quis nostrud exercitation ullamco laboris nisi ut aliquip ex ea commodo consequat.'
}
];
ReactDOM.render(<Tabs items={items} />, document.getElementById('app'));
import React, { Component } from "react";
class Filters extends Component {
state = {
form: [
{ label: "Все", name: "all", value: -1 },
{ label: "Яблоко", name: "apple", value: 0, checked: true },
{ label: "Груша", name: "pear", value: 1, checked: true },
{ label: "Арбуз", name: "watermelon", value: 2, checked: true },
{ label: "Абрикос", name: "apricot", value: 3, checked: true }
]
};
onHandleChange = e => {
const { checked, name } = e.target;
const { form } = this.state;
const index = form.findIndex(item => item.name === name);
const item = form[index];
const newForm = [...form];
newForm[index] = { ...item, checked };
this.setState({ form: newForm });
};
render() {
return (
<div className="filters">
<div className="stops-quantity">
<p className="currency__name">Выбрать</p>
{this.state.form.map(item => (
<div className="check" key={item.name}>
<input
className="stops__checked"
type="checkbox"
name={item.name}
value={item.value}
checked={item.checked}
onChange={this.onHandleChange}
/>
<label className="stops__label" htmlFor="check1">
{item.label}
</label>
</div>
))}
</div>
</div>
);
}
}
export default Filters;
Пробовал реализовать через LocalStorage, но что-то идёт не так, и после перезагрузки выбранные даты пропадают.
Мой код
По какому принципу взаимодействия с сервером работает React?
Т.е есть запущенный Реакт, и этот реакт сам по себе там работает и обменивается с сервером данными через ajax запросы?
Т.е React работает на npm
Не могу точнее объяснить ибо не особо знаю реакт.