Java如何向数组中添加新元素?

我有以下代码:

String[] where;

where.append(ContactsContract.Contacts.HAS_PHONE_NUMBER + "=1");

where.append(ContactsContract.Contacts.IN_VISIBLE_GROUP + "=1");

这两个附录未编译。那将如何正常工作?

回答:

数组的大小无法修改。如果需要更大的数组,则必须实例化一个新数组。

更好的解决方案是使用ArrayList可以根据需要增长的容器。ArrayList.toArray( T[] a )如果你需要此形式的数组,该方法将为你提供数组。

List<String> where = new ArrayList<String>();

where.add( ContactsContract.Contacts.HAS_PHONE_NUMBER+"=1" );

where.add( ContactsContract.Contacts.IN_VISIBLE_GROUP+"=1" );

如果需要将其转换为简单数组…

String[] simpleArray = new String[ where.size() ];

where.toArray( simpleArray );

但是,使用数组执行的大多数操作也可以使用此ArrayList进行:

// iterate over the array

for( String oneItem : where ) {

...

}

// get specific items

where.get( 1 );

以上是 Java如何向数组中添加新元素? 的全部内容, 来源链接: utcz.com/qa/435360.html

回到顶部