- A+
所属分类:教程文章

在React Native中,并不能直接使用CSS文件像Web那样引入样式,而是通过JavaScript对象来定义样式。核心工具是StyleSheet,它提供了类似CSS的样式组织方式,同时具备性能优化和类型检查支持。
创建 StyleSheet 对象
使用 StyleSheet.create() 方法可以创建一个可复用的样式对象。该方法接收一个对象,其属性名类似于CSS类名,属性值是具体的样式规则。
import { StyleSheet } from 'react-native';
const styles = StyleSheet.create({
container: {
flex: 1,
justifyContent: 'center',
alignItems: 'center',
backgroundColor: '#f0f0f0'
},
title: {
fontSize: 20,
fontWeight: 'bold',
color: '#333'
},
button: {
marginTop: 10,
padding: 10,
backgroundColor: '#007AFF',
borderRadius: 5
}
});
在组件中应用样式
将定义好的 styles 应用到组件的 style 属性上。注意:React Native中的组件如 View、Text、Image 等只接受由 StyleSheet 创建的样式或内联对象作为 style 值。
import React from 'react';
import { View, Text, TouchableOpacity } from 'react-native';
const MyComponent = () => {
return (
<View style={styles.container}>
<Text style={styles.title}>欢迎使用 React Native</Text>
<TouchableOpacity style={styles.button}>
<Text style={{ color: '#fff' }}>点击我</Text>
</TouchableOpacity>
</View>
);
};
样式合并与动态样式
你可以将多个样式对象合并使用,也可以根据条件动态设置样式。
立即学习“前端免费学习笔记(深入)”;

百度智能云·曦灵

83
百度旗下的AI数字人平台

83
查看详情

例如:
-
style={[styles.title, isHighlighted && styles.highlighted]}—— 使用数组形式合并多个样式 -
style={{ fontSize: large ? 24 : 16 }}—— 内联动态样式
推荐将动态逻辑尽量保留在 StyleSheet 外部处理,保持样式结构清晰。
基本上就这些。虽然没有传统CSS,但 StyleSheet 提供了更安全、高效的方式来管理样式,还能享受自动补全和错误提示。不复杂但容易忽略细节,比如属性名需用驼峰式(如 backgroundColor 而非 background-color)。




