Respostas:
Ok, o .NET 2.0 responde:
Se você não precisar clonar os valores, poderá usar a sobrecarga do construtor no Dictionary, que utiliza um IDictionary existente. (Você também pode especificar o comparador como o comparador do dicionário existente.)
Se você não precisa de clonar os valores, você pode usar algo como isto:
public static Dictionary<TKey, TValue> CloneDictionaryCloningValues<TKey, TValue>
(Dictionary<TKey, TValue> original) where TValue : ICloneable
{
Dictionary<TKey, TValue> ret = new Dictionary<TKey, TValue>(original.Count,
original.Comparer);
foreach (KeyValuePair<TKey, TValue> entry in original)
{
ret.Add(entry.Key, (TValue) entry.Value.Clone());
}
return ret;
}
Isso depende de TValue.Clone()
ser um clone adequadamente profundo, é claro.
Clone()
método, seja profundo ou superficial. Eu adicionei uma nota para esse efeito.
ConcurrentDictionary
.
(Nota: embora a versão de clonagem seja potencialmente útil, para uma cópia superficial simples, o construtor que mencionei no outro post é uma opção melhor.)
Qual a profundidade da cópia e qual versão do .NET você está usando? Suspeito que uma chamada LINQ para o ToDictionary, especificando o seletor de chave e elemento, seja o caminho mais fácil, se você estiver usando o .NET 3.5.
Por exemplo, se você não se importa com o valor de ser um clone superficial:
var newDictionary = oldDictionary.ToDictionary(entry => entry.Key,
entry => entry.Value);
Se você já restringiu o T a implementar o ICloneable:
var newDictionary = oldDictionary.ToDictionary(entry => entry.Key,
entry => (T) entry.Value.Clone());
(Eles não foram testados, mas devem funcionar.)
Dictionary<string, int> dictionary = new Dictionary<string, int>();
Dictionary<string, int> copy = new Dictionary<string, int>(dictionary);
Para o .NET 2.0, você pode implementar uma classe que herda Dictionary
e implementa ICloneable
.
public class CloneableDictionary<TKey, TValue> : Dictionary<TKey, TValue> where TValue : ICloneable
{
public IDictionary<TKey, TValue> Clone()
{
CloneableDictionary<TKey, TValue> clone = new CloneableDictionary<TKey, TValue>();
foreach (KeyValuePair<TKey, TValue> pair in this)
{
clone.Add(pair.Key, (TValue)pair.Value.Clone());
}
return clone;
}
}
Você pode clonar o dicionário simplesmente chamando o Clone
método É claro que essa implementação exige que o tipo de valor do dicionário implemente ICloneable
, mas, caso contrário, uma implementação genérica não é prática.
Este trabalho é bom para mim
// assuming this fills the List
List<Dictionary<string, string>> obj = this.getData();
List<Dictionary<string, string>> objCopy = new List<Dictionary<string, string>>(obj);
Como Tomer Wolberg descreve nos comentários, isso não funciona se o tipo de valor for uma classe mutável.
Você sempre pode usar serialização. Você pode serializar o objeto e desserializá-lo. Isso fornecerá uma cópia detalhada do dicionário e de todos os itens dentro dele. Agora você pode criar uma cópia profunda de qualquer objeto que esteja marcado como [Serializable] sem escrever nenhum código especial.
Aqui estão dois métodos que usarão serialização binária. Se você usar esses métodos, basta chamar
object deepcopy = FromBinary(ToBinary(yourDictionary));
public Byte[] ToBinary()
{
MemoryStream ms = null;
Byte[] byteArray = null;
try
{
BinaryFormatter serializer = new BinaryFormatter();
ms = new MemoryStream();
serializer.Serialize(ms, this);
byteArray = ms.ToArray();
}
catch (Exception unexpected)
{
Trace.Fail(unexpected.Message);
throw;
}
finally
{
if (ms != null)
ms.Close();
}
return byteArray;
}
public object FromBinary(Byte[] buffer)
{
MemoryStream ms = null;
object deserializedObject = null;
try
{
BinaryFormatter serializer = new BinaryFormatter();
ms = new MemoryStream();
ms.Write(buffer, 0, buffer.Length);
ms.Position = 0;
deserializedObject = serializer.Deserialize(ms);
}
finally
{
if (ms != null)
ms.Close();
}
return deserializedObject;
}
A melhor maneira para mim é esta:
Dictionary<int, int> copy= new Dictionary<int, int>(yourListOrDictionary);
O método de serialização binária funciona bem, mas nos meus testes ele mostrou ser 10 vezes mais lento que uma implementação de clone sem serialização. Testado emDictionary<string , List<double>>
ToBinary()
no Serialize()
método é chamado com this
em vez de yourDictionary
. Em seguida, no FromBinary()
byte [] é copiado manualmente manualmente para o MemStream, mas pode ser fornecido apenas ao seu construtor.
Foi isso que me ajudou, quando eu estava tentando copiar profundamente um Dictionary <string, string>
Dictionary<string, string> dict2 = new Dictionary<string, string>(dict);
Boa sorte
Tente isso se os valores / chave forem ICloneable:
public static Dictionary<K,V> CloneDictionary<K,V>(Dictionary<K,V> dict) where K : ICloneable where V : ICloneable
{
Dictionary<K, V> newDict = null;
if (dict != null)
{
// If the key and value are value types, just use copy constructor.
if (((typeof(K).IsValueType || typeof(K) == typeof(string)) &&
(typeof(V).IsValueType) || typeof(V) == typeof(string)))
{
newDict = new Dictionary<K, V>(dict);
}
else // prepare to clone key or value or both
{
newDict = new Dictionary<K, V>();
foreach (KeyValuePair<K, V> kvp in dict)
{
K key;
if (typeof(K).IsValueType || typeof(K) == typeof(string))
{
key = kvp.Key;
}
else
{
key = (K)kvp.Key.Clone();
}
V value;
if (typeof(V).IsValueType || typeof(V) == typeof(string))
{
value = kvp.Value;
}
else
{
value = (V)kvp.Value.Clone();
}
newDict[key] = value;
}
}
}
return newDict;
}
Respondendo a post antigo, no entanto, achei útil envolvê-lo da seguinte maneira:
using System;
using System.Collections.Generic;
public class DeepCopy
{
public static Dictionary<T1, T2> CloneKeys<T1, T2>(Dictionary<T1, T2> dict)
where T1 : ICloneable
{
if (dict == null)
return null;
Dictionary<T1, T2> ret = new Dictionary<T1, T2>();
foreach (var e in dict)
ret[(T1)e.Key.Clone()] = e.Value;
return ret;
}
public static Dictionary<T1, T2> CloneValues<T1, T2>(Dictionary<T1, T2> dict)
where T2 : ICloneable
{
if (dict == null)
return null;
Dictionary<T1, T2> ret = new Dictionary<T1, T2>();
foreach (var e in dict)
ret[e.Key] = (T2)(e.Value.Clone());
return ret;
}
public static Dictionary<T1, T2> Clone<T1, T2>(Dictionary<T1, T2> dict)
where T1 : ICloneable
where T2 : ICloneable
{
if (dict == null)
return null;
Dictionary<T1, T2> ret = new Dictionary<T1, T2>();
foreach (var e in dict)
ret[(T1)e.Key.Clone()] = (T2)(e.Value.Clone());
return ret;
}
}
entry.Value
valor pode ser mais uma [sub] coleção.