Javascript数组Concat无法正常工作。为什么?


92

因此,我创建了这个jqueryui小部件。它创建了一个div,我可以将错误导入其中。小部件代码如下所示:

$.widget('ui.miniErrorLog', {
   logStart: "<ul>",   // these next 4 elements are actually a bunch more complicated.
   logEnd:   "</ul>",
   errStart: "<li>",
   errEnd:   "</li>",
   content:  "",
   refs:     [],

   _create: function() { $(this.element).addClass( "ui-state-error" ).hide(); },

   clear: function() { 
      this.content = ""; 
      for ( var i in this.refs )
         $( this.refs[i] ).removeClass( "ui-state-error" );
      this.refs = [];
      $(this.element).empty().hide(); 
   }, 

   addError: function( msg, ref ) {
      this.content += this.errStart + msg + this.errEnd; 
      if ( ref ) {
         if ( ref instanceof Array )
            this.refs.concat( ref );
         else
            this.refs.push( ref );
         for ( var i in this.refs )
            $( this.refs[i] ).addClass( "ui-state-error" );
      }
      $(this.element).html( this.logStart + this.content + this.logEnd ).show();
   }, 

   hasError: function()
   {
      if ( this.refs.length )
         return true;
      return false;
   },
});

我可以在其中添加错误消息,并引用将进入错误状态的页面元素。我用它来验证对话框。在“ addError”方法中,我可以传递一个id或一个id数组,如下所示:

$( "#registerDialogError" ).miniErrorLog( 
   'addError', 
   "Your passwords don't match.", 
   [ "#registerDialogPassword1", "#registerDialogPassword2" ] );

但是当我传入一个id数组时,它不起作用。问题出在以下几行中(我认为):

if ( ref instanceof Array )
   this.refs.concat( ref );
else
   this.refs.push( ref );

为什么这种连接不起作用。this.refs和ref都是数组。那么为什么concat不起作用?

奖金:我在这个小部件上还有其他愚蠢的事情吗?这是我的第一个。


Answers:


259

concat方法不会更改原始数组,您需要重新分配它。

if ( ref instanceof Array )
   this.refs = this.refs.concat( ref );
else
   this.refs.push( ref );

5
做到了。我本以为对对象的concat方法会附加到该对象。但是我想那不是它的工作原理。
拉斐尔·巴普蒂斯塔

3
@Rafael:该push方法可以做到,您可以[].push.apply(this.refs, ref)
Bergi 2012年

78

原因如下:

定义和用法

concat()方法用于连接两个或多个数组。

此方法不会更改现有数组,但会返回一个新数组,其中包含联接数组的值。

您需要将连接结果分配回您拥有的数组中。


2
为什么,为什么,我必须总是忘记这一点?
Jeff Lowery

9

要扩展Konstantin Dinev:

.concat()不添加到当前对象,因此这将不会工作:

foo.bar.concat(otherArray);

这将:

foo.bar = foo.bar.concat(otherArray);

4

您必须使用=将值重新分配给array,以获取隐含的值

let array1=[1,2,3,4];
let array2=[5,6,7,8];

array1.concat(array2);
console.log('NOT WORK :  array1.concat(array2); =>',array1);

array1= array1.concat(array2);
console.log('WORKING :  array1 = array1.concat(array2); =>',array1);


By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.