Multi mapping in java

Multi-map в Java 8

Мультикарта (multi-map) может пригодиться в реальной работе или на собеседовании. Почему-то в некоторых компаниях при приёме на работу любят давать алгоритмические задачки на её использование (лично я так не поступаю).
По сути это обычная карта (Map) в которой значением является коллекция (List или Set).
Сейчас в JCF (Java Collections Framework) нет готового класса для Multimap.

До выхода Java 8 приходилось логику работы писать вручную.
Например так.
Допустим, нам поступают такие данные:

Их нужно представить в виде:

Тогда логику можно реализовать, например, в таком виде:

import java.util.*; public class Main < public static void main(String[] args) < // Получили город и страну String city = "Moscow", country = "ru"; // Карта куда всё будем складывать Map> map = new HashMap<>(); List list = map.get(country); // Если это наш первый раз, // тогда создаем список и кладем его по ключу (название страны) if (list == null) < list = new ArrayList<>(); map.put(country, list); > list.add(city); > >

Это не удобно, поэтому многие используют Multimap из Apache Commons или Google Guava.

В восьмой Java, с помощью анонимных функций и нового API, логику можно сделать однострочником:

// В случае первого раза вызывать функцию: (key) -> value map.computeIfAbsent(country, (k)-> new ArrayList()).add(city);

N.B.: Совет использовать computeIfAbsent для создания мультикарты явно указан в документации.

Читайте также:  Python удаленное управление компьютером

Если же у нас на входе готовая карта, то её можно прокрутить foreach (хотя это не очень красиво):
Например так:

Map map = new HashMap<>(); map.put("Madrid", "es"); map.put("Moscow", "ru"); map.put("Omsk", "ru"); map.put("London", "uk"); Map> result = new HashMap<>(); map.forEach((city, country) -> < result.computeIfAbsent(country, (k) ->new ArrayList()).add(city); >);

Интересней было бы воспользоваться Stream API.
Например так:

import java.util.*; import static java.util.Map.Entry; import static java.util.stream.Collectors.*; public class Main < public static void main(String[] args) < Mapmap = new HashMap<>(); map.put("Madrid", "es"); map.put("Moscow", "ru"); map.put("Omsk", "ru"); map.put("London", "uk"); // Сгруппировать по стране (Entry::getValue), // а название города Entry::getKey записывать в список (toList) Map> m = map.entrySet().stream().collect( // Группировать по названию страны (es, ru, uk и т.д.) groupingBy(Entry::getValue, // Запихиваем город (Moscow, London и т.д.) в список (toList) mapping(Entry::getKey, toList()))); > >

Здесь используется функциональное программирование, восприятие которого требует определенного “привыкания”. Поскольку я периодически сталкиваюсь как со сторонниками “императивщины”, так и со сторонниками “функциональщины”, могу сказать, что у каждого своя правда. В каждом конкретном случае следует исходить из конечных целей.

В качестве причины почему действительно стоит изучать функциональный поход могу сказать, что игнорировать его сейчас уже нельзя, т.к. в противном случае программист просто перестанет понимать программы написанные другими программистами. Когда появилась 5-ая Java было очень много ненавистников дженериков, сейчас польза их очевидна, а умение их использовать просто необходимо.

Источник

What is a Multimap in Java?

Many candidates are rejected or down-leveled due to poor performance in their System Design Interview. Stand out in System Design Interviews and get hired in 2023 with this popular free course.

A Multimap is a new collection type that is found in Google’s Guava library for Java. A Multimap can store more than one value against a key. Both the keys and the values are stored in a collection, and considered to be alternates for Map> or Map> (standard JDK Collections Framework).

Creation

Multimap is an interface that is extended by its children interfaces: ListMultimap and SetMultimap . The standard way of creating a Multimap is to use the MultimapBuilder class and specify the data structures that are to be used for the keys and values during building:

// create a ListMultimap with Integer keys in a hash table // and String values in a LinkedList: ListMultimap m = MultimapBuilder.hashKeys().linkedListValues().build(); 

Another way to create a Multimap is to use the static method create() in the concrete classes that implement the interface (e.g., ArrayListMultimap , LinkedListMultimap , etc.):

ListMultimap m = ArrayListMultimap.create(); 

Multimap.get(key):

All of the values associated with a key are retrieved in the form of a collection using Multimap.get(key) ; if that key does not exist in the Multimap, an empty collection is returned. The reference to the collection returned by this method can be used to modify the values for that key; these modifications will be reflected​ in the original Multimap.

Adding and deleting key-value pairs:

A key-value pair can be added using Multimap.get(K).add(V) , but it is more direct to use Multimap.put(K, V) :

// Using returned collection to add values: map.get(1).add("name"); // Direct method: map.put(1, "name"); 

Similarly, a key-value pair can be removed from a Multimap indirectly or directly:

// Indirectly: map.get(1).remove("name"); // Directly: map.remove(1, "name"); 

Источник

Guide to Guava Multimap

announcement - icon

Repeatedly, code that works in dev breaks down in production. Java performance issues are difficult to track down or predict.

Simply put, Digma provides immediate code feedback. As an IDE plugin, it identifies issues with your code as it is currently running in test and prod.

The feedback is available from the minute you are writing it.

Imagine being alerted to any regression or code smell as you’re running and debugging locally. Also, identifying weak spots that need attending to, based on integration testing results.

Of course, Digma is free for developers.

announcement - icon

As always, the writeup is super practical and based on a simple application that can work with documents with a mix of encrypted and unencrypted fields.

We rely on other people’s code in our own work. Every day.

It might be the language you’re writing in, the framework you’re building on, or some esoteric piece of software that does one thing so well you never found the need to implement it yourself.

The problem is, of course, when things fall apart in production — debugging the implementation of a 3rd party library you have no intimate knowledge of is, to say the least, tricky.

Lightrun is a new kind of debugger.

It’s one geared specifically towards real-life production environments. Using Lightrun, you can drill down into running applications, including 3rd party dependencies, with real-time logs, snapshots, and metrics.

Learn more in this quick, 5-minute Lightrun tutorial:

announcement - icon

Slow MySQL query performance is all too common. Of course it is. A good way to go is, naturally, a dedicated profiler that actually understands the ins and outs of MySQL.

The Jet Profiler was built for MySQL only, so it can do things like real-time query performance, focus on most used tables or most frequent queries, quickly identify performance issues and basically help you optimize your queries.

Critically, it has very minimal impact on your server’s performance, with most of the profiling work done separately — so it needs no server changes, agents or separate services.

Basically, you install the desktop application, connect to your MySQL server, hit the record button, and you’ll have results within minutes:

announcement - icon

DbSchema is a super-flexible database designer, which can take you from designing the DB with your team all the way to safely deploying the schema.

The way it does all of that is by using a design model, a database-independent image of the schema, which can be shared in a team using GIT and compared or deployed on to any database.

And, of course, it can be heavily visual, allowing you to interact with the database using diagrams, visually compose queries, explore the data, generate random data, import data or build HTML5 database reports.

Get started with Spring 5 and Spring Boot 2, through the Learn Spring course:

1. Overview

In this article, we will look at one of Map implementations from Google Guava library – Multimap. It is a collection that maps keys to values, similar to java.util.Map, but in which each key may be associated with multiple values.

2. Maven Dependency

First, let’s add a dependency:

 com.google.guava guava 31.0.1-jre 

The latest version can be found here.

3. Multimap Implementation

In the case of Guava Multimap, if we add two values for the same key, the second value will not override the first value. Instead, we will have two values in the resulting map. Let’s look at a test case:

String key = "a-key"; Multimap map = ArrayListMultimap.create(); map.put(key, "firstValue"); map.put(key, "secondValue"); assertEquals(2, map.size()); 

Printing the map‘s content will output:

When we will get values by key “a-key” we will get Collection that contains “firstValue” and “secondValue” as a result:

Collection values = map.get(key);

Printing values will output:

4. Compared to the Standard Map

Standard map from java.util package doesn’t give us the ability to assign multiple values to the same key. Let’s consider a simple case when we put() two values into a Map using the same key:

String key = "a-key"; Map map = new LinkedHashMap<>(); map.put(key, "firstValue"); map.put(key, "secondValue"); assertEquals(1, map.size()); 

The resulting map has only one element (“secondValue”), because of a second put() operation that overrides the first value. Should we want to achieve the same behavior as with Guava’s Multimap, we would need to create a Map that has a List as a value type:

String key = "a-key"; Map> map = new LinkedHashMap<>(); List values = map.get(key); if(values == null) < values = new LinkedList<>(); values.add("firstValue"); values.add("secondValue"); > map.put(key, values); assertEquals(1, map.size());

Obviously, it is not very convenient to use. And if we have such need in our code then Guava’s Multimap could be a better choice than java.util.Map.

One thing to notice here is that, although we have a list that has two elements in it, size() method returns 1. In Multimap, size() returns an actual number of values stored in a Map, but keySet().size() returns the number of distinct keys.

5. Pros of Multimap

Multimaps are commonly used in places where a Map> would otherwise have appeared. The differences include:

  • There is no need to populate an empty collection before adding an entry with put()
  • The get() method never returns null, only an empty collection (we do not need to check against null like in Map> test case)
  • A key is contained in the Multimap if and only if it maps to at least one value. Any operation that causes a key to has zero associated values, has the effect of removing that key from the Multimap (in Map>, even if we remove all values from the collection, we still keep an empty Collection as a value, and this is unnecessary memory overhead)
  • The total entry values count is available as size()

6. Conclusion

This article shows how and when to use Guava Multimap. It compares it to standard java.util.Map and shows pros of Guava Multimap.

All these examples and code snippets can be found in the GitHub project – this is a Maven project, so it should be easy to import and run as it is.

announcement - icon

Slow MySQL query performance is all too common. Of course it is. A good way to go is, naturally, a dedicated profiler that actually understands the ins and outs of MySQL.

The Jet Profiler was built for MySQL only, so it can do things like real-time query performance, focus on most used tables or most frequent queries, quickly identify performance issues and basically help you optimize your queries.

Critically, it has very minimal impact on your server’s performance, with most of the profiling work done separately — so it needs no server changes, agents or separate services.

Basically, you install the desktop application, connect to your MySQL server, hit the record button, and you’ll have results within minutes:

Источник

Multi mapping in java

Learn Latest Tutorials

Splunk tutorial

SPSS tutorial

Swagger tutorial

T-SQL tutorial

Tumblr tutorial

React tutorial

Regex tutorial

Reinforcement learning tutorial

R Programming tutorial

RxJS tutorial

React Native tutorial

Python Design Patterns

Python Pillow tutorial

Python Turtle tutorial

Keras tutorial

Preparation

Aptitude

Logical Reasoning

Verbal Ability

Company Interview Questions

Artificial Intelligence

AWS Tutorial

Selenium tutorial

Cloud Computing

Hadoop tutorial

ReactJS Tutorial

Data Science Tutorial

Angular 7 Tutorial

Blockchain Tutorial

Git Tutorial

Machine Learning Tutorial

DevOps Tutorial

B.Tech / MCA

DBMS tutorial

Data Structures tutorial

DAA tutorial

Operating System

Computer Network tutorial

Compiler Design tutorial

Computer Organization and Architecture

Discrete Mathematics Tutorial

Ethical Hacking

Computer Graphics Tutorial

Software Engineering

html tutorial

Cyber Security tutorial

Automata Tutorial

C Language tutorial

C++ tutorial

Java tutorial

.Net Framework tutorial

Python tutorial

List of Programs

Control Systems tutorial

Data Mining Tutorial

Data Warehouse Tutorial

Javatpoint Services

JavaTpoint offers too many high quality services. Mail us on h[email protected], to get more information about given services.

  • Website Designing
  • Website Development
  • Java Development
  • PHP Development
  • WordPress
  • Graphic Designing
  • Logo
  • Digital Marketing
  • On Page and Off Page SEO
  • PPC
  • Content Development
  • Corporate Training
  • Classroom and Online Training
  • Data Entry

Training For College Campus

JavaTpoint offers college campus training on Core Java, Advance Java, .Net, Android, Hadoop, PHP, Web Technology and Python. Please mail your requirement at [email protected].
Duration: 1 week to 2 week

Like/Subscribe us for latest updates or newsletter RSS Feed Subscribe to Get Email Alerts Facebook Page Twitter Page YouTube Blog Page

Источник

Оцените статью