我使用d3创建了一个力布局,效果很好。我的初始数据是从json文件加载的,图表是使用与this d3.js example类似的技术绘制的:
既然图表在屏幕上,我需要通过网络套接字从我收到的数据中动态添加,更新和删除节点。我有添加和删除方法,但我找不到更新现有节点属性的正确方法。
从我所进行的阅读中我收集正确的技术是更改数据源,然后使用enter()方法更新图表。
要更新节点,我正在执行以下操作:
function updateNode(id, word, size, trend, parent_id){
var updateNode = nodes.filter(function(d, i) { return d.id == id ? this : null; });
if(updateNode[0]){
updateNode.size = Number(size);
updateNode.trend = trend;
nodes[updateNode.index] = updateNode;
update();
}
}
更新功能然后用以下内容更新节点:
function update(){
node = vis.selectAll('.node')
.data(nodes, function(d) {
return d.id;
})
createNewNodes(node.enter());
node.exit().remove();
force.start();
}
function createNewNodes(selection){
var slct = selection.append('g')
.attr('class', 'node')
.call(force.drag);
slct.append('circle')
.transition()
.duration(500)
.attr('r', function(d) {
if(d.size){
return Math.sqrt(sizeScale(d.size)*40);
}
})
}
我采取了正确的方法吗?当我尝试这个代码时,我尝试在圆上设置radius属性时获得的节点是节点数组中的最后一个节点。即包含分层节点数据而不是单个节点对象的那个。
任何指针都会非常感激,我花了太多时间在这上面:)
答案 0 :(得分:7)
您需要多个点。我从你的问题中得到的是:'我如何使用可重复使用的模式'
这个问题的简单答案是告诉你阅读Mike Bostock的这篇优秀教程:towards reusable charts
如果您想了解更多信息,可以选择这些文件:
现在,这是我将针对您的特定问题执行的草案:
function ForceGraph(selector,data) {
// This is the class that will create a graph
var _data = data
// Local variable representing the forceGraph data
svg = d3.select(selector)
.append('svg')
// Create the initial svg element and the utilities you will need.
// These are the actions that won't be necessary on update.
// For example creating the axis objects, your variables, or the svg container
this.data = function(value) {
if(!arguments.length) {
// accessor
return _data;
}
_data = value;
return this;
// setter, returns the forceGraph object
}
this.draw = function() {
// draw the force graph using data
// the method here is to use selections in order to do:
// selection.enter().attr(...) // insert new data
// selection.exit().attr(...) // remove data that is not used anymore
// selection.attr(...) //
}
}
var selector = "#graphId";
var data = {nodes: [...],links: [...]};
myGraph = new ForceGraph(selector,data);
// Create the graph object
// Having myGraph in the global scope makes it easier to call it from a json function or anywhere in the code (even other js files).
myGraph.draw();
// Draw the graph for the first time
// wait for something or for x seconds
var newData = {nodes: [...],links: [...]};
// Get a new data object via json, user input or whatever
myGraph.data(newData);
// Set the graph data to be `newData`
myGraph.draw();
// redraw the graph with `newData`
正如您可能看到的,目标不是具有添加新节点的功能。目标是仅通过更新或删除现有节点并添加新节点来重绘整个力导向图。这样绘图代码只写一次,然后只有数据发生变化。
为了进一步阅读,当我第一次解决这个问题时,这个问题是我的金矿:Updating links on a force directed graph from dynamic json data