我有一个带有此代码的自定义按钮组件
import React from 'react';
import { TouchableOpacity, View, Text } from 'react-native';
import PropTypes from 'prop-types';
import styles from './styles';
const CustomBtn = ({props, text, onPress }) => (
<TouchableOpacity {...props} onPress={onPress}>
<View style={styles.button}>
<Text style={styles.text}>{text}</Text>
</View>
</TouchableOpacity>
);
CustomBtn = {
text: PropTypes.string,
onPress: PropTypes.func,
};
export default CustomBtn;
我想在我写的视图中覆盖Component的样式(边距,填充)
<CustomBtn style={styles.BtnMargin} onPress={this.handlePressLogin} text="Login" />
但我的自定义按钮没有得到风格.如何更改自定义btn的代码来解决这个问题?
最佳答案 您使用
stateless component错了.如果您查看签名,您可以注意到它接受道具作为参数:
function Welcome(props) {
return <h1>Hello, {props.name}</h1>;
}
在行{… props}中,varibale props未定义,因为它与普通组件中的this.props.props相同.你真正想做的是:
const CustomBtn = (props) => (
<TouchableOpacity {...props} onPress={props.onPress}>
<View style={styles.button}>
<Text style={styles.text}>{props.text}</Text>
</View>
</TouchableOpacity>
);