嗨,我是vue的新手,正在尝试了解其单向数据绑定模型组件的注册和传递道具。
在我的index.js
中,我有一个父组件,我想立即在其中渲染一个孩子
import Vue from 'vue'
import StyledTitle from './components/StyledTitle'
new Vue({
el: '#app',
components: {
StyledTitle,
},
})
子组件为StyledTitle.js
import Vue from 'vue'
import styled from 'vue-styled-components'
const StyledTitle = styled.h1`
font-size: 1.5em;
text-align: center;
color: #ff4947;
&:hover,
&:focus {
color: #f07079;
}
`
Vue.component('styled-title', {
props: ['text'],
components: {
'styled-title': StyledTitle,
},
template: `<StyledTitle>{{ text }}</StyledTitle>`,
})
export default StyledTitle
最后,我希望HTML呈现红色的Hi
<div id="app">
<styled-title text="Hi"></styled-title>
</div>
虽然HI没有显示,但是props值未定义。由于反应而来,所以想知道为什么这不起作用,谢谢!
答案 0 :(得分:2)
问题是您的StyledTitle.js
文件导出的是标准样式的<h1>
组件,该组件的内容使用默认位置,而不是您的接受text
道具的自定义组件。
如果您仍然热衷于使用基于道具的组件,则需要将其导出,而不是从vue-styled-components
中导出。在这种情况下,您也应该避免全局组件注册。
例如
// StyledTitle.js
import styled from 'vue-styled-components'
// create a styled title locally
const Title = styled.h1`
font-size: 1.5em;
text-align: center;
color: #ff4947;
&:hover,
&:focus {
color: #f07079;
}
`
// now export your custom wrapper component
export default {
name: 'StyledTitle',
props: ['text'],
components: {
Title, // locally register your styled Title as "Title"
},
template: `<Title>{{ text }}</Title>`,
})
鉴于您的组件不保持任何状态,可以将其设置为purely functional。使用渲染功能也将有所帮助,尤其是在您的Vue运行时不包含模板编译器(大多数Vue CLI应用程序的默认设置)的情况下
export default {
name: 'StyledTitle',
functional: true,
props: { text: String },
render: (h, { props }) => h(Title, props.text)
}