1

ファイル:

Person1:AP
Person2:AP
Person3:KE
Person4:KE
Person5:UK
Person6:AP
Person7:UK
Person8:AP

私が試したことは次のとおりです。

import java.io.BufferedReader;
import java.io.FileNotFoundException;
import java.io.FileReader;
import java.io.IOException;
import java.util.HashMap;

public class TestNull {

    public static void main ( String args[]) throws IOException {

        BufferedReader br = new BufferedReader ( new FileReader("/home/username/Desktop/test"));
        String str;
        HashMap<String, String> h = new HashMap<String, String>();

        try {
            while ( (str = br.readLine()) != null)  {
                String[] s = str.split(":");
                h.put(s[1],s[0]);
            }
            System.out.println(h);
        }

        catch (FileNotFoundException E) {   
            System.out.println("File Not Found");
        }
        finally {   
            br.close();
        }
    }
}  

Perlでこれを達成できました:

use strict;
use warnings;

open (FILE,"test");

my %hash=();
while (my $line = <FILE>)   {

    chomp $line;

    my ($name,$country) = split(":", $line);

    chomp ($name,$country);

    $hash{$country} .= "$name ";    
}

for my $keys (keys %hash)   {

    print "$keys: $hash{$keys}\n";

}

データ ファイルから、次のような出力を探しています。

{AP = [person1, person 2, person6, person8], KE = [person3, person4], UK = [person5, person7]}
4

5 に答える 5

2

以下はあなたが必要とするものです -

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

そしてすべての行について -

String[] s = str.split(":"); //s[1] should be the key, s[0] is what should go into the list 
List<String> l = h.get(s[1]); //see if you already have a list for current key
if(l == null) { //if not create one and put it in the map
    l = new ArrayList<String>();
    h.put(s[1], l);
}
l.add(s[0]); //add s[0] into the list for current key 
于 2013-06-03T23:49:30.250 に答える
2

そのマップを逆さまにするには、おそらく次のようにする必要があります。

HashMap<String, String> h = new HashMap<String, String>();
...
// your reading code
...
HashMap<String,ArrayList<String>> map = new HashMap<String,ArrayList<String>>();
...
for(String key: h.keySet()) {
    if(!map.hasKey(key)) {
        map.put(key, new ArrayList<String>());
    }
    map.get(key).add(h.get(key));
}

これで、「マップ」には目的の構造化データが含まれ、「AP」は配列リスト (person1、person 2、person6、person8) などを指します。

于 2013-06-03T23:53:41.537 に答える
0

HashMap.put()ハッシュマップに既に挿入した要素を置き換えます。最初にマップ内の既存のキーを取得する必要があり、それが既に存在する (つまり、前の入力行に挿入された) 場合は、現在の名前をその値に追加して、マップに再挿入できます。 .

また、List<String>単にString. リストを使用すると、既にマップにあるリストに追加するだけでよいため、値を再挿入する必要がなくなります。

于 2013-06-03T23:50:21.033 に答える