0

示例:一个查询引发下一个结果集:

姓名 | 年龄 | 累计

  • 约翰·史密斯,45 岁,1000 岁
  • 约翰·史密斯,56 岁,800 岁
  • 约翰史密瑟斯,34 岁,500 岁
  • 约翰史密斯, 56, 500
  • 约翰史密斯, 56, 1100

我想将此数组列表分成三个,并将它们存储在一个哈希图中,其中键是客户端名称。

我在想类似的东西

Arraylist<Row> rows = dao.getClientActivity();
Map map = new HashMap<Clients Name, Clients Row>();
Arraylist<Row>  = null;


for (Row row : rows){

    if (map.get(row.clientName) == null) list = new ArrayList<Row>();

    list.add(row);

    if(map.get(row.clientName) == null) map.put(row.clientName, list);

}

该列表将始终按名称排序。

把上面的代码片段当作伪代码,我家里没有编码程序,我刚想出来,我想我这个星期五测试了类似的东西,但它只打印在行上;

我不知道是否有更好的方法来做到这一点,但这是我想出的第一件事。

4

2 回答 2

3

您的地图声明应如下(假设Row.clientNameString):

Map<String, List<Row>> map = new HashMap<String, List<Row>>();

for 循环应该如下所示:

for (Row row : rows){
    /*Get the list of rows for current client name.*/
    List<Row> currRows = map.get(row.clientName); 
    if (currRows == null) {/*If not list exists for*/
        currRows = new ArrayList<Row>(); /*create a new one*/
        map.put(row.clientName, currRows); /*and put it in the map*/
    }
    currRows.add(row);/*add the current row to the list*/
}
于 2013-02-25T03:12:01.213 回答
1

我假设您无法更改输入格式。

我建议您创建一个模型来代表客户:

public class Client {

    private final String name;
    private final byte age; //Nobody should be older than 256
    private final int total;

    /* Construct model */

    /* Getters/Functions */

}

我还建议您在内部创建一个工厂方法,Client以从您的字符串输入创建类。

public static Client parseClient(String clientRep){

    String[] clientData = clientRep.split(',');

    Client newClient = new Client(); //TODO: Name conventionally. 

    newClient.name = clientData[0];
    newClient.age = Byte.valueOf(clientData[1]);
    newClient.total = Integer.valueOf(clientData[2]);

    return newClient;

}

现在,您可以将这些添加到地图 ( Map<String, Client>)。

String clientFromWherever = getWhateverDataFromWherever();

Map<String, Client> clientel = new HashMap<>();

Client addingToMap = Client.parseClient(clientFromWherever);

clientel.put(addingToMap.getName() /* or however the name should be got */, addingToMap);

那应该做得足够好。

=====

但是 - 如果您不想使用客户端对象,我建议您创建一个Map<String, int[]>并将该年龄和费用存储在数组中。如果您的费用不超过Short.MAXVALUE使用short[]. 存储大量数组列表(或任何复杂的集合)只是为了存储少量数据是不必要的。

ArrayList<Row> rows = dao.getClientActivity();
Map<String, int[]> clientelData = new HashMap<>();

for(Row clientRow : rows) {

    if (!map.containsKey(clientRow.clientName) {

        int[] clientNumericalData = new int[2];

        map.put(clientRow.clientName, clientNumericalData);

    }

}
于 2013-02-25T03:20:14.680 回答