Condividi tramite


Utilità di esportazione di schemi JSON

La JsonSchemaExporter classe, introdotta in .NET 9, consente di estrarre documenti dello schema JSON dai tipi .NET usando un'istanza JsonSerializerOptions o JsonTypeInfo . Lo schema risultante fornisce una specifica del contratto di serializzazione JSON per il tipo .NET. Lo schema descrive la forma di ciò che verrebbe serializzato e di cosa può essere deserializzato.

Il frammento di codice seguente mostra un esempio.

public static void SimpleExtraction()
{
    JsonSerializerOptions options = JsonSerializerOptions.Default;
    JsonNode schema = options.GetJsonSchemaAsNode(typeof(Person));
    Console.WriteLine(schema.ToString());
    //{
    //  "type": ["object", "null"],
    //  "properties": {
    //    "Name": { "type": "string" },
    //    "Age": { "type": "integer" },
    //    "Address": { "type": ["string", "null"], "default": null }
    //  },
    //  "required": ["Name", "Age"]
    //}
}

record Person(string Name, int Age, string? Address = null);

Come si può notare in questo esempio, l'utilità di esportazione fa distinzione tra proprietà che ammettono i valori Null e quelle che non li ammettono e popola la parola chiave required in virtù di un parametro del costruttore facoltativo o meno.

Configurazione dell'output dello schema

È possibile influenzare l'output dello schema in base alla configurazione specificata nell'istanza di JsonSerializerOptions o JsonTypeInfo su cui si chiama il metodo GetJsonSchemaAsNode. L'esempio seguente imposta i criteri di denominazione su KebabCaseUpper, scrive i numeri come stringhe e non consente le proprietà non mappate.

public static void CustomExtraction()
{
    JsonSerializerOptions options = new(JsonSerializerOptions.Default)
    {
        PropertyNamingPolicy = JsonNamingPolicy.KebabCaseUpper,
        NumberHandling = JsonNumberHandling.WriteAsString,
        UnmappedMemberHandling = JsonUnmappedMemberHandling.Disallow,
    };

    JsonNode schema = options.GetJsonSchemaAsNode(typeof(MyPoco));
    Console.WriteLine(schema.ToString());
    //{
    //  "type": ["object", "null"],
    //  "properties": {
    //    "NUMERIC-VALUE": {
    //      "type": ["string", "integer"],
    //      "pattern": "^-?(?:0|[1-9]\\d*)$"
    //    }
    //  },
    //  "additionalProperties": false
    //}
}

class MyPoco
{
    public int NumericValue { get; init; }
}

È possibile controllare ulteriormente lo schema generato usando il tipo di configurazione JsonSchemaExporterOptions. L'esempio seguente imposta la proprietà TreatNullObliviousAsNonNullable su true per contrassegnare i tipi a livello di radice che non ammettono valori Null.

public static void CustomExtraction()
{
    JsonSerializerOptions options = JsonSerializerOptions.Default;
    JsonSchemaExporterOptions exporterOptions = new()
    {
        TreatNullObliviousAsNonNullable = true,
    };

    JsonNode schema = options.GetJsonSchemaAsNode(typeof(Person), exporterOptions);
    Console.WriteLine(schema.ToString());
    //{
    //  "type": "object",
    //  "properties": {
    //    "Name": { "type": "string" }
    //  },
    //  "required": ["Name"]
    //}
}

record Person(string Name);

Trasformazione dello schema generato

È possibile applicare proprie trasformazioni ai nodi dello schema generati specificando un delegato TransformSchemaNode. L'esempio seguente incorpora il testo delle annotazioni DescriptionAttribute nello schema generato.

JsonSchemaExporterOptions exporterOptions = new()
{
    TransformSchemaNode = (context, schema) =>
    {
        // Determine if a type or property and extract the relevant attribute provider.
        ICustomAttributeProvider? attributeProvider = context.PropertyInfo is not null
            ? context.PropertyInfo.AttributeProvider
            : context.TypeInfo.Type;

        // Look up any description attributes.
        DescriptionAttribute? descriptionAttr = attributeProvider?
            .GetCustomAttributes(inherit: true)
            .Select(attr => attr as DescriptionAttribute)
            .FirstOrDefault(attr => attr is not null);

        // Apply description attribute to the generated schema.
        if (descriptionAttr != null)
        {
            if (schema is not JsonObject jObj)
            {
                // Handle the case where the schema is a Boolean.
                JsonValueKind valueKind = schema.GetValueKind();
                Debug.Assert(valueKind is JsonValueKind.True or JsonValueKind.False);
                schema = jObj = new JsonObject();
                if (valueKind is JsonValueKind.False)
                {
                    jObj.Add("not", true);
                }
            }

            jObj.Insert(0, "description", descriptionAttr.Description);
        }

        return schema;
    }
};

L'esempio di codice seguente genera uno schema che incorpora l'origine delle parole chiave description dalle annotazioni DescriptionAttribute:

JsonSerializerOptions options = JsonSerializerOptions.Default;
JsonNode schema = options.GetJsonSchemaAsNode(typeof(Person), exporterOptions);
Console.WriteLine(schema.ToString());
//{
//  "description": "A person",
//  "type": ["object", "null"],
//  "properties": {
//    "Name": { "description": "The name of the person", "type": "string" }
//  },
//  "required": ["Name"]
//}
[Description("A person")]
record Person([property: Description("The name of the person")] string Name);