JS中的函数与对象

摘要:创建函数的三种方式:函数声明、函数表达式、函数对象方式;创建对象的三种方式:字面量方式、工厂模式创建对象、利用构造函数创建对象(常用)

创建函数的三种方式

1.函数声明

function calSum1(num1, num2) {
     return num1 + num2;
}
console.log(calSum1(10, 10));

2.函数表达式

var calSum2 = function (num1, num2) {
    return num1 + num2;
}
console.log(calSum2(10, 20));

3.函数对象方式

var calSum3 = new Function(‘num1‘, ‘num2‘, ‘return num1 + num2‘);
console.log(calSum3(10, 30));


创建对象的三种方式

1.字面量方式

var Student1 = {
    name: ‘xiaofang‘,     // 对象中的属性
    age:  18,
    sex:  ‘male‘,
    sayHello: function () {
        console.log(‘hello,我是字面量对象中的方法‘);
    },
    doHomeword: function () {
        console.log("我正在做作业");
    }
};
console.log(Student1);
console.log(Student1.name);
Student1.sayHello();

2.工厂模式创建对象

function createStudent(name, age, sex) {
    var Student = new Object();
    Student.name = name;
    Student.age  = age;
    Student.sex  = sex;
    Student.sayHello = function () {
        console.log("hello, 我是工厂模式创建的对象中的方法");
    }
    return Student;
}
var student2 = createStudent(‘小红‘, 19, ‘female‘);
console.log(student2);
console.log(student2.name);
student2.sayHello();

3.利用构造函数创建对象(常用)

        function Student (name, age, sex) {
            this.name = name;
            this.age = age;
            this.sex = sex;
            this.sayHello = function () {
                console.log("hello, 我是利用构造函数创建的对象中的方法");
            }
        }
        var student3 = new Student(‘小明‘, 20, ‘male‘);
        console.log(student3);
        console.log(student3.name);
        student3.sayHello();

对象代码运行结果

本文内容仅供个人学习、研究或参考使用,不构成任何形式的决策建议、专业指导或法律依据。未经授权,禁止任何单位或个人以商业售卖、虚假宣传、侵权传播等非学习研究目的使用本文内容。如需分享或转载,请保留原文来源信息,不得篡改、删减内容或侵犯相关权益。感谢您的理解与支持!

链接: https://shenqiku.cn/article/FLY_3296