我有以下代码:
String[] where;
where.append(ContactsContract.Contacts.HAS_PHONE_NUMBER + "=1");
where.append(ContactsContract.Contacts.IN_VISIBLE_GROUP + "=1");
这两个追加没有编译。这是如何正确工作的?
我有以下代码:
String[] where;
where.append(ContactsContract.Contacts.HAS_PHONE_NUMBER + "=1");
where.append(ContactsContract.Contacts.IN_VISIBLE_GROUP + "=1");
这两个追加没有编译。这是如何正确工作的?
当前回答
我在Java方面不是很有经验,但我总是被告知数组是具有预定义大小的静态结构。 你必须使用数组列表或者向量或者其他动态结构。
其他回答
您可以创建一个数组列表,并使用Collection.addAll()将字符串数组转换为您的数组列表
正如tangens所说,数组的大小是固定的。但是你必须先实例化它,否则它将只是一个空引用。
String[] where = new String[10];
这个数组只能包含10个元素。所以一个值只能附加10次。在代码中,您正在访问一个空引用。这就是为什么它不起作用。为了有一个 动态增长的集合,使用数组列表。
Apache Commons Lang有
T[] t = ArrayUtils.add( initialArray, newitem );
它返回一个新数组,但如果你真的因为某种原因使用数组,这可能是最理想的方法。
数组的大小不能被修改。如果你想要一个更大的数组,你必须实例化一个新的数组。
更好的解决方案是使用数组列表,它可以根据需要增长。方法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 );
但你用数组做的大多数事情,你也可以用这个数组列表做:
// iterate over the array
for( String oneItem : where ) {
...
}
// get specific items
where.get( 1 );
你可以简单地这样做:
System.arraycopy(initialArray, 0, newArray, 0, initialArray.length);