jquery - 使用 Protovis 通过 JQuery 动态加载数据

标签 jquery protovis

我正在将一些社交网络数据动态加载到我想要使用 protovis 进行可视化的网页中。(实际上,数据是在两遍过程中加载的 - 首先从 Twitter 获取用户名列表,然后社交关系列表是从 Google Social API 中获取的。)protovis 代码似乎在事件循环内运行,这意味着数据加载代码需要位于该循环之外。

在“打开”protovis 事件循环之前,如何将数据加载到页面中并解析它?目前,我认为存在竞争条件,protovis 试图可视化尚未加载和解析的网络数据?

<html><head><title></title> 

<script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.2.6/jquery.min.js"></script> 
<script type="text/javascript" src="../protovis-3.2/protovis-r3.2.js"></script>
<script type="text/javascript"> 

//getNet is where we get a list of Twitter usernames
function getNet(){

  url="http://search.twitter.com/search.json?q=jisc11&callback=?"
  $.getJSON(url,function(json){
    users=[]
    uniqusers={}
    for (var u in json['results']) {
      uniqusers[json['results'][u]['from_user']]=1
    }
    for (var uu in uniqusers)
      users.push(uu)
    getConnections(users)
  })
}

//getConnections is where we find the connections between the users identified by the list of Twitter usernames
function getConnections(users){
  //Google social API limits lookup to 50 URLs; need to page this...
  if (users.length>50)
    users=users.slice(0,49)
  str=''
  for (var uic=0; uic<users.length; uic++)
    str+='http://twitter.com/'+users[uic]+','
  url='http://socialgraph.apis.google.com/lookup?q='+str+'&edo=1&callback=?';

  $.getJSON(url,function(json){
    graph={}
    graph['nodes']=[]
    userLoc={}

    for (var uic=0; uic<users.length; uic++){
      graph['nodes'].push({nodeName:users[uic]})
      userLoc[users[uic]]=uic
    }

    graph['links']=[]
    for (u in json['nodes']) {
      name=u.replace('http://twitter.com/','')
      for (var i in json['nodes'][u]['nodes_referenced']){
        si=i.replace('http://twitter.com/','')
        if ( si in userLoc ){
          if (json['nodes'][u]['nodes_referenced'][i]['types'][0]=='contact') 
            graph['links'].push({source:userLoc[name], target:userLoc[si]})
        }
      }
    }

    followers={}
    followers={nodes:graph['nodes'],links:graph['links']}
  });
}

$(document).ready(function() {
  users=['psychemedia','mweller','mhawksey','garethm','gconole','ambrouk']
  //getConnections(users)
  getNet()
})

</script>
</head>

<body>
<div id="center"><div id="fig">
    <script type="text/javascript+protovis">
      // This code is taken directly from the protovis example
      var w = document.body.clientWidth,
        h = document.body.clientHeight,
        colors = pv.Colors.category19();

      var vis = new pv.Panel()
        .width(w)
        .height(h)
        .fillStyle("white")
        .event("mousedown", pv.Behavior.pan())
        .event("mousewheel", pv.Behavior.zoom());

      var force = vis.add(pv.Layout.Force)
        .nodes(followers.nodes)
        .links(followers.links);

      force.link.add(pv.Line);

      force.node.add(pv.Dot)
        .size(function(d) (d.linkDegree + 4) * Math.pow(this.scale, -1.5))
        .fillStyle(function(d) d.fix ? "brown" : colors(d.group))
        .strokeStyle(function() this.fillStyle().darker())
        .lineWidth(1)
        .title(function(d) d.nodeName)
        .event("mousedown", pv.Behavior.drag())
        .event("drag", force)
        //comment out the next line to remove labels
        //.anchor("center").add(pv.Label).textAlign("center").text(function(n) n.nodeName)

      vis.render();

    </script>
  </div></div>

</body></html>

最佳答案

vis.render()当前正在获取数据之前被调用。可能还有其他问题,但需要在getNet()之后.

<小时/>

编辑1:

vis.render()现在是 getNet() 之后。我已将 protovis 强制布局创建代码放入函数内,以便我可以控制它的执行时间,并制作 visfollowers初始化代码和 createLayout 都可见的变量代码。

Protovis,尤其是力量布局,对错误非常不宽容 - 例如节点/链接数据结构的结构或元素计数错误,并且不会告诉您发生了什么,因此在开发时最好首先使用您知道类型正确的静态数据,然后用动态创建的数据替换.

您遇到的问题之一是使用 type="text/javascript+protovis" 通过 protovis 调用 javascript 重写。下面的代码使用 type="text/javascript"并且有额外的{}return就是使用+protovis节省。这允许 getJSON()和 protovis 在 Chrome 浏览器中共存,无需 getNet()被反复调用。

<html><head><title></title> 

<script type="text/javascript" src="jquery.js"></script>
<script type="text/javascript" src="protovis-d3.2.js"></script>

<body>
<div id="center"><div id="fig">

<script type="text/javascript">
var vis;
var followers={};

function createLayout(){
    var w = document.body.clientWidth,
    h = document.body.clientHeight,
    colors = pv.Colors.category19();

    vis = new pv.Panel()
      .width(w)
      .height(h)
      .fillStyle("white")
      .event("mousedown", pv.Behavior.pan())
      .event("mousewheel", pv.Behavior.zoom());

    var force = vis.add(pv.Layout.Force)
      .nodes(followers.nodes)
      .links(followers.links);

    force.link.add(pv.Line);
    force.node.add(pv.Dot)
      .size(function(d){ return (d.linkDegree + 4) * Math.pow(this.scale, -1.5);})
      .fillStyle(function(d){ return d.fix ? "brown" : colors(d.group);})
      .strokeStyle(function(){ return this.fillStyle().darker();})
      .lineWidth(1)
      .title(function(d){return d.nodeName;})
      .event("mousedown", pv.Behavior.drag())
      .event("drag", force);
      //comment out the next line to remove labels
      //.anchor("center").add(pv.Label).textAlign("center").text(function(n) n.nodeName)
  vis.render();
}

function getNet(){
  // OK to have a getJSON function here.

  followers={nodes:[{nodeName:'mweller', group:6},
    {nodeName:'mhawksey', group:6},
    {nodeName:'garethm', group:6},
    {nodeName:'gconole', group:6},
    {nodeName:'ambrouk', group:6}
  ],
  links:[
    {source:0, target:1, value:1},
    {source:1, target:2, value:1},
    {source:1, target:4, value:1},
    {source:2, target:3, value:1},
    {source:2, target:4, value:1},
    {source:3, target:4, value:1}]};
}

$(document).ready(function() {
  getNet();
  createLayout();
})
</script>

</head> 

</div></div>

</body></html>

编辑2:

如果您有兴趣更深入地挖掘,问题来自于 protovis 中的这段代码:

pv.listen(window, "load", function() {
   pv.$ = {i:0, x:document.getElementsByTagName("script")};
   for (; pv.$.i < pv.$.x.length; pv.$.i++) {
     pv.$.s = pv.$.x[pv.$.i];
     if (pv.$.s.type == "text/javascript+protovis") {
       try {
         window.eval(pv.parse(pv.$.s.text));
       } catch (e) {
         pv.error(e);
       }
     }
   }
   delete pv.$;
 });

我曾经使用过的技术"text/javascript"并避免使用 "text/javascript+protovis"既可以解决您的问题,又可以更轻松地在 Firefox 中使用 protovis 调试代码。

关于jquery - 使用 Protovis 通过 JQuery 动态加载数据,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/5289899/

相关文章:

java - jQuery DataTables 不显示 Unicode 字符

javascript - 在保存到数据库之前取消屏蔽输入

javascript - Protovis - 这些没有花括号的函数是什么?

javascript - 如何控制iosSlider中的动画速度?

javascript - 以标准尺寸渲染图像,无需拉伸(stretch),具有最小尺寸

javascript - 使用 JS 有向图矩阵可视化

svg - 在哪里可以找到使用 2 位或 3 位国家代码的国家/地区的 SVG 或 GeoJSON?

javascript - Tornado 和 JavaScript 库的问题

javascript - 使用事件克隆 Eonasdan DateTimePicker

javascript - 哪个是最好的图形 jquery 或 javascript 库?我