本文譯自:30-seconds-of-react 。 React 30 秒速學: 精選有用的 React 片斷,30-seconds-of-react 的中文版本,已所有完成翻譯、上線,地址:30-seconds-of-react-zh_CN-umi 。react
系列文章:git
StarRating
組件中,使用React.useState()
鉤子來定義rating
和selection
狀態變量,初始值爲props.rating
(若是無效或未傳入,則爲 0 )和 0 。hoverOver
,根據傳入的event
更新selected
和rating
。<div>
來包裝<Star>
組件,這些組件是使用Array.prototype.map
在5個元素的數組上建立的,使用Array.from
建立,並處理onMouseLeave
將selection
設置爲0
的事件,onClick
事件設置rating
和onMouseOver
事件,分別將selection
設置爲event.target
的star-id
屬性。<Star>
組件(starId
和marked
)。星星組件:github
function Star({ marked, starId }) {
return (
<span star-id={starId} style={{ color: "#ff9933" }} role="button"> {/* 空星,實星 */} {marked ? "\u2605" : "\u2606"} </span>
);
}
複製代碼
星級評分:數組
function StarRating(props) {
// 分數顯示
const [rating, setRating] = React.useState(
typeof props.rating == "number" ? props.rating : 0
);
// 鼠標移入效果
const [selection, setSelection] = React.useState(0);
const hoverOver = event => {
let val = 0;
if (event && event.target && event.target.getAttribute("star-id"))
val = event.target.getAttribute("star-id");
setSelection(val);
};
return (
<div // 鼠標移入效果 onMouseOut={() => hoverOver(null)} // 點擊選中分數 onClick={event => setRating(event.target.getAttribute("star-id") || rating) } onMouseOver={hoverOver} > {/* 建立5個組件 */} {Array.from({ length: 5 }, (v, i) => ( <Star starId={i + 1} key={`star_${i + 1} `} marked={selection ? selection >= i + 1 : rating >= i + 1} /> ))} </div> ); } 複製代碼
例子post
export default function() {
return <div> <StarRating /> <StarRating rating={2} /> </div>; } 複製代碼