2

当我从 jquery 选择器调用 vuejs 函数时,它不会触发。我已经在 vue 组件中集成了 d3-dagre 图表。当我为节点设置点击操作时,它不会触发 vuejs 方法。在下面的 getJobid() 没有触发。找到下面的vue组件代码,最后也报错。

Vue组件:

export default {
  name: 'dagView',
  created () {
    console.log('test2')
  },
  mounted () {
     var g = new dagreD3.graphlib.Graph().setGraph({})
     // Create the renderer    
     var render = new dagreD3.render()

     // Set up an SVG group so that we can translate the final graph.
     var svg = d3.select("svg"),
     inner = svg.append("g")

     // Run the renderer. This is what draws the final graph.
     render(inner, g)

     inner.selectAll("g.node")
     .on("click", function(v) {
        console.log("Nodes --> "+ v + " -- "+ g.node(v).label)
        this.nodeId = g.node(v).label
        console.log("Node id -- "+ this.nodeId)
        this.getJobid()
     })
  },
  methods: {
    getJobid: function() {
      console.log('Received NodeId')
    }
  }
}

错误:

Uncaught TypeError: this.getJobid is not a function
at SVGGElement.eval (DAG.vue?2ccc:180)
at SVGGElement.__onclick (d3.v3.min.js:1)
4

4 回答 4

6

处理程序的this回调中on没有引用 Vue 实例。在处理程序之外设置一个引用并使用它来代替:

var self = this 
inner.selectAll("g.node")
  .on("click", function(v) {
    console.log("Nodes --> "+ v + " -- "+ g.node(v).label)
    self.nodeId = g.node(v).label
    console.log("Node id -- "+ this.nodeId)
    self.getJobid()
  })
于 2017-08-09T14:37:09.973 回答
4

最好使用箭头函数,以便this在回调中引用 Vue 实例。

于 2017-12-03T10:05:41.267 回答
1

好吧,这里的问题是“this.getJobid()”实际上不是一个函数这是指当前上下文-在您的情况下

inner.selectAll("g.node").on("click", function(v) {
// as we are inside inner.selectAll('g.node') 
// our Vue instance is not what we will find here
..
}

解决方案是在注册处理程序之前创建对 Vue 的引用,通常是

const vm = this;

那你可以试试

vm.getJobid();
于 2017-11-07T11:14:12.893 回答
0
inner.selectAll("g.node")
  .on("click", (v) => {
    console.log("Nodes --> " + v + " -- " + g.node(v).label)
    this.nodeId = g.node(v).label
    console.log("Node id -- " + this.nodeId)
    this.getJobid()
  })
于 2017-08-10T08:08:36.780 回答