我想点击它时删除一个形状,如果删除单选按钮是" true"。现在我只能删除整个Raphael论文。有人能帮助我吗? 我使用RaphaelJS和Jquery。
HTML
<html lang="en" style="height: 100%;">
<head>
<script src="raphael-min.js" type="text/javascript"></script>
<script src="jquery-min.js" type="text/javascript"></script>
<script src="app.js" type="text/javascript"></script>
</head>
<body>
<input type='radio' id='un' name="action" value="un">draw un</button>
<input type='radio' id='deux' name="action" value="deux">draw deux</button>
<input type="radio" id='remove' name="action" value="remove"> remove
<div id="holder">
</div>
</body>
</html>
JS
$(document).ready(function() {
var paper = Raphael('holder', '800', '600');
var mySet = paper.set();
var tojsonplease = [
{
category: 'playground',
type: "rect",
x: 10,
y: 10,
width: 600,
height: 300,
fill: "#eee"
}];
paper.add(tojsonplease);
addme = function(cat, myX, myY) {
switch (cat)
{
case '1' :
specs = {
category: '1',
type: 'rect',
x: myX,
y: myY,
width: 20,
height: 20,
fill: 'yellow'
};
break;
case '2':
specs = {
category: '2',
type: 'rect',
x: myX,
y: myY,
width: 10,
height: 20,
fill: 'red'
};
break;
}
var newElement = new Array();
newElement[0] = specs;
tojsonplease.push(specs);
paper.add(newElement);
console.log(tojsonplease);
};
$('#holder').click(function () {
if ($("#remove").is(":checked")) {
paper.remove();
};
if ($("#deux").is(":checked")) {
SX = event.pageX - $(document).scrollLeft() - $('#holder').offset().left;
SY = event.pageY - $(document).scrollTop() - $('#holder').offset().top;
addme('1', SX, SY);
};
if ($("#un").is(":checked")) {
SX = event.pageX - $(document).scrollLeft() - $('#holder').offset().left;
SY = event.pageY - $(document).scrollTop() - $('#holder').offset().top;
addme('2', SX, SY);
};
});
});
答案 0 :(得分:3)
通常使用element.remove()
删除形状:
var element = paper.rect(100,100,100,100);
element.remove() // this removes the element
不要这样做:
if ($("#remove").is(":checked"))
paper.remove();
这将删除所有内容,只需删除上面显示的元素。
您应该为您的元素分配ids
,这有助于您使用 Paper.getById(id)
功能。您将能够获得需要删除的确切元素。
<强> LOOK AT THE WORKING DEMO 强>
var paper = Raphael("holder",500,500);
var which_one_to_remove = -1;
// use data() to assign ids that correspond to the order
// in which you push() the elements into the array object
var c1 = paper.circle(100, 100, 80).attr({fill:'red'}).data('id', '0');
var c2 = paper.circle(200, 200, 80).attr({fill:'yellow'}).data('id', '1');
var c3 = paper.circle(300, 300, 80).attr({fill:'blue'}).data('id', '2');
var elements = [];
elements.push(c1);
elements.push(c2);
elements.push(c3);
c1.click(function()
{
which_one_to_remove = this.data('id');
});
c2.click(function()
{
which_one_to_remove = this.data('id');
});
c3.click(function()
{
which_one_to_remove = this.data('id');
});
$('#holder').click(function () {
if ($("#remove").is(":checked"))
{
elements[which_one_to_remove].remove();
};
});