I am trying to pass a function when a button is clicked, the button is clicked in a child element, then passed through a parent element to another child component, and i dont want to use the store for that, How can i do that?
components/footer/footer.vue — This is where the button is clicked
JavaScript
x
16
16
1
<template>
2
<div class="footer-bottom-header-menu-bar mob" @click="showMenu">
3
<img src="~/assets/svg/menubar.svg" alt="+" />
4
</div>
5
</template>
6
7
<script>
8
export default {
9
methods: {
10
showMenu() {
11
this.$emit("show-menu");
12
}
13
}
14
}
15
</script>
16
layouts/default.vue
–This is the parent component where that receives the click function and is to pass it into the app-header
JavaScript
1
25
25
1
<template>
2
<div>
3
<app-header />
4
<Nuxt />
5
<app-footer @show-menu="showMenu()"/>
6
</div>
7
</template>
8
9
<script>
10
import header from "~/components/header/header";
11
import footer from "~/components/footer/footer";
12
13
export default {
14
components: {
15
'app-header': header,
16
'app-footer': footer
17
},
18
methods: {
19
showMenu() {
20
console.log("clicked");
21
}
22
}
23
}
24
</script>
25
components/header/header.vue — I want the click function to perform an action inside this component
JavaScript
1
10
10
1
<script>
2
export default {
3
data() {
4
return {
5
showMenuBar: false
6
}
7
},
8
}
9
</script>
10
Advertisement
Answer
You can declare any attribut on your parent component:
JavaScript
1
4
1
data() {
2
return { toBeWatched: 0 };
3
}
4
- Then pass it like a props from the parent to the header child:
<app-header :Trigger="toBeWatched" />
- When you listen to the
@show-menu
event (comming from footer child), make any change on your attribut:
<app-footer @show-menu="toBeWatched++" />
- Finally you can watch for this change on your header child and trigger your function.
JavaScript
1
17
17
1
<script>
2
export default {
3
data() {
4
return {
5
showMenuBar: false
6
};
7
},
8
props: ['Trigger'],
9
watch: {
10
Trigger() {
11
this.showMenuBar = !this.showMenuBar; // or do whatever you want
12
console.log('showMenuBar : ' + this.showMenuBar);
13
}
14
}
15
};
16
</script>
17