从其他 Vue.js 个脚本获取数据

Acquire data from other Vue.js Scripts

所以我基本上有2个脚本。处理用户登录、检查等的用户脚本。以及处理页面上的操作的脚本。现在我希望能够显示由页面脚本控制的按钮,但仅在用户登录时显示该按钮。此按钮位于页面脚本元素中,因此我无法通过用户脚本访问它。这样也会很乱。

下面是一些代码来解释我试图做的事情:

user.js:

var userAuth = new Vue({

   el: '#userSegment',
   data: { 'loggedin': false, },
   ready: function(){
    if(userLoggedIn){ this.loggedin = true; }else{ this.loggedin = false; }
   },

});

page.js

new Vue({

el: '#body', 
data: { 'buttonclicked': false, }, 
method: {    
 clicked: function(){ this.buttonclicked = true; },
},

});

index.html:

<html>
 <div id='userSegment></div>

 <div  id='body'> 
   <button v-if='userAuth.loggedIn' v-on='click: clicked()' > 
     Click Me 
   </button> 
 </div>

//both the script links are here. Dont worrie

</html>

但是当用户登录时该按钮没有显示。抱歉,如果解决方案简单到愚蠢,但是这个框架的文档(就像每 5 个中的 4 个)一样糟糕而且一团糟。

有几种不同的方法可以完成此类操作,但主要概念是您需要一个主数据集,所有相关功能都将依赖该主数据集,并在用户发生某些变化时对其进行修改。在这种情况下,您的数据集是用户信息:

// This would be the master global user JS object
var userAuthGlobals = {
    loggedIn: false
};

var userAuth = new Vue({
    el: '#userSegment',
    ready: function(){
        // Setting the global user auth
        if(userLoggedIn) {
            userAuthGlobals = true;
        } else {
            userAuthGlobals = false;
        }
    }
});

var body = new Vue({
    el: '#body',
    // Relies on the global user auth
    data: userAuthGlobals,
    methods: {
        clicked: function(){ this.buttonclicked = true; }
    }
});    

<html>
    <div id='userSegment></div>

    <div id='body'> 
        <button v-if='loggedIn' v-on='click: clicked' > 
            Click Me 
        </button> 
    </div>
</html>