我正在编写包装 db SELECT 语句的方法,该语句接收 SQL 查询并运行它。结果收集在Object[][]
. 数据库中的每个单元格都可以是整数或字符串。
我有返回数组的问题。它的Object[][]
,所以我松散的类型。
public Object[][] select(String query) {
Object[][] result = new Object[cursor.getCount()][cursor.getColumnCount()];
Cursor cursor = db.rawQuery(query, null);
//Iterate over cursor (rows)
do {
//Iterate over columns (cells with data of different type)
for(int columnIndex = 0; columnIndex < cursor.getColumnCount(); columnIndex++) {
int type = cursor.getType(columnIndex);
//assume, that there are only two types - String or Integer (actualy there are 3 more types)
if(type == Cursor.FIELD_TYPE_INTEGER) {
result[cursor.getPosition()][columnIndex] = cursor.getInt(columnIndex);
}
else if(type == Cursor.FIELD_TYPE_STRING) {
result[cursor.getPosition()][columnIndex] = cursor.getString(columnIndex);
}
}
} while (cursor.moveToNext());
return result;
}
我不想松散的类型。例如希望能够这样做(伪代码):
//pseudocode:
result = select("SELECT age, name FROM people")
print( "Hello, " + result[0][0] + ". In ten years you'll be " )
print( result[0][0] + 10 )
//Prints: Hello, John. In ten years you'll be 56
每本关于 Java 的书都说,我不能拥有不同类型的数组。天气晴朗。
但是我应该如何从数据库中保存所有这些整数和字符串?我尝试使用集合和泛型,但没有运气——Java 新手。
还尝试使用某种结果值持有者:
private class Result {
private Class type;
private Object value;
...
public ??? get() { //??? - int or string - here I have some problems :)
return this.type.cast(this.value);
}
//do NOT want to have these:
public int getInt() { return (int) value; }
public int getString() { return (String) value; }
}
在这种情况下方法select(...)
返回。Result[][]
自己回答: 明白,我正在尝试用 Java 编写代码,就像我在 php 中所做的那样。使用强类型,我无法制作简单的方法,在没有显式转换的情况下返回所有类型。
毕竟我决定创建通用数据对象并在选择时填写它们。