Reputation: 1353
I have a foreach php like this:
@foreach($posts as $post)
<h2>{{$post->title}}</h2>
<img src="{{$post->image}}" width="150" height="150">
<p>{{$post->country}}</p>
<p>{{$post->zone}}</p>
<p>{{$post->user->name}}</p>
<input type="hidden" class="postId" value="{{$post->id}}" name="postId">
<p class="expiredate">{{$post->expire_date}}</p>
<p class="current">{{$current}}</p>
@endforeach
I would like do an array javascript with values of inputs hiddens, like this:
var inputsArray= [value first input, value second input, value....]
i'm tryng like this:
var d = document;
var inputsArray = d.querySelectorAll('.postId');
but it doen't work, my console give me:
console.log(inputArray.value) = undefined
Upvotes: 0
Views: 77
Reputation: 350270
You need to convert your variable to a true array, since querySelectorAll
returns a node list, not an array. Then iterate over that array, as the array itself has no value
property:
var d = document;
var inputsArray = Array.from(d.querySelectorAll('.postId'));
inputsArray.forEach(function (input) {
console.log(input.value);
});
Upvotes: 2