Iterate Java Map with index

36.4k Views Asked by At

How can I iterate a Map to write the content from certain index to another.

Map<String, Integer> map = new LinkedHashMap<>();
    BufferedWriter bufferedWriter = new BufferedWriter(new FileWriter(file));

            for (String string : map.keySet()) {

                    bufferedWriter.write(string + " " + map.get(string));
                    bufferedWriter.newLine();

            }
            bufferedWriter.close();

I have two int values, from and to, how can I now write for example from 10 to 100? is there any possibility to iterate the map with index?

4

There are 4 best solutions below

0
On BEST ANSWER

LinkedHashMap preserves the order in which entries are inserted. So you can try to create a list of the keys and loop using an index:

List<String> keyList = new ArrayList<String>(map.keySet());
for(int i = fromIndex; i < toIndex; i++) {
    String key = keyList.get(i);
    String value = map.get(key);
    ...
}

Another way without creating a list:

int index = 0;
for (String key : map.keySet()) {
    if (index++ < fromIndex || index++ > toIndex) {
        continue;
    }
    ...
}
0
On

this is a bit old but for those who want to use Map.forEach can achieve the result like this:

AtomicInteger i = new AtomicInteger(0);
map.forEach((k, v) -> {
   int index = i.getAndIncrement();
});
2
On

You can increase an int variable along with that loop:

int i = - 1;
for (String string : map.keySet()) {
    i++;
    if (i < 10) {
        // do something
    } else {
        // do something else
    }
    bufferedWriter.write(string + " " + map.get(string)); // otherwise...
    bufferedWriter.newLine();
}
0
On

There is another simple solution:

int i = 0;
int mapSize = map.size();

for (Map.Entry<String, Integer> element : map.entrySet()) {
    String key = element.getKey();
    int value = element.getValue();

    ...

    i++;
}

You have the key, value, index, and the size.