我有一个脚本解析关键字的特定对象属性,然后将这些关键字和另一个属性附加到对象。新属性值将打印到文档中以进行错误检查。
var chemistry = {
field: "chemistry",
keywords: [
"atom",
"proton",
"electron",
"wavefunction",
"neutron",
"catalyst"],
filter: function( title ) {
var i;
for( i = 0 ; i < title.split( " " ).length; i++ ) {
var title_part = title.toLowerCase().split( " " )[ i ];
var j;
for( j = 0 ; j < this.keywords.length; j++ ) {
if ( this.keywords[ j ] == title_part && library[ 0 ].keywords.indexOf( this.keywords[ j ] ) == -1 ) {
library[ 0 ].keywords.push( this.keywords[ j ] );
if ( library[ 0 ].field.indexOf( this.field ) == -1 ) {
library[ 0 ].field.push( this.field );
};
};
};
};
}
};
chemistry.filter( library[0].title );
document.writeln( "KEYWORDS: " + library[0].keywords );
document.writeln( "FIELD: " + library[0].field );
这很好用,但我正在尝试创建一个构造上述新对象的类。这是我正在使用的代码
"use strict"
class Discipline {
constructor(field, keyword) {
this.field = field;
this.keywords = keyword;
this.filter = function( title ) {
var i;
for( i = 0 ; i < title.split( " " ).length; i++ ) {
var title_part = title.toLowerCase().split( " " )[ i ];
var j;
for( j = 0 ; j < this.keywords.length; j++ ) {
if ( this.keywords[ j ] == title_part && library[ 0 ].keywords.indexOf( this.keywords[ j ] ) == -1 ) {
library[ 0 ].keywords.push( this.keywords[ j ] );
if ( library[ 0 ].field.indexOf( this.field ) == -1 ) {
library[ 0 ].field.push( this.field );
};
};
};
};
}
}
};
var chemistry = new Discipline("chemistry", "electron");
chemistry.filter( library[0].title );
document.writeln( "KEYWORDS: " + library[0].keywords );
document.writeln( "FIELD: " + library[0].field );
过滤器似乎没有输出任何内容,我只是在文档中看到“KEYWORDS:FIELD:”。令人困惑的是,如果我使用document.writeln()检查库[0] .field和库[0] .keywords,我会得到预期的值。
我想知道“这个”的范围。我使用类构造函数时更改。或者还有其他事情发生了吗?
顺便说一句,如果有人知道将数组作为关键字参数传递的好方法,那就非常感激了。现在我正在传递一个间隔的字符串并拆分它。
答案 0 :(得分:0)
是的,this
的范围正在发生变化。你可以这样做:
var that = this;
然后在需要的地方使用that.keywords
。所以在你的代码中,像这样:
class Discipline {
constructor(field, keyword) {
var that = this;
that.field = field;
that.keywords = keyword;
that.filter = function( title ) {
var i;
for( i = 0 ; i < title.split( " " ).length; i++ ) {
var title_part = title.toLowerCase().split( " " )[ i ];
var j;
for( j = 0 ; j < that.keywords.length; j++ ) {
if ( that.keywords[ j ] == title_part && library[ 0 ].keywords.indexOf( this.keywords[ j ] ) == -1 ) {
library[ 0 ].keywords.push( that.keywords[ j ] );
if ( library[ 0 ].field.indexOf( that.field ) == -1 ) {
library[ 0 ].field.push( that.field );
};
};
};
};
}
}
};