単一ファイルコンポーネント を定義しています
そのコンポーネントで props オプションを使用したい。
しかし、どこでコードを追加できますか?
<template>
<div class="hello">
<h1>{{ msg }}</h1>
</div>
</template>
<script>
export default {
data () {
return {
// note: changing this line won't causes changes
// with hot-reload because the reloaded component
// preserves its current state and we are modifying
// its initial state.
msg: 'Hello World!'
}
}
}
</script>
<!-- Add "scoped" attribute to limit CSS to this component only -->
<style scoped>
h1 {
color: #42b983;
}
</style>
長い実験の後、実用的な解決策を見つけました。
プロジェクトのファイル構造:
src/
assets/
components/
Home.vue
App.vue
main.js
package.json
config.js
index.html
次に、ルートコンポーネントにアクセスします-App
のサブコンポーネント内のvmフィールドHome.vue
、vue-route
on。
main.js:
import Vue from 'vue'
import VueRouter from 'vue-router'
import App from './App'
Vue.use(VueRouter);
let router = new VueRouter();
router.map({
'/': {
name: 'home',
component: require('./components/Home')
}
});
router.start(App, 'body');
App.vue:
<template>
<p>The current path: {{ $route.path }}.</p>
<p>Outer-Value: {{ outer_var }}</p>
<hr/>
<!-- The below line is very very important -->
<router-view :outer_var.sync="outer_var"></router-view>
</template>
<script>
import Home from './compnents/Home.vue'
export default {
replace: false,
components: { Home },
data: function() {
return {
outer_var: 'Outer Var Init Value.'
}
}
}
</script>
Home.vue
<template>
<div>
<p><input v-model="outer_var" /></p>
<p>Inner-Value: {{ outer_var }}</p>
</div>
</template>
<script>
export default {
// relating to the attribute define in outer <router-view> tag.
props: ['outer_var'],
data: function () {
return {
};
}
}
</script>
内側の小道具は、コンポーネントタグの属性のプロパティ(<router-view>
この場合のタグ。)、[〜#〜] not [〜#〜]親コンポーネントに直接。
そのため、mustで、passing propsフィールドをコンポーネントタグの属性として手動でバインドします。参照: http://vuejs.org/guide/components.html#Passing-Data-with-Props
また、.sync
バインディングはデフォルトでone-way-downであるため: http://vuejs.org/guide/ components.html#Prop-Binding-Types
ネストされたコンポーネントを介してステータスを共有することは少し混乱しています。より良い練習をするために、 Vuex を使用できます。
次のようにできます:
app.js
<template>
<div class="hello">
<h1>{{ parentMsg }}</h1>
<h1>{{ childMsg }}</h1>
</div>
</template>
<script>
export default {
props: ['parentMessage'],
data () {
return {
childMessage: 'Child message'
}
}
}
</script>
<style scoped>
h1 {
color: #42b983;
}
</style>
main.js
import Vue from 'vue'
import App from './App.vue'
new Vue({
el: '#app',
data() {
return {
message: 'Parent message'
}
},
render(h) {
return h(App, { props: { parentMessage: this.message } })
}
});
数ヶ月前から、Vueには独自の styleguide があり、参照やこのようなものに使用できます。小道具は参照の1つであり、実際に不可欠なものです。
悪い
props: ['status']
良い
props: {
status: String
}
さらに良い
props: {
status: {
type: String,
required: true,
validator: function (value) {
return [
'syncing',
'synced',
'version-conflict',
'error'
].indexOf(value) !== -1
}
}
}
詳細についてはこちらをご覧ください こちら