我正在尝试使用InfoVis / JIT渲染一个强制定向图,可视化网络。 我是java脚本和JIT的新手。 我使用js文件中的以下代码创建了自己的自定义节点类型,这样我就可以在节点上显示我的图像。
$jit.ForceDirected.Plot.NodeTypes.implement({
'icon1': {
'render': function(node, canvas){
var ctx = canvas.getCtx();
var img = new Image();
img.src='magnify.png';
var pos = node.pos.getc(true);
img.onload = function() {
ctx.drawImage(img, pos.x, pos.y);
};
},
'contains': function(node,pos){
var npos = node.pos.getc(true);
dim = node.getData('dim');
return this.nodeHelper.circle.contains(npos, pos, dim);
//return this.nodeHelper.square.contains(npos, pos, dim);
}
}
我正在使用json数据对象中的“$ type”:“icon1”将此自定义节点类型分配给节点。我确实在节点上获得了图像,但问题是我无法在需要时隐藏它。我可以使用以下代码隐藏内置节点类型,如圆形,方形等。
node.setData('alpha', 0);
node.eachAdjacency(function(adj) {
adj.setData('alpha', 0);
});
fd.fx.animate({
modes: ['node-property:alpha',
'edge-property:alpha'],
duration: 2000
});
但是相同的代码不适用于自定义节点。 因此,我尝试暂时将节点类型更改为内置“circle”类型,隐藏它,然后将节点类型重新设置为其原始节点,即我的自定义节点icon1。
function hideNode( ){
var typeOfNode = node.getData('type');
node.setData( 'type','circle');
node.setData('alpha', 0);
node.eachAdjacency(function(adj) {
adj.setData('alpha', 0);
});
fd.fx.animate({
modes: ['node-property:alpha',
'edge-property:alpha'],
duration: 2000
});
node.setData('type',typeOfNode );
}
我认为这应该可行但是自定义图像会在画布上回来一段时间。 如果我没有将节点类型重置为原始节点,即在上面的代码中并注释掉以下语句并调用hide函数,则节点将被隐藏。
node.setData('type',typeOfNode );
我无法弄清楚如何仅通过将节点的类型设置为某个自定义类型来呈现节点。任何有关此问题的帮助将不胜感激。
我需要将节点的类型重新设置为原始类型,因为我希望在需要时通过调用unhide函数来恢复节点。如果我没有将节点的类型重置为原始类型,则在恢复时它将呈现为圆形。
我已经浏览了JIT的API和谷歌小组,但找不到答案。 有人可以帮忙吗?
答案 0 :(得分:1)
以下是Plot plotNode函数的片段:
var alpha = node.getData('alpha'),
ctx = canvas.getCtx();
ctx.save();
ctx.globalAlpha = alpha;
// snip
this.nodeTypes[f].render.call(this, node, canvas, animating);
ctx.restore();
如您所见,节点的alpha值在调用节点的render函数之前立即应用于画布。渲染节点后,画布将恢复到先前的状态。
这里的问题是您的自定义节点的render
函数不会同步呈现节点,并且在调用drawImage
之前会恢复画布状态。所以,你可以做以下两件事之一:
1)预加载并缓存您的图像(首选方法,因为这也可以防止图像闪烁并有助于提高性能):
// preload image
var magnifyImg = new Image();
magnifyImg.src = 'magnify.png';
// 'icon1' node render function:
'render': function(node, canvas){
var ctx = canvas.getCtx();
var pos = node.pos.getc(true);
ctx.drawImage(magnifyImg, pos.x, pos.y);
}
或 2)保存画布状态,重新应用alpha,然后在onload
处理程序中绘制图像后恢复画布状态:
// 'icon1' node render function:
'render': function(node, canvas){
var ctx = canvas.getCtx();
var img = new Image();
img.src='magnify.png';
var pos = node.pos.getc(true);
img.onload = function() {
ctx.save(); // save current canvas state
ctx.globalAlpha = node.getData('alpha'); // apply node alpha
ctx.drawImage(img, pos.x, pos.y); // draw image
ctx.restore(); // revert to previous canvas state
};
}