0

我有这段代码,当我使用display它不断给我的方法时:

网址未定义

名称未定义

描述未定义

我不知道为什么我会收到错误,即使我提供了所有的礼仪。有人可以帮我找出问题吗?

function website(name,url,description)
{
    //Proparties
    this.name=name;
    this.url=url;
    this.description=description;

    // Methods
    this.getName=getName;
    this.getUrl=getUrl;
    this.getDescription=getDescription;
    this.display=display;

    // GetName Method
    function getName(name)
    {
        this.getName=name;
    }

    // GetUrl Method
    function getUrl(url){
        this.getUrl=url;
    }

    // getDescription
    function getDescription(description){
        this.getDescription=description;
    }

    function display(name,url,description){
        alert("URL is :" +url +" Name Is :"+name+" description is: "+description);
    }
}

// Set Object Proparites
web=new website("mywebsite","http://www.mywebsite.com","my nice website");

// Call Methods
var name = web.getName("mywebsite");
var url = web.getUrl("http://www.mywebsite.com");
var description = web.getDescription("my nice website");
web.display(name,url,description);
4

6 回答 6

2

我认为您对函数的工作方式感到非常困惑。在您的代码中,您有:

this.getName=getName; // this sets a "getName" method on the "this" object
// to be some function that will be implemented below

function getName(name) // i believe this function shouldn't have any parameter...
{
this.getName=name; //now, you're overriding the "getName" that you set above,
// to be something completely different: the parameter you sent when calling this function!
// instead, you should do:
return name;
}
于 2013-04-25T10:00:23.507 回答
1

你想写这个?:

function setName(name)
{
    this.name=name;
}

据我了解,您正在设置,而不是获取属性。所以:

var name = web.setName("mywebsite");
于 2013-04-25T09:57:19.863 回答
1

我应该将其声明为

function () {
  //property
  this.name

  //method
  this.setName = function ( name ) {
  this.name = name
  }
}

他们以您的方式实施它,询问上下文问题

于 2013-04-25T10:00:09.127 回答
1

您的 getter 函数是覆盖自己的设置器(?)。将它们更改为

function getName(){
    return this.name;
}
function getUrl(){
    return this.url;
}
function getDescription(){
    return this.description;
}

function setName(name){
    this.name = name;
}
function setUrl(url){
    this.url = url;
}
function setDescription(description){
    this.description = description;
}

如果您希望您的设置器返回设置值,return请在分配之前添加关键字。

于 2013-04-25T10:00:37.167 回答
1

您的 getter 应该返回一个值,而不是重新分配 getter 本身,例如

function getName() {
  return this.name;
}
于 2013-04-25T10:00:55.770 回答
0

您应该在每个方法上返回如下值:

// GetName Method
function getName() {
    return this.getName = name;
}

// GetUrl Method
function getUrl() {
    return this.getUrl = url;
}

// GetDescription Method
function getDescription() {
    return this.getDescription = description;
}
于 2013-04-25T10:20:00.177 回答