我正在为TypeScript的React Native项目使用JSDoc和TSDoc。在记录道具时有一些奇怪的行为。
所有@param: props.propName都带有下划线,消息如下:
tsdoc-param-tag-with-invalid-name: The @param block should be followed by a valid parameter name: The identifier cannot non-word characterseslinttsdoc/syntax另外,我还必须添加: Props两次,因为如果我只将它放在FC中,则props会被加下划线:
'onPress' is missing in props validationeslintreact/prop-types代码:
import React, { useContext, FC } from 'react'
import { GestureResponderEvent, ViewStyle } from 'react-native'
import { useNavigation } from '@react-navigation/native'
import { UserAvatarContext } from '../apps'
import Avatar from './Avatar'
interface Props {
size?: number
radius?: number
style?: ViewStyle
onPress?: (event: GestureResponderEvent) => void
}
/**
* Display the user profile avatar and link
*
* @param props - React props
* @param props.size - the size of the avatar in pixels
* @param props.radius - the border radius in pixels
* @param props.onPress - the function to use when pressing the avatar (by default, navigate to the user profile page)
* @param props.style - Additional style information
* @returns The avatar icon
*/
const UserAvatar: FC<Props> = ({ size = 40, radius, style, onPress }: Props) => {
const navigation = useNavigation()
const { source } = useContext(UserAvatarContext)
const defaultOnPress = (): void => navigation.navigate('My profile')
return <Avatar source={source} onPress={onPress || defaultOnPress} size={size} style={style} radius={radius} />
}
export default UserAvatar我希望它是干净的,但我觉得我需要做一些配置或修改声明我的道具的方式。有什么想法吗?
谢谢
发布于 2020-09-07 20:14:57
只需将属性描述移动到接口定义,如下所示:
import React, { useContext, FC } from 'react'
import { GestureResponderEvent, ViewStyle } from 'react-native'
import { useNavigation } from '@react-navigation/native'
import { UserAvatarContext } from '../apps'
import Avatar from './Avatar'
interface Props {
// the size of the avatar in pixels
size?: number
// the border radius in pixels
radius?: number
// Additional style information
style?: ViewStyle
// the function to use when pressing the avatar (by default, navigate to the user profile page)
onPress?: (event: GestureResponderEvent) => void
}
/**
* Display the user profile avatar and link
*
* @param props - React props
*/
const UserAvatar: FC<Props> = ({ size = 40, radius, style, onPress }: Props) => {
const navigation = useNavigation()
const { source } = useContext(UserAvatarContext)
const defaultOnPress = (): void => navigation.navigate('My profile')
return <Avatar source={source} onPress={onPress || defaultOnPress} size={size} style={style} radius={radius} />
}https://stackoverflow.com/questions/63775660
复制相似问题