无法访问Javascript中的对象方法

zujrkrfu  于 2023-04-04  发布在  Java
关注(0)|答案(3)|浏览(162)

我声明了类user,然后添加了类的一个对象

function user(uid, pwd){
    this.uid = uid
    this.pwd = pwd
    function displayAll(){
        document.write(uid)
        document.write(pwd)
    }
}

var Aaron = new user("Aaron", "123")

document.write(Aaron.uid)

我想把属性一个一个打印出来,我试过这个

Aaron.displayAll()

结果是什么都没有,我是不是错过了什么?任何帮助都将是惊人的:)

ogq8wdun

ogq8wdun1#

这就是原型链的作用。

function User(uid, pwd) {
  this.uid = uid
  this.pwd = pwd
}

User.prototype.displayAll = function() {
  document.write(this.uid)
  document.write(this.pwd)
}


var aaron = new User("Aaron", "123");


aaron.displayAll();
relj7zay

relj7zay2#

另一种方法是使用Class语法。

class User {
  constructor(uid, pwd) {
    this.uid = uid;
    this.pwd = pwd;
  }

displayAll(){
    document.write(this.uid);
    document.write(this.pwd);
  }
}

var Aaron = new User("Aaron", "123");
Aaron.displayAll();
ohfgkhjo

ohfgkhjo3#

您可以从function displayAll()更改为this.displayAll = function displayAll()

function user(uid, pwd)
    {
        this.uid = uid
        this.pwd = pwd
        this.displayAll = function displayAll()
        {
            document.write(uid)
            document.write(pwd)
        }
    }

    var Aaron = new user("Aaron", "123")

    document.write(Aaron.uid)
    Aaron.displayAll();

相关问题