I have cloned divs containing buttons that clone their parents. Upon trying to click the buttons, events are triggered 2n
times such that clicking the second clone produces 4 other clones and so on:
JavaScript
x
11
11
1
$(".add").off("click").on("click", function(e) {
2
e.stopPropagation();
3
e.stopImmediatePropagation();
4
$(".cloneable").clone(true).appendTo(".container");
5
});
6
7
$(".rem").off("click").on("click", function() {
8
if (document.getElementsByClassName('container')[0].childElementCount > 1) {
9
$(".cloneable:last").remove();
10
}
11
});
JavaScript
1
10
10
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
2
<div class="container">
3
<div class="cloneable">
4
<div>
5
<a class="btn btn-primary add" role="button">Add cell</a>
6
<a class="btn btn-primary rem" role="button">Remove cell</a>
7
</div>
8
<iframe src="index.php"></iframe>
9
</div>
10
</div>
Advertisement
Answer
A few things.
- It’s easier to use a deferred click handler.
- You were cloning all ‘cloneable’, not just the
first
. jQuery will find allcloneable
and clone them, not just your original. - Remove now removes the one you clicked on, not the last one.
- The
disabled
class will be added/removed to therem
button, depending on if there is only one left or not.
JavaScript
1
18
18
1
$(".container").on("click", ".add", function(e)
2
{
3
e.stopPropagation();
4
e.stopImmediatePropagation();
5
$(".container .rem").removeClass("disabled");
6
7
let $cloneable = $(".cloneable").first().clone(true);
8
$cloneable.appendTo(".container");
9
10
}).on("click", ".rem", function()
11
{
12
if($(this).hasClass("disabled") ) return;
13
14
$(this).closest(".cloneable").remove();
15
16
if($(".container .rem").length === 1)
17
$(".container .rem").addClass("disabled");
18
});
JavaScript
1
9
1
.btn.btn-primary
2
{
3
background:#d5d5d5;padding:4px;cursor:pointer;
4
}
5
6
.btn.btn-primary.disabled
7
{
8
background:red;
9
}
JavaScript
1
10
10
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
2
<div class="container">
3
<div class="cloneable">
4
<div>
5
<a class="btn btn-primary add" role="button">Add cell</a>
6
<a class="btn btn-primary disabled rem" role="button">Remove cell</a>
7
</div>
8
<iframe src="trial37.php"></iframe>
9
</div>
10
</div>