Obtendo várias chaves do valor especificado de um dicionário genérico?


122

É fácil obter o valor de uma chave em um dicionário genérico do .NET:

Dictionary<int, string> greek = new Dictionary<int, string>();
greek.Add(1, "Alpha");
greek.Add(2, "Beta");
string secondGreek = greek[2];  // Beta

Mas tentar obter as chaves com um valor não é tão simples, pois pode haver várias chaves:

int[] betaKeys = greek.WhatDoIPutHere("Beta");  // expecting single 2

1
Por que o tipo de retorno int[]quando você espera um único valor?
Anar khalilov

3
@Anar, leia minha resposta para Domenic; "Valores duplicados são improváveis, mas não impossíveis".
Dour High Arch

a chave de um valor? Eu acho que você quer dizer as chaves
Max Hodges

Respostas:


144

Ok, aqui está a versão bidirecional múltipla:

using System;
using System.Collections.Generic;
using System.Text;

class BiDictionary<TFirst, TSecond>
{
    IDictionary<TFirst, IList<TSecond>> firstToSecond = new Dictionary<TFirst, IList<TSecond>>();
    IDictionary<TSecond, IList<TFirst>> secondToFirst = new Dictionary<TSecond, IList<TFirst>>();

    private static IList<TFirst> EmptyFirstList = new TFirst[0];
    private static IList<TSecond> EmptySecondList = new TSecond[0];

    public void Add(TFirst first, TSecond second)
    {
        IList<TFirst> firsts;
        IList<TSecond> seconds;
        if (!firstToSecond.TryGetValue(first, out seconds))
        {
            seconds = new List<TSecond>();
            firstToSecond[first] = seconds;
        }
        if (!secondToFirst.TryGetValue(second, out firsts))
        {
            firsts = new List<TFirst>();
            secondToFirst[second] = firsts;
        }
        seconds.Add(second);
        firsts.Add(first);
    }

    // Note potential ambiguity using indexers (e.g. mapping from int to int)
    // Hence the methods as well...
    public IList<TSecond> this[TFirst first]
    {
        get { return GetByFirst(first); }
    }

    public IList<TFirst> this[TSecond second]
    {
        get { return GetBySecond(second); }
    }

    public IList<TSecond> GetByFirst(TFirst first)
    {
        IList<TSecond> list;
        if (!firstToSecond.TryGetValue(first, out list))
        {
            return EmptySecondList;
        }
        return new List<TSecond>(list); // Create a copy for sanity
    }

    public IList<TFirst> GetBySecond(TSecond second)
    {
        IList<TFirst> list;
        if (!secondToFirst.TryGetValue(second, out list))
        {
            return EmptyFirstList;
        }
        return new List<TFirst>(list); // Create a copy for sanity
    }
}

class Test
{
    static void Main()
    {
        BiDictionary<int, string> greek = new BiDictionary<int, string>();
        greek.Add(1, "Alpha");
        greek.Add(2, "Beta");
        greek.Add(5, "Beta");
        ShowEntries(greek, "Alpha");
        ShowEntries(greek, "Beta");
        ShowEntries(greek, "Gamma");
    }

    static void ShowEntries(BiDictionary<int, string> dict, string key)
    {
        IList<int> values = dict[key];
        StringBuilder builder = new StringBuilder();
        foreach (int value in values)
        {
            if (builder.Length != 0)
            {
                builder.Append(", ");
            }
            builder.Append(value);
        }
        Console.WriteLine("{0}: [{1}]", key, builder);
    }
}

2
Pelo que li no msdn, isso não deveria ser um BiLookup em vez de um BiDictionary? Não que seja importante ou nada, apenas curioso se eu entender as coisas corretamente aqui ...
Svish

Além disso, usei GetByFirst e recuperei o EmptySecondList, adicionei algumas coisas a ele e depois chamei GetByFirst novamente. Não seria possível obter uma lista com algumas coisas e não uma lista vazia?
Svish

@Ishish: não, porque quando você tentava adicionar à lista, isso geraria uma exceção (você não pode adicionar a uma matriz). E sim, o BiLookup provavelmente seria um nome melhor.
911 Jon Skeet

Enquanto eu vejo isso responde à pergunta do OP, essa não é uma implementação um tanto ingênua? Uma implementação mais realista não seria o Dictionary <> List <> Dictionary, para que você pudesse realmente pesquisar objetos ricos com 2 chaves diferentes?
Chris Marisic

@ ChrisMarisic: Não sei o que você quer dizer - mas algo assim é o que eu usei bastante e não precisava de mais nada.
Jon Skeet

74

Como todo mundo já disse, não há mapeamento em um dicionário, do valor à chave.

Acabei de perceber que você deseja mapear do valor para várias chaves - estou deixando esta solução aqui para a versão de valor único, mas adicionarei outra resposta para um mapa bidirecional com várias entradas.

A abordagem normal a ser adotada aqui é ter dois dicionários - um mapeando para um lado e outro para o outro. Encapsule-os em uma classe separada e calcule o que você deseja fazer quando tiver uma chave ou valor duplicado (por exemplo, lance uma exceção, substitua a entrada existente ou ignore a nova entrada). Pessoalmente, eu provavelmente lançaria uma exceção - isso facilita a definição do comportamento de sucesso. Algo assim:

using System;
using System.Collections.Generic;

class BiDictionary<TFirst, TSecond>
{
    IDictionary<TFirst, TSecond> firstToSecond = new Dictionary<TFirst, TSecond>();
    IDictionary<TSecond, TFirst> secondToFirst = new Dictionary<TSecond, TFirst>();

    public void Add(TFirst first, TSecond second)
    {
        if (firstToSecond.ContainsKey(first) ||
            secondToFirst.ContainsKey(second))
        {
            throw new ArgumentException("Duplicate first or second");
        }
        firstToSecond.Add(first, second);
        secondToFirst.Add(second, first);
    }

    public bool TryGetByFirst(TFirst first, out TSecond second)
    {
        return firstToSecond.TryGetValue(first, out second);
    }

    public bool TryGetBySecond(TSecond second, out TFirst first)
    {
        return secondToFirst.TryGetValue(second, out first);
    }
}

class Test
{
    static void Main()
    {
        BiDictionary<int, string> greek = new BiDictionary<int, string>();
        greek.Add(1, "Alpha");
        greek.Add(2, "Beta");
        int x;
        greek.TryGetBySecond("Beta", out x);
        Console.WriteLine(x);
    }
}

1
Eu não acho que exista alguma razão para derivar de uma classe concreta - eu não gosto de herança sem muito cuidado - mas certamente poderia implementar IEnumerable etc. Na verdade, poderia implementar IDictionary <TFirst, TSecond> e IDictionary <TSegundo, TFirst>.
Jon Skeet

1
(Apesar de que seria muito estranho se TFirst e TSecond eram os mesmos ...)
Jon Skeet

6
Na verdade, você não pode implementar tanto IDictionary <TFirst, TSecond> e IDictionary <TSecond, TFirst> ao mesmo, .NET 4.0 não permitirá que
Sebastian

2
@nawfal: Uma das Addchamadas do dicionário falhará - mas se for a segunda, o sistema ficará confuso. Do meu jeito, você ainda tem uma coleção consistente após a exceção.
Jon Skeet

1
@nawfal: Bem, eu não sei se é por isso que eu fiz isso quando escrevi pela primeira vez a resposta ... Eu estou supondo;)
Jon Skeet

26

Os dicionários não devem funcionar assim, porque, embora a exclusividade das chaves seja garantida, a exclusividade dos valores não é. Então, por exemplo, se você tivesse

var greek = new Dictionary<int, string> { { 1, "Alpha" }, { 2, "Alpha" } };

O que você esperaria obter greek.WhatDoIPutHere("Alpha")?

Portanto, você não pode esperar que algo assim seja introduzido na estrutura. Você precisaria de seu próprio método para seus próprios usos únicos --- deseja retornar uma matriz (ou IEnumerable<T>)? Deseja lançar uma exceção se houver várias chaves com o valor fornecido? E se não houver?

Pessoalmente, eu iria para um enumerável, assim:

IEnumerable<TKey> KeysFromValue<TKey, TValue>(this Dictionary<TKey, TValue> dict, TValue val)
{
    if (dict == null)
    {
        throw new ArgumentNullException("dict");
    }
    return dict.Keys.Where(k => dict[k] == val);
}

var keys = greek.KeysFromValue("Beta");
int exceptionIfNotExactlyOne = greek.KeysFromValue("Beta").Single();

Uma solução elegante, mas isso deve funcionar no 2.0. Valores duplicados são improváveis, mas não impossíveis; retornar uma coleção seria melhor.
Dour High Arch

23

Talvez a maneira mais fácil de fazer isso, sem o Linq, possa ser repetir os pares:

int betaKey; 
foreach (KeyValuePair<int, string> pair in lookup)
{
    if (pair.Value == value)
    {
        betaKey = pair.Key; // Found
        break;
    }
}
betaKey = -1; // Not found

Se você tivesse o Linq, isso poderia ser feito facilmente desta maneira:

int betaKey = greek.SingleOrDefault(x => x.Value == "Beta").Key;

sever, mas você tem um tipo var acima ?! certamente você está no 3.0? veja minha atualização abaixo também.
pomba

Desculpas, usei "var" simplesmente para reduzir a digitação. Eu preferiria não fazer uma pesquisa linear, o dicionário pode ser grande.
Dour High Arch

2
varé um recurso de idioma, não um recurso de estrutura. Você pode usar coalescência nula do C # -6.0 e ainda direcionar o CF-2.0 se realmente quiser.
binki

3

Um dicionário não mantém um hash dos valores, apenas as chaves, portanto, qualquer pesquisa sobre ele usando um valor levará pelo menos tempo linear. Sua melhor aposta é simplesmente iterar sobre os elementos no dicionário e acompanhar as chaves correspondentes ou alternar para uma estrutura de dados diferente; talvez mantenha duas chaves de mapeamento de dicionário -> valor e valor -> Lista_de_chaves. Se você fizer o último, trocará o armazenamento pela velocidade de busca. Não seria preciso muito para transformar o exemplo do @Cybis em uma estrutura de dados assim.


3

Como eu queria um dicionário bidirecional completo (e não apenas um mapa), adicionei as funções ausentes para torná-lo uma classe compatível com o IDictionary. Isso é baseado na versão com pares de valor-chave exclusivos. Aqui está o arquivo, se desejado (a maioria do trabalho foi através do XMLDoc):

using System;
using System.Collections;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;

namespace Common
{
    /// <summary>Represents a bidirectional collection of keys and values.</summary>
    /// <typeparam name="TFirst">The type of the keys in the dictionary</typeparam>
    /// <typeparam name="TSecond">The type of the values in the dictionary</typeparam>
    [System.Runtime.InteropServices.ComVisible(false)]
    [System.Diagnostics.DebuggerDisplay("Count = {Count}")]
    //[System.Diagnostics.DebuggerTypeProxy(typeof(System.Collections.Generic.Mscorlib_DictionaryDebugView<,>))]
    //[System.Reflection.DefaultMember("Item")]
    public class BiDictionary<TFirst, TSecond> : Dictionary<TFirst, TSecond>
    {
        IDictionary<TSecond, TFirst> _ValueKey = new Dictionary<TSecond, TFirst>();
        /// <summary> PropertyAccessor for Iterator over KeyValue-Relation </summary>
        public IDictionary<TFirst, TSecond> KeyValue => this;
        /// <summary> PropertyAccessor for Iterator over ValueKey-Relation </summary>
        public IDictionary<TSecond, TFirst> ValueKey => _ValueKey;

        #region Implemented members

        /// <Summary>Gets or sets the value associated with the specified key.</Summary>
        /// <param name="key">The key of the value to get or set.</param>
        /// <Returns>The value associated with the specified key. If the specified key is not found,
        ///      a get operation throws a <see cref="KeyNotFoundException"/>, and
        ///      a set operation creates a new element with the specified key.</Returns>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="key"/> is null.</exception>
        /// <exception cref="T:System.Collections.Generic.KeyNotFoundException">
        /// The property is retrieved and <paramref name="key"/> does not exist in the collection.</exception>
        /// <exception cref="T:System.ArgumentException"> An element with the same key already
        /// exists in the <see cref="ValueKey"/> <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</exception>
        public new TSecond this[TFirst key]
        {
            get { return base[key]; }
            set { _ValueKey.Remove(base[key]); base[key] = value; _ValueKey.Add(value, key); }
        }

        /// <Summary>Gets or sets the key associated with the specified value.</Summary>
        /// <param name="val">The value of the key to get or set.</param>
        /// <Returns>The key associated with the specified value. If the specified value is not found,
        ///      a get operation throws a <see cref="KeyNotFoundException"/>, and
        ///      a set operation creates a new element with the specified value.</Returns>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="val"/> is null.</exception>
        /// <exception cref="T:System.Collections.Generic.KeyNotFoundException">
        /// The property is retrieved and <paramref name="val"/> does not exist in the collection.</exception>
        /// <exception cref="T:System.ArgumentException"> An element with the same value already
        /// exists in the <see cref="KeyValue"/> <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</exception>
        public TFirst this[TSecond val]
        {
            get { return _ValueKey[val]; }
            set { base.Remove(_ValueKey[val]); _ValueKey[val] = value; base.Add(value, val); }
        }

        /// <Summary>Adds the specified key and value to the dictionary.</Summary>
        /// <param name="key">The key of the element to add.</param>
        /// <param name="value">The value of the element to add.</param>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="key"/> or <paramref name="value"/> is null.</exception>
        /// <exception cref="T:System.ArgumentException">An element with the same key or value already exists in the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</exception>
        public new void Add(TFirst key, TSecond value) {
            base.Add(key, value);
            _ValueKey.Add(value, key);
        }

        /// <Summary>Removes all keys and values from the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</Summary>
        public new void Clear() { base.Clear(); _ValueKey.Clear(); }

        /// <Summary>Determines whether the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/> contains the specified
        ///      KeyValuePair.</Summary>
        /// <param name="item">The KeyValuePair to locate in the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</param>
        /// <Returns>true if the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/> contains an element with
        ///      the specified key which links to the specified value; otherwise, false.</Returns>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="item"/> is null.</exception>
        public bool Contains(KeyValuePair<TFirst, TSecond> item) => base.ContainsKey(item.Key) & _ValueKey.ContainsKey(item.Value);

        /// <Summary>Removes the specified KeyValuePair from the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</Summary>
        /// <param name="item">The KeyValuePair to remove.</param>
        /// <Returns>true if the KeyValuePair is successfully found and removed; otherwise, false. This
        ///      method returns false if <paramref name="item"/> is not found in the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</Returns>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="item"/> is null.</exception>
        public bool Remove(KeyValuePair<TFirst, TSecond> item) => base.Remove(item.Key) & _ValueKey.Remove(item.Value);

        /// <Summary>Removes the value with the specified key from the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</Summary>
        /// <param name="key">The key of the element to remove.</param>
        /// <Returns>true if the element is successfully found and removed; otherwise, false. This
        ///      method returns false if <paramref name="key"/> is not found in the <see cref="Dictionary&lt;TFirst,TSecond&gt;"/>.</Returns>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="key"/> is null.</exception>
        public new bool Remove(TFirst key) => _ValueKey.Remove(base[key]) & base.Remove(key);

        /// <Summary>Gets the key associated with the specified value.</Summary>
        /// <param name="value">The value of the key to get.</param>
        /// <param name="key">When this method returns, contains the key associated with the specified value,
        ///      if the value is found; otherwise, the default value for the type of the key parameter.
        ///      This parameter is passed uninitialized.</param>
        /// <Returns>true if <see cref="ValueKey"/> contains an element with the specified value; 
        ///      otherwise, false.</Returns>
        /// <exception cref="T:System.ArgumentNullException"><paramref name="value"/> is null.</exception>
        public bool TryGetValue(TSecond value, out TFirst key) => _ValueKey.TryGetValue(value, out key);
        #endregion
    }
}

2

revised: ok para ter algum tipo de busca, você precisaria de algo que não seja o dicionário, pois se você pensar sobre isso, o dicionário é uma chave de sentido único. ou seja, os valores podem não ser exclusivos

que disse que parece que você está usando o c # 3.0, então você pode não precisar recorrer ao loop e pode usar algo como:

var key = (from k in yourDictionary where string.Compare(k.Value, "yourValue", true)  == 0 select k.Key).FirstOrDefault();

O dicionário não possui .FindByValue. Eu preferiria passar para uma estrutura de dados diferente do que percorrer os valores.
Dour High Arch

2

A classe Dictionary não é otimizada para este caso, mas se você realmente deseja fazê-lo (no C # 2.0), pode:

public List<TKey> GetKeysFromValue<TKey, TVal>(Dictionary<TKey, TVal> dict, TVal val)
{
   List<TKey> ks = new List<TKey>();
   foreach(TKey k in dict.Keys)
   {
      if (dict[k] == val) { ks.Add(k); }
   }
   return ks;
}

Eu prefiro a solução LINQ por elegância, mas esta é a maneira 2.0.


1

Você não pode criar uma subclasse de Dictionary com essa funcionalidade?


    public class MyDict < TKey, TValue > : Dictionary < TKey, TValue >
    {
        private Dictionary < TValue, TKey > _keys;

        public TValue this[TKey key]
        {
            get
            {
                return base[key];
            }
            set 
            { 
                base[key] = value;
                _keys[value] = key;
            }
        }

        public MyDict()
        {
            _keys = new Dictionary < TValue, TKey >();
        }

        public TKey GetKeyFromValue(TValue value)
        {
            return _keys[value];
        }
    }

EDIT: Desculpe, não entendi o código da primeira vez.


Isso apenas mudará o que estou usando para uma chave e retornará apenas o valor int da chave de cadeia. Preciso ir nos dois sentidos. E, como Domenic aponta, eu posso ter valores de string duplicados.
Dour High Arch

Se você pode ter valores de sequência duplicados para suas chaves int, o que você espera obter quando pesquisar por sequência? Um objeto de lista dos int's correspondentes?
Cybis

1

A solução de dicionário bidirecional "simples" proposta aqui é complexa e pode ser difícil de entender, manter ou estender. Também a pergunta original pedia "a chave para um valor", mas claramente poderia haver várias chaves (desde então, editei a pergunta). Toda a abordagem é bastante suspeita.

Alterações de software. Escrever código fácil de manter deve ter prioridade em outras soluções complexas "inteligentes". A maneira de recuperar as chaves dos valores em um dicionário é fazer um loop. Um dicionário não foi projetado para ser bidirecional.


Ou, possivelmente, um segundo dicionário que mapeia cada valor para sua (s) chave (s).
precisa saber é o seguinte

As chaves do @DavidRR devem ser exclusivas, para que a segunda abordagem do dicionário não funcione realmente. Mas você pode simplesmente percorrer o dicionário para obter as chaves de um valor.
Max Hodges

Se as chamadas de problema para um dicionário para suportar vários intvalores por stringchave, então o dicionário pode ser definido assim: Dictionary<string, List<int>>.
precisa saber é o seguinte

agora como fazer isso bidirecional sem iterar?
Max Hodges

Com relação à pergunta do OP, um padrão Dictionaryque não oferecem uma capacidade bidireccional. Portanto, se tudo o que você tem é um padrão Dictionarye deseja encontrar a (s) chave (s) associada (s) a um valor específico, você deve realmente iterar! No entanto, para dicionários "grandes", a iteração pode resultar em desempenho ruim. Observe que a resposta que eu mesmo ofereci é baseada na iteração (via LINQ). Se sua inicial Dictionarynão estiver sujeita a alterações adicionais, você poderá criar um reverso Dictionaryuma vez para acelerar as pesquisas inversas.
precisa saber é o seguinte

1

Use LINQ para fazer uma Dictionary<K, V>pesquisa inversa . Mas lembre-se de que os valores em seus Dictionary<K, V>valores podem não ser distintos.

Demonstração:

using System;
using System.Collections.Generic;
using System.Linq;

class ReverseDictionaryLookupDemo
{
    static void Main()
    {
        var dict = new Dictionary<int, string>();
        dict.Add(4, "Four");
        dict.Add(5, "Five");
        dict.Add(1, "One");
        dict.Add(11, "One"); // duplicate!
        dict.Add(3, "Three");
        dict.Add(2, "Two");
        dict.Add(44, "Four"); // duplicate!

        Console.WriteLine("\n== Enumerating Distinct Values ==");
        foreach (string value in dict.Values.Distinct())
        {
            string valueString =
                String.Join(", ", GetKeysFromValue(dict, value));

            Console.WriteLine("{0} => [{1}]", value, valueString);
        }
    }

    static List<int> GetKeysFromValue(Dictionary<int, string> dict, string value)
    {
        // Use LINQ to do a reverse dictionary lookup.
        // Returns a 'List<T>' to account for the possibility
        // of duplicate values.
        return
            (from item in dict
             where item.Value.Equals(value)
             select item.Key).ToList();
    }
}

Saída esperada:

== Enumerating Distinct Values ==
Four => [4, 44]
Five => [5]
One => [1, 11]
Three => [3]
Two => [2]

1
O problema que vejo com isso é que você está verificando todos os elementos do dicionário para obter a direção inversa. Um tempo de pesquisa O (n) anula o propósito de usar um dicionário; deve ser O (1).
Stephen

@stephen - Concordo. Como outros já apontaram, se o desempenho for primordial, um dicionário separado para os valores ou um dicionário bidirecional seria apropriado. No entanto, se a necessidade de fazer uma pesquisa de valor for pouco frequente e o desempenho for aceitável, a abordagem descrita aqui poderá ser digna de consideração. Dito isto, o uso do LINQ na minha resposta não é compatível com o desejo do OP de uma solução adequada para uso com o .NET 2.0. (Embora uma restrição .NET 2.0 é sem dúvida menos provável no ano de 2014.)
DavidRR

1
Dictionary<string, string> dic = new Dictionary<string, string>();
dic["A"] = "Ahmed";
dic["B"] = "Boys";

foreach (string mk in dic.Keys)
{
    if(dic[mk] == "Ahmed")
    {
        Console.WriteLine("The key that contains \"Ahmed\" is " + mk);
    }
}

1
Obrigado por postar uma resposta! Enquanto um trecho de código poderia responder a pergunta ainda é grande para adicionar algumas informações adição ao redor, como explicar, etc ..
j0k

0

Como uma torção da resposta aceita ( https://stackoverflow.com/a/255638/986160 ) assumindo que as chaves serão associadas aos valores de sinalização no dicionário. Semelhante a ( https://stackoverflow.com/a/255630/986160 ), mas um pouco mais elegante. A novidade é que a classe consumidora pode ser usada como uma alternativa de enumeração (mas também para cadeias de caracteres) e que o dicionário implementa IEnumerable.

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Collections;

namespace MyApp.Dictionaries
{

    class BiDictionary<TFirst, TSecond> : IEnumerable
    {
        IDictionary<TFirst, TSecond> firstToSecond = new Dictionary<TFirst, TSecond>();
        IDictionary<TSecond, TFirst> secondToFirst = new Dictionary<TSecond, TFirst>();

        public void Add(TFirst first, TSecond second)
        {
            firstToSecond.Add(first, second);
            secondToFirst.Add(second, first);
        }

        public TSecond this[TFirst first]
        {
            get { return GetByFirst(first); }
        }

        public TFirst this[TSecond second]
        {
            get { return GetBySecond(second); }
        }

        public TSecond GetByFirst(TFirst first)
        {
            return firstToSecond[first];
        }

        public TFirst GetBySecond(TSecond second)
        {
            return secondToFirst[second];
        }

        public IEnumerator GetEnumerator()
        {
            return GetFirstEnumerator();
        }

        public IEnumerator GetFirstEnumerator()
        {
            return firstToSecond.GetEnumerator();
        }

        public IEnumerator GetSecondEnumerator()
        {
            return secondToFirst.GetEnumerator();
        }
    }
}

E como uma classe consumidora, você poderia ter

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;

namespace MyApp.Dictionaries
{
    class Greek
    {

        public static readonly string Alpha = "Alpha";
        public static readonly string Beta = "Beta";
        public static readonly string Gamma = "Gamma";
        public static readonly string Delta = "Delta";


        private static readonly BiDictionary<int, string> Dictionary = new BiDictionary<int, string>();


        static Greek() {
            Dictionary.Add(1, Alpha);
            Dictionary.Add(2, Beta);
            Dictionary.Add(3, Gamma);
            Dictionary.Add(4, Delta);
        }

        public static string getById(int id){
            return Dictionary.GetByFirst(id);
        }

        public static int getByValue(string value)
        {
            return Dictionary.GetBySecond(value);
        }

    }
}

1
Isso é basicamente o mesmo que uma resposta postada há seis anos e, como observado então, as chaves não estão associadas a valores únicos. Cada chave pode ter vários valores.
Dour High Arch

Bem, eu sei, mas minha versão implementa IEnumerable e é mais elegante. Além disso, o exemplo da classe de consumo coloca a classe BiDictionary em um nível diferente de usabilidade - resolve o problema de enumerações estáticas de strings e IDs que não são fornecidos pelo C #. Eu também me referi a ele se você ler minha resposta!
Michail Michailidis

0

Então a solução do leigo

Uma função semelhante à abaixo pode ser escrita para criar um dicionário:

    public Dictionary<TValue, TKey> Invert(Dictionary<TKey, TValue> dict) {
    Dictionary<TValue, TKey> ret = new Dictionary<TValue, TKey>();
    foreach (var kvp in dict) {ret[kvp.value] = kvp.key;} return ret; }
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.