Vuejs

Subscribe to Vuejs feed
most recent 30 from stackoverflow.com 2017-09-14T21:10:11Z
Updated: 7 years 1 week ago

vue.js 2 how to properly nest components

Sun, 2017-09-10 21:58

Can you please tell me how to properly add components to other components? The example below does not work. The child component is not displayed inside the parent.

<div id="app"> <parent> <child></child> </parent> </div> <template id='child'> <div>child component</div> </template> <template id='parent'> <div>parent component</div> </template> <script> var child = { template: '#child', data: function () { return {} } }; var parent = { template: '#parent', data: function () { return {} } }; new Vue({ el: '#app', components: { 'parent': parent, 'child': child } }) </script>

sample: https://jsfiddle.net/05gc05sk/1/

how to properly nest components?

Categories: Software

vue-router in production (serving with Go)

Sun, 2017-09-10 21:44

I'd like to separate client and server completely, so I created a vuejs project with vue init webpack my-project. In this project I'm using vue-router for all my routing (this includes special paths, like /user/SOMEID..

This is my routes.js file:

import App from './App.vue' export const routes = [ { path: '/', component: App.components.home }, { path: '/user/:id', component: App.components.userid }, { path: '*', component: App.components.notFound } ]

When I run the application using npm run dev everything works perfectly. I'm now ready to deploy to cloud, so I ran npm run build. Since I need to use a HTTP Server, I decided to use Go for that as well.. this is my Go file:

package main import ( "fmt" "github.com/go-chi/chi" "github.com/me/myproject/server/handler" "net/http" "strings" ) func main() { r := chi.NewRouter() distDir := "/home/me/code/go/src/github.com/me/myproject/client/dist/static" FileServer(r, "/static", http.Dir(distDir)) r.Get("/", IndexGET) http.ListenAndServe(":8080", r) } func IndexGET(w http.ResponseWriter, r *http.Request) { handler.Render.HTML(w, http.StatusOK, "index", map[string]interface{}{}) } func FileServer(r chi.Router, path string, root http.FileSystem) { if strings.ContainsAny(path, "{}*") { panic("FileServer does not permit URL parameters.") } fs := http.StripPrefix(path, http.FileServer(root)) if path != "/" && path[len(path)-1] != '/' { r.Get(path, http.RedirectHandler(path+"/", 301).ServeHTTP) path += "/" } path += "*" r.Get(path, http.HandlerFunc(func(w http.ResponseWriter, r *http.Request) { fs.ServeHTTP(w, r) })) }

I'm able to load the home page (App.components.home) where everything seem to work (the css, the images, translations, calls to and responses from the server).. but when I try to open other routes that should either result in 404 or load a user, then I just get the response 404 page not found in plaintext (not the vue notFound component it's supposed to render)..

Any ideas what I'm doing wrong and how to fix it?

Categories: Software

How to call a vue component method from another js file

Sun, 2017-09-10 21:41

I have a Vue v2.3.4 (quasar-framework v0.14.2) modal ComponentA working when clicking on a button in the same component. The MyModal component seems to work fine (as I can trigger it with a button). However I have code in a separate util.js file which should trigger the modal (from a 'myUtilElement'). How can I do that?

ComponentA.vue

<template> <div> <div id='lotsofstuff'></div> <myModal ref="modalTest"></myModal> </div> </template> <script> import MyModal from '../MyModal.vue' export default { name: 'componentA', components: {MyModal}, methods: { openModal: function () { this.$refs.myModal.open() }, otherMethods:...etc. }

Util.js

import ComponentA from '../ComponentA.vue' myUtilElement.addEventListener('click', triggerModal, false) function triggerModal () { ComponentA.methods.openModal() }

I now get following error in the console:

Uncaught TypeError: Cannot read property 'openModal' of undefined at HTMLElement.triggerModal
Categories: Software

setTimeout in Vue method not working

Sun, 2017-09-10 21:38

In my small Vue application, I'm trying to call the same method (emptyDivision) with different parameters from within another method (buttonClick). I set a 5-second timeout for the second invocation of that method, but this delay is not being recognized when I trigger these two functions by executing buttonClick.

<html> <head> <script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.1.10/vue.min.js"></script> <script src="https://cdnjs.cloudflare.com/ajax/libs/vuex/2.1.1/vuex.min.js"></script> </head> <body> <div id="app"> <button v-on:click="buttonClick">Simulate Placement</button> <h1>Random Division 1</h1> <p>{{A.One}}</p> <p>{{A.Two}}</p> <h1>Random Division 2</h1> <p>{{B.One}}</P> <p>{{B.Two}}</p> </div> <script type="text/javascript"> new Vue({ 'el': '#app', 'data': { 'A': {'One': "", 'Two': "" }, 'B': {'One': "", 'Two': "" }, 'Division1': ["Steelers", "Ravens"], 'Division2': ["Broncos", "Raiders"], }, 'methods': { 'emptyDivision': function(division){ this.A[division] = this.popTeam(division)[0]; this.B[division] = this.popTeam(division)[0]; }, 'popTeam': function(division) { if (division === "One"){ return this.Division1.splice(Math.floor(Math.random()*this.Division1.length), 1); } return this.Division2.splice(Math.floor(Math.random()*this.Division2.length), 1); }, 'buttonClick': function() { setTimeout(function() {console.log("This appears after 3 seconds")}, 3000); setTimeout(this.emptyDivision("One"), 5000); /*Teams in division one ("Steelers" and "Ravens") should be propagated to the DOM after 5 seconds, but it's being evaluated at the same time as the invocation to this.emptyDivision("Two") */ this.emptyDivision("Two"); /* I expect ("Broncos" and "Raiders" to be rendered to the DOM first due to the timeout, but this is not happening*/ } } }) </script> </body> </html>

After inspecting the console, the three-second timeout log statement is evaluated and produces the expected behavior, but the five-second timeout to emptyDivision("one") does not appear to be working, as detailed by the comments I left in the above code.

Categories: Software

Slide Reverse Transitions, Vue Js

Sun, 2017-09-10 20:39

I'm developing a single page application / mobile app, with VUE JS, I want a slide effect when changing the pages, and I can do it like this:

transition name="slide" router-view transition transition

But I wanted the reverse effect of the slide when the user returns the page, in other words, when the user opens a new page, the page will come from the right, when they go back, the page will come from the left. There is a plugin for vue router, called vue-router-transition https://www.npmjs.com/package/vue-router-transition But it does not work, it is out of date, it only works with very old versions of the vue

Also there is a tutorial on how to make dynamic transitions, but only works when it is parents routes, ex: site.com/rota1/rota2/rota3 Which is not my case https://router.vuejs.org/en/advanced/transitions. html

I thought of the following logic in the before.each.router, set the transition class, (slide-left or slide-right) depending on whether the user clicked on a go back button, the problem is that I do not know how to apply this logic in code, I would have to pass the value of a variable that is in main.js to the app.vue and I do not know how to do this ...

If anyone can help me, thank you!

Categories: Software

vue: Wrong type check for prop

Sun, 2017-09-10 19:20

My component has in data section:

photos: ['images\1.jpg','images\2.jpg']

In template (pug) :

... v-carousel v-carousel-item(v-for='(item,i) in photos',:key='i', :src='item')

I got 2 warnings:

[Vue warn]: Invalid prop: type check failed for prop "src". Expected String, got Number. found in --->

If

:src='item'

change to

:src='item.toString()'

there are no warnings.

Is it Vue or Vuetify or my error?

Categories: Software

Vue js Cli app running in another computer

Sun, 2017-09-10 18:55

I would like to share my Vue js application project which is in my repository with a friend. So I used vue-cli, npm/yarn and webpack to develope. I would like to know if he needs to install also cli to run the app on his computer, or just npm install and npm run? thanks

Categories: Software

How to separate opening and closing tag by conditional template in vue without getting compiling error?

Sun, 2017-09-10 17:19

I am trying to do some conditional templating where I have to separated the opening and closing tags of some elements. But can't get it to work until they are in the same conditional template tag. As soon as I put the opening tag to one conditional template and the closing tag to another conditional template I get an error. For example:

<template> <div> <template v-if="show"> <ul> <li> one </li> </template> // OTHER CONDITIONAL STUFF IN BETWEEN <template v-if="show"> <li> two </li> </ul> </template> </div> </template> <script> export default { data() { return { show: false } } } </script>

Here I get an error because the opening <ul> tag and closing </ul> tag are in discrete <template v-if=".."> tags. I get this error:

(Emitted value instead of an instance of Error) Error compiling template: <div> <template v-if="show"> <ul> <li> one </li> </template> <template v-if="show"> <li> two </li> </ul> </template> </div> - tag <ul> has no matching end tag.

How can I separate any starting and ending tags inside conditional template tags without breaking the code?

Categories: Software

Vue creating a plugin

Sun, 2017-09-10 17:08

I feel a bit like I'm missing something very simple, but I've been trying different stuff out and searching all over the place and can't figure out how to use a method from a custom plugin in my Vue application.

In 'vuePlugin.js' I have something like:

const myPlugin = {}; myPlugin.install = function(Vue, options){ Vue.myMethod = function(){ console.log("It worked!"); } }

In my main.js I have:

import myPlugin from './js/vuePlugin.js' Vue.use(myPlugin);

Then in my App.vue I have:

export default { name: 'app', props: {}, data () { return{ someData: 'data' } }, beforeCreate: function(){ myMethod(); } }

With this I get an error that "myMethod is not defined".

I've tried saying:

var foo = myPlugin(); console.log(foo);

In my console I get an object called "install" with arguments: "Exception: TypeError: 'caller' and 'arguments' are restricted function properties and cannot be accessed in this context. at Function.remoteFunction"

All of the documentation seems to just show how to create the plugin and "use" it, but not actually how to access anything in it. What am I missing here?

Categories: Software

Vue.js focus input inside different component on keypress

Sun, 2017-09-10 16:32

I have a <table> with rows containing form inputs.

I want to simulate a spreadsheet behavior, meaning that when you press the key UP or DOWN the focus should change to the next/previous row's input.

The way I'm building this is attaching an event handler in the input like this:

<td><input v-model="period.end" v-on:keydown="moveIfCursorUpOrDown"></td>

The question is how to focus an input inside a different component inside moveIfCursorUpOrDown method.

I know of this.$refs.nameOfInput.focus(), which works to focus the inputs belonging to the component itself, but I don't know how to use this to focus the input inside a different component.

Categories: Software

vue js computed method

Sun, 2017-09-10 16:29

I'm pretty new with Vue and Js and I'm a bit confused with computed methods. So as follows I create a props to share data from the parent component. Everything works but when the sumTotal method its executed as a default value its displaying Nan on the {{sumTotal}}. How I can fix the sumTotal method?

<v-layout row v-for="color in colors" :key="color.id"> <v-layout > <v-flex > <v-checkbox class="text-xs-right" name="checkbox" v-bind:label="`${color.name}`" v-model="color.checked" light></v-checkbox> </v-flex> </v-layout> <v-layout column> <v-flex > <v-subheader>{{color.price}} €</v-subheader> </v-flex> </v-layout> <v-subheader> {{sumTotal}} €</v-subheader> </v-layout> <script> export default { props: ['myProp'], data: () => ({ colors: [{ id: 1, name: "White", price: 5, }, { id: 2, name: "Green", price: 4, }, { id: 3, name: "Blue", price: 3, }, { id: 4, name: "Red", price: 2, }, { id: 5, name: "Purple", price: 1, }, { id: 6, name: "Yellow", price: 0, }], }), computed: { total: function() { var total = 0; for (var i = 0; i < this.colors.length; i++) { if (this.colors[i].checked) { total += this.colors[i].price; } } return total; }, sumTotal: function() { var myProp = 0; return this.total + this.myProp; } }, } </script>
Categories: Software

Javascript: indexOf always returns -1, but not for all arrays

Sun, 2017-09-10 15:16

I'm using Vue.js. I have two arrays, checkedTracks and checkedAlbums. Both are created and populated in the same way (see initialiseAlbums) and both contain elements of type string.

The updateArray method takes an array and array element as parameters. If the element is in the array, it is removed. If it is not in the array, it is added. When I call the method updateArray and pass the checkedTracks array, it performs as expected. However when I pass checkedAlbums, the index is always -1.

While debugging the method with checkedAlbums I noticed a few things.

  • The data types of the element being passed in and the array elements are the same
  • The array contains data, however array[0] returns undefined
  • Manually passing the ID string to the indexOf function still returns 0, despite being identical

Can anyone provide some insight as to what is going on here? Thanks in advance.

<script> import Album from './Album' import EventBus from '../event-bus' import Sort from './Sort' import Modal from './Modal' export default { components: { 'album': Album, 'sort': Sort, 'modal': Modal }, props: { results: [] }, data () { return { allAlbums: [], checkedTracks: [], checkedAlbums: [], artist: {}, createPlaylistMessage: '', showModal: false, published: false, playlistUrl: '' } }, mounted () { EventBus.$on('albums', this.initialiseAlbums) EventBus.$on('artist', this.initialiseArtist) }, computed: { resultsPresent: function () { return this.allAlbums.length > 0 } }, methods: { initialiseAlbums: function (allAlbums) { let self = this self.allAlbums = [] self.checkedAlbums = [] self.checkedTracks = [] allAlbums.forEach(function (album) { if (album.tracks.items !== null) { self.allAlbums.push(album) self.checkedAlbums.push(album.id) album.tracks.items.forEach(function (track) { self.checkedTracks.push(track.id) }) } }) }, initialiseArtist: function (artist) { this.artist = artist }, toggleSingleAlbum: function (albumId) { this.updateArray(this.checkedAlbums, albumId) }, updateTrack: function (trackId) { this.updateArray(this.checkedTracks, trackId) }, updateArray: function (array, element) { let index = array.indexOf(element) if (index > -1) { array.splice(index, 1) } else { array.push(element) } }, updateSort: function (albums) { this.allAlbums = albums }, publishPlaylist: function () { this.published = false let playlist = {} playlist.tracks = this.checkedTracks playlist.name = this.artist.name this.$http.post('/publish', playlist).then(function (response) { if (response.status === 201) { this.published = true this.playlistUrl = response.data this.createPlaylistMessage = 'Playlist created successfully' } else { this.createPlaylistMessage = 'Playlist could not be created' } this.showModal = true }).catch(function (error) { console.log(error) }) } } } </script>
Categories: Software

How to start a v-for loop at a specific index.

Sun, 2017-09-10 14:30

How to start a v-for loop at a specific index. example: A array given array = [a,b,c,d,e,f]; I want use v-for loop which will start looping from 3rd element. Thank you :)

Categories: Software

How to stop router from a component?

Sun, 2017-09-10 13:54

There is a component
It takes some action and a person should not leave without having saving
There is method beforeDestroy()
This works fine, but I do not understand how to stop transition.
Rather, the link changes, but the component has not yet deleted.

Categories: Software

How to apply Vue.js scoped styles to components loaded via view-router?

Sun, 2017-09-10 13:09

How can I apply Vue.js scoped styles to components loaded via <view-router>.

Here is my code:

<template> <div id="admin"> <router-view></router-view> </div> </template> <style lang="scss" scoped> #admin { .actions { display: none; span { cursor: pointer; } } } </style>

When I visit the /posts a component named Posts will be loaded, inside this component I have a

<div class="actions"> some content </div>

The problem is that the style defined in #admin is not applied to .action element. When not scoped, this works fine. The problem come when the #admin component styling is scoped.

Is there any way to do that while keeping the .actions style inside the admin component scoped style tag?

Categories: Software

How to implement pouchdb in cordova with an app packaged by webpack?

Sun, 2017-09-10 13:08

I would like to ask if anyone knows how to integrate pouchdb in a cordova app? I have already created a To Do app in webpack/vue-cli and have successful run them in the browser environment however when I try to package the app for mobile development, it seems that the database I initially used (pouchdb) is not working anymore. I have tried googling every topic I know just to implement this logic but to no avail.

To give you an idea how I developed my app here are the steps:

  1. Used vue-cli to create a boilerplate for the app. I have used Vuetify, Vuex, and Vue-router, PouchDB inside the app.
  2. After developing the app and successfully run through the browser(with database connection working), I package the app using npm run build of webpack to create a browser compatible distribution.
  3. Then I went to create a cordova project using the cordova cli, and then I went to its www folder and replaced the index.html with my webpack app.
  4. Then I ran the webpack/cordova app, the only difference is that is does not load any data from my pouchdb database anymore even if I run cordova run browser command.

Thank you

Categories: Software

How to Import Specific Files Inside Node_Modules

Sun, 2017-09-10 10:19

Okay, so I am using webpack-simple for VueJS. I installed a theme called AdminLTE. I tried to import the bootstrap files inside it via the code below. When I run npm run build, the app searches inside the src folder but AdminLTE is inside node_modules folder.

Should I import just those files that I need, or should I import the whole folder. And How do I properly import those files?

My main.js file

import Vue from 'vue' import App from './App.vue' // import BootstrapCSS from 'admin-lte/bootstrap/bootstrap.min.css' // import BootstrapCSSTheme from 'admin-lte/bootstrap/bootstrap-theme.min.css' import 'admin-lte/bootstrap/bootstrap.min.css' import 'admin-lte/bootstrap/bootstrap-theme.min.css' new Vue({ el: '#app', render: h => h(App) })

My Webpack Config

var path = require('path') var webpack = require('webpack') module.exports = { entry: './src/main.js', output: { path: path.resolve(__dirname, './dist'), publicPath: './dist/', filename: 'build.js' }, module: { rules: [ { test: /\.vue$/, loader: 'vue-loader', options: { loaders: { } // other vue-loader options go here } }, { test: /\.js$/, loader: 'babel-loader', exclude: /node_modules/ }, { test: /\.css$/, use: ['style-loader','css-loader'] }, { test: /\.(png|jpg|gif|svg)$/, loader: 'file-loader', options: { name: '[name].[ext]?[hash]' } } ] }, resolve: { alias: { 'vue$': 'vue/dist/vue.esm.js' } }, devServer: { historyApiFallback: true, noInfo: true }, performance: { hints: false }, devtool: '#eval-source-map' } if (process.env.NODE_ENV === 'production') { module.exports.devtool = '#source-map' // http://vue-loader.vuejs.org/en/workflow/production.html module.exports.plugins = (module.exports.plugins || []).concat([ new webpack.DefinePlugin({ 'process.env': { NODE_ENV: '"production"' } }), new webpack.optimize.UglifyJsPlugin({ sourceMap: true, compress: { warnings: false } }), new webpack.LoaderOptionsPlugin({ minimize: true }) ]) }
Categories: Software

Import with Babel and Webpack loader in Vue.js

Sun, 2017-09-10 09:50

I cannot get past this linting error. I feel like I'm tried everything. Can someone help me out?

ERROR in ./~/babel-loader/lib!./~/vue-loader/lib/selector.js?type=script&index=0!./src/components/Register.vue Module not found: Error: Can't resolve '@/services/AuthenticationService' in 'C:\Users\Sean\Desktop\tabtracker\tabtracker\client\src\components' @ ./~/babel-loader/lib!./~/vue-loader/lib/selector.js?type=script&index=0!./src/components/Register.vue 25:0-69 @ ./src/components/Register.vue @ ./src/router/index.js @ ./src/main.js @ multi ./build/dev-client ./src/main.js

So basically I searched through the web looking for an answer and it seems to be a common enough problem. I checked out the same issue on the official vue forum and was not able to have a successful build. I read through github issues like crazy and still feel no closer.

I've tried rolling babel back and adding a plugin but i'm afraid I'm not adding them to the correct config files, there's so many.

Categories: Software

How to get rid of infinite update loop warning in a recursive component loop in vue?

Sun, 2017-09-10 08:55

I am using vue-router and want to generate a menu from its items (router obj) at the same time. I am trying to do that using a recursive components. But I am stuck at a infinite loop warning although I have a ending condition. Actually my main problem here occurs when I want to use/modify a level counter in the recursive component that counts the corresponding level. I get this: [Vue warn]: You may have an infinite update loop in a component render function.

This is what I've got:

In order to keep it simple I've reduced the routes and other parts to show just the needed parts for this question.

// routes.js export let routers = [ { name: 'Products', path: 'products', children: [ { name: 'Products2', path: 'products', children: [ { name: 'Products3', path: 'products' } ] } ] }, { name: 'Tables', path: 'simple_tables', }, { name: 'Other Menu', path: 'other_menu', }];

This is the parent of the recursive component. Instead placing the level data to the child component, I placed it to the parent (left-side.vue) so that it can work without being reset on each recursion. I used custom events for communicating between parent and child. Thus I can pass and modify it without a problem.

// left-side.vue <template> <aside class="left-side sidebar-offcanvas"> <section class="sidebar"> <div id="menu" role="navigation"> <navigation-cmp :routes="routes" :level="level" @levelup="levelup()" @leveldown="leveldown()"></navigation-cmp> </div> </section> </aside> </template> <script> import navigationCmp from './navigationCmp'; import {routers} from '../../router/routers'; export default { name: "left-side", data() { return { level: 0 } }, computed: { routes(){ return routers; } }, methods: { levelup(){ this.level++; }, leveldown(){ this.level--; } }, components: { navigationCmp, }, } </script>

Here is the recurring part. Each time it gets into recursion it emits level up to the parent to increase and emits level down to decrease the level variable. And it should actually stop if there is no more children to prevent infinite loop.

<template> <ul class="navigation"> <template v-for="route in routes"> <li> <template v-if="!route.children"> {{ route.name }} </template> <template v-else-if="route.children&&route.children.length>0"> {{ route.name }} <template v-for="child in route.children"> {{ levelup() }} {{ child.name }} <navigation-cmp v-if='child.children&&child.children.length>0' :routes="[child]"></navigation-cmp> {{ leveldown() }} </template> </template> </li> </template> </ul> </template> <script> export default { name: 'navigation-cmp', props: { routes: Array, level: Number }, methods: { levelup(){ this.$emit('levelup'); }, leveldown(){ this.$emit('leveldown'); } } } </script>

Obviously I am doing something wrong here. I am stuck and don't know how I could solve this. What am I doing wrong? Any advise or guidance would really be appreciated.

Categories: Software

Google map is not showing in vue.js

Sun, 2017-09-10 08:49

I have bulit an app based on Vue.js using Monaca,Cordova and onsenUI. I want to show my location using Google map in my page. To implement this I have used a npm package vue2-google-maps but it does not show anything.

The codes I have used are from the official documentation of the package. They are given below:

<template> <v-ons-page> <custom-toolbar>Page 1</custom-toolbar> <div> <gmap-map :center="center" :zoom="7" style="width: 500px; height: 300px" > <gmap-marker :key="index" v-for="(m, index) in markers" :position="m.position" :clickable="true" :draggable="true" @click="center=m.position" ></gmap-marker> </gmap-map> </div> </v-ons-page> </template> <script> import * as VueGoogleMaps from 'vue2-google-maps'; import Vue from 'vue'; Vue.use(VueGoogleMaps, { load: { key: 'AIzaSyDX3SEHwFUY-k_Jp7YMp0-uTvo7up-paXM', v: '3.26', // libraries: 'places', //// If you need to use place input } }); export default { data () { return { center: {lat: 10.0, lng: 10.0}, markers: [{ position: {lat: 10.0, lng: 10.0} }, { position: {lat: 11.0, lng: 11.0} }] } }, props: ['pageStack'], components: { customToolbar } }; </script>
Categories: Software

Pages