You need to declare test
to be a local variable so all invocations of your function are not referring to the exact same global variable. When you don't declare your variable it becomes an implicit global variable which can lead to all sorts of problems. If you run your code in strict mode
, the interpreter will flag this as an error for you too (which is generally helpful).
You also need to assign the return result from your function to a variable so you can reference the newly created object using that variable.
function make_test(name, job, ID) {
var test = {};
// ^^^
test.name = name;
test.job = job;
test.ID = ID;
return test;
}
var o1 = make_test("Paul", "manager", 1);
var o2 = make_test("John", "employee", 2);
var o3 = make_test("Jan", "employee", 2);
console.log(o1.name); // "Paul"
console.log(o3.job); // "employee"
You also don't need new
in front of your function since you aren't using a system created object - you are just creating your own object and returning it. It will still work with new
, but it is wasteful since you aren't using the object that the system will create with new
.
If you want it to be an actual constructor function where you use new
and could inherit the prototype, then do this:
function Make_test(name, job, ID) {
this.name = name;
this.job = job;
this.ID = ID;
}
var o1 = new Make_test("Paul", "manager", 1);
var o2 = new Make_test("John", "employee", 2);
var o3 = new Make_test("Jan", "employee", 2);
Note, I used a capitalized constructor name here since it is a common convention to use initial cap names for constructor functions and initial lowercase names for regular functions.
You could also just remove the declaration entirely:
function make_test(name, job, ID) {
return {name: name, job: job, ID: ID};
}
Or using ES6 syntax:
function make_test(name, job, ID) {
return {name, job, ID};
}