16

This is what I have so far and the shoe types are boots, wellingtons, leather, trainers (in that order)

I want to iterate through and assign the value so I haves something like

var shoeArray = { boots : '3', wellingtons: '0', leather : '1', trainers: '3'};

at the moment I just get an array of {3,0,1,3} which I can work with but it is not very helpful.

function shoe_types() {
    var shoeArray = [];
    $('[type=number]').each(function(){
        $('span[data-field='+$(this).attr('id')+']').text($(this).val());      
        shoeArray.push ( parseInt($(this).val()) );      
    });             
    return shoeArray;        
}
4
  • 7
    There are no "associative arrays" in JS. You're talking about objects. Some reading material: w3schools.com/js/js_objects.asp
    – Joren
    Commented Nov 5, 2013 at 11:26
  • the shoe types are fixed - there is only and will only be the 4 types
    – LeBlaireau
    Commented Nov 5, 2013 at 11:27
  • 1
    @Roscoeh i think $(this).attr('id') has shoe types
    – zzlalani
    Commented Nov 5, 2013 at 11:27
  • 2
    An array in JavaScript would be represented as [3,0,1,3], not {3,0,1,3}. Commented Nov 5, 2013 at 11:31

5 Answers 5

29

Check this function

function shoe_types() {
    var shoeArray = {}; // note this
    $('[type=number]').each(function(){
       $('span[data-field='+$(this).attr('id')+']').text($(this).val());
       shoeArray[$(this).attr('id')] =  parseInt($(this).val()) ;
    });
    return shoeArray;

}

PS: Assuming $(this).attr('id') has all the shoe types

0
11

Associative array in javascript is the same as object

Example:

var a = {};
a["name"] = 12;
a["description"] = "description parameter";
console.log(a); // Object {name: 12, description: "description parameter"}

var b = [];
b["name"] = 12;
b["description"] = "description parameter";
console.log(b); // [name: 12, description: "description parameter"]
2
  • Did you mean to use curly brackets for var b?
    – Mark
    Commented Nov 8, 2017 at 20:05
  • 2
    i don't think so @Mark
    – melvin
    Commented Dec 6, 2018 at 6:11
7

What you want is a function that will return an object {}

LIVE DEMO

function shoe_types(){
   var shoeObj = {};
   $('[name="number"]').each(function(){
     shoeObj[this.id] = this.value;
   });
   return shoeObj;
}

shoe_types(); // [object Object]
2

You can try this to create an associate array in jquery

var arr = {};
$('[type=number]').each(function(){
    arr.push({
         $(this).attr('id'): $(this).val()              
     });
});

console.log(arr);

This will allow you to send your all data whatever you want to pass in array by ajax.

0

if $(this).attr('id') is the type of shoes you can try that

shoeArray[$(this).attr('id')] = parseInt($(this).val());

Not the answer you're looking for? Browse other questions tagged or ask your own question.