Object.assign() 方法用于将所有可枚举属性的值从一个或多个源对象分配到目标对象。它将返回目标对象。

    1. Object.myAssign = function (target) {
    2. let len = arguments.length
    3. if (target === undefined || target === null || len == 0 ) { // 判断参数是否正确(目的对象不能为空,我们可以直接设置{}传递进去,但必须设置该值)
    4. throw new TypeError('Cannot convert undefined or null to object');
    5. }
    6. if(len == 1){
    7. if(target instanceof Object) {
    8. return target;
    9. }else {
    10. let newObj =target;
    11. if(typeof target === 'string'){
    12. return new String(newObj);
    13. }else if(typeof target === 'boolean'){
    14. return new Boolean(newObj);
    15. }else if(typeof target === 'number'){
    16. return new Number(newObj);
    17. }
    18. }
    19. } else {
    20. let output = Object(target); // 使用Object在原有的对象基础上返回该对象,并保存为output
    21. for (let index = 1; index < arguments.length; index++) {
    22. let source = arguments[index];
    23. if (source !== undefined && source !== null) {
    24. for (let nextKey in source) { // 使用for…in循环遍历出所有的可枚举的自有对象。并复制给新的目标对象(hasOwnProperty返回非原型链上的属性)
    25. if (source.hasOwnProperty(nextKey)) {
    26. output[nextKey] = source[nextKey];
    27. }
    28. }
    29. }
    30. }
    31. return output;
    32. }
    33. };
    34. let box = {
    35. color: 'blue',
    36. width: 200,
    37. height: 300
    38. }
    39. let obj1 = Object.myAssign({}, box) // {color: "blue", width: 200, height: 300}
    40. let obj2 = Object.myAssign({color: 'red'}, box) // {color: "blue", width: 200, height: 300}