Non esiste un attributo per farlo, ma puoi farlo personalizzando il resolver.
Vedo che stai già utilizzando un file CamelCasePropertyNamesContractResolver
. Se si ricava una nuova classe resolver da quella e si sovrascrive il CreateDictionaryContract()
metodo, è possibile fornire una DictionaryKeyResolver
funzione sostitutiva che non modifica i nomi delle chiavi.
Ecco il codice di cui avresti bisogno:
class CamelCaseExceptDictionaryKeysResolver : CamelCasePropertyNamesContractResolver
{
protected override JsonDictionaryContract CreateDictionaryContract(Type objectType)
{
JsonDictionaryContract contract = base.CreateDictionaryContract(objectType);
contract.DictionaryKeyResolver = propertyName => propertyName;
return contract;
}
}
Demo:
class Program
{
static void Main(string[] args)
{
Foo foo = new Foo
{
AnIntegerProperty = 42,
HTMLString = "<html></html>",
Dictionary = new Dictionary<string, string>
{
{ "WHIZbang", "1" },
{ "FOO", "2" },
{ "Bar", "3" },
}
};
JsonSerializerSettings settings = new JsonSerializerSettings
{
ContractResolver = new CamelCaseExceptDictionaryKeysResolver(),
Formatting = Formatting.Indented
};
string json = JsonConvert.SerializeObject(foo, settings);
Console.WriteLine(json);
}
}
class Foo
{
public int AnIntegerProperty { get; set; }
public string HTMLString { get; set; }
public Dictionary<string, string> Dictionary { get; set; }
}
Ecco l'output di quanto sopra. Si noti che tutti i nomi delle proprietà della classe sono in maiuscolo, ma le chiavi del dizionario hanno mantenuto la loro maiuscola originale.
{
"anIntegerProperty": 42,
"htmlString": "<html></html>",
"dictionary": {
"WHIZbang": "1",
"FOO": "2",
"Bar": "3"
}
}