以下是在 React JS 中实现的 基于组件的架构 的 5 个关键特征。这些示例将演示 React 组件如何体现
的特性可重用性
组件可以在应用程序的不同部分重复使用。
示例:多次使用的 Button 组件
function Button({ label, onClick }) { return <button onClick={onClick}>{label}</button>; } function App() { return ( <div> <Button label="Submit" onClick={() => alert('Submit clicked')} /> <Button label="Cancel" onClick={() => alert('Cancel clicked')} /> </div> ); }
封装
组件封装了自己的逻辑和样式,防止外界干扰。
示例:封装用户数据的 UserProfile 组件
function UserProfile({ name, email }) { return ( <div> <h3>{name}</h3> <p>Email: {email}</p> </div> ); } function App() { return ( <UserProfile name="John Doe" email="john@example.com" /> ); }
互换性
可以交换或替换组件,而不影响应用程序的整体功能。
示例:将 PrimaryButton 与 secondaryButton 交换
function PrimaryButton({ label, onClick }) { return <button style={{ backgroundColor: 'blue', color: 'white' }} onClick={onClick}>{label}</button>; } function SecondaryButton({ label, onClick }) { return <button style={{ backgroundColor: 'gray', color: 'white' }} onClick={onClick}>{label}</button>; } function App({ usePrimary }) { return ( <div> {usePrimary ? <PrimaryButton label="Click Me" onClick={() => alert('Primary clicked')} /> : <SecondaryButton label="Click Me" onClick={() => alert('Secondary clicked')} />} </div> ); }
可扩展性
组件可以通过添加更多功能来轻松扩展,而不影响现有组件。
示例:添加更多产品组件来扩展应用程序
function Product({ name, price }) { return ( <div> <h3>{name}</h3> <p>Price: ${price}</p> </div> ); } function ProductList() { const products = [ { name: 'iPhone 13', price: 999 }, { name: 'Samsung Galaxy S21', price: 799 }, { name: 'Google Pixel 6', price: 599 }, ]; return ( <div> {products.map((product, index) => ( <Product key={index} name={product.name} price={product.price} /> ))} </div> ); } function App() { return <ProductList />; }
可维护性
组件是隔离的,因此可以轻松地独立维护和更新。
示例:更新 Product 组件而不影响应用程序的其余部分
function Product({ name, price }) { // Add a new feature to show if the product is on sale const isOnSale = price < 700; return ( <div> <h3>{name}</h3> <p>Price: ${price} {isOnSale && <span>(On Sale!)</span>}</p> </div> ); } function App() { return ( <div> <Product name="Google Pixel 6" price={599} /> </div> ); }
构图
可以组合或组合组件来构建更复杂的 UI。
示例:将页眉、产品和页脚组合到单个页面
function Header() { return <h1>Welcome to My Shop</h1>; } function Product({ name, price }) { return ( <div> <h3>{name}</h3> <p>Price: ${price}</p> </div> ); } function Footer() { return <footer>Contact us at shop@example.com</footer>; } function Page() { return ( <div> <Header /> <Product name="Apple Watch" price={399} /> <Footer /> </div> ); } function App() { return <Page />; }
以上是基于组件的架构的关键特征的详细内容。更多信息请关注PHP中文网其他相关文章!