maca2.0
maca2.0

Reputation: 133

Find the nearest id in javascript

I have two divs

<div class="maca">
    <input type="hidden" value="1">

    <div onclick="removeInput(nearest input type hidden)">Remove</div>
</div> 

<div class="maca">
    <input type="hidden" value="1">

    <div onclick="removeInput(nearest input type hidden)">Remove</div>
</div> 

I want to send as a parameter the value of nearest input type hidden of that div that we are clicking on

Upvotes: 0

Views: 184

Answers (3)

connexo
connexo

Reputation: 56753

You should not use inline event listeners, which are widely considered bad practice.

Instead, use addEventListener to add the click listeners, and find the input (given your markup structure is fix like you've shown) using previousElementSibling:

for (const remover of document.querySelectorAll('.remove-input')) {
  remover.addEventListener('click', () => remover.previousElementSibling.remove(), { once: true });
}
<div class="maca">
  <input type="hidden" value="1" />

  <div class="remove-input">Remove</div>
</div>

<div class="maca">
  <input type="hidden" value="1" />

  <div class="remove-input">Remove</div>
</div>

Upvotes: 0

Asplund
Asplund

Reputation: 2486

You can send the event as a parameter to a javascript function and then find the input via the parentNode. This isn't a literal interpretation of your question since faithfully the "nearest" element is rather complex and probably not what you're looking for.

function removeInput(e) {
  const nearestInput = e.target.parentNode.querySelector("input[type='hidden']");
  console.log(nearestInput);
}
<div class="maca">
  <input type="hidden" value="1" />

  <div onclick="javascript:removeInput(event)">Remove</div>
</div>

<div class="maca">
  <input type="hidden" value="1" />

  <div onclick="javascript:removeInput(event)">Remove</div>
</div>

Upvotes: 1

Christian Meyer
Christian Meyer

Reputation: 1781

Im not 100% sure what you mean with nearest but with this you get the input hidden inside the div. By the way you could also put the element.parentNode.querySelector into the onclick but personally i like it more to split HTML and JS.

function removeInput(element){
let value = element.parentNode.querySelector("input[type='hidden']").value;
console.log(value);
}
<div class="maca">
    <input type="hidden" value="1">

    <div onclick="removeInput(this)">Remove</div>
</div> 

<div class="maca">
    <input type="hidden" value="5">

    <div onclick="removeInput(this)">Remove</div>
</div>

Upvotes: 1

Related Questions