Recent Comments

No comments to show.

Archives

Categories

Get a property value from JsonObject in C# 8.0

If you want to get the value of a property in a NewtonSoft Json Object validating the herarchy in a list of properties, you can use the following methods to do it.

This first method validate the object and get the value of a property in two or three levels.

private string ValidateJsonObject(JObject jsonObject, string fieldName, string secondFieldName = "", string thridProperty = "")
{
    string value = string.Empty;
    if (jsonObject[fieldName] == null)
        return string.Empty;

    if (!string.IsNullOrEmpty(thridProperty))
    {
        if (jsonObject[fieldName]?[secondFieldName]?[thridProperty] == null)
            return string.Empty;

        value = jsonObject[fieldName]?[secondFieldName]?[thridProperty].ToString();

        return value;
    }


    if (!string.IsNullOrEmpty(secondFieldName))
    {
        if (jsonObject[fieldName]?[secondFieldName] == null)
            return string.Empty;

        value = jsonObject[fieldName]?[secondFieldName].ToString();

        return value;
    }

    value = jsonObject[fieldName].ToString();

    return value;
}

This second method method, receives the list of properties and call the first method to get the value of the properties in the array. In the first coincidence the method get the property

protected string GetJsonObjectPropertyValue(JObject jsonObject, params string[] values)
{
    string value = string.Empty;

    foreach (string valueKey in values)
    {
        if (valueKey.Contains("."))
        {
            var properties = valueKey.Split(".", StringSplitOptions.RemoveEmptyEntries);

            if (properties.Length == 2)
            {
                value = ValidateJsonObject(jsonObject, properties[0], properties[1]);
                if (!string.IsNullOrEmpty(value))
                    break;
                else
                    continue;
            }

            if (properties.Length == 3)
            {
                value = ValidateJsonObject(jsonObject, properties[0], properties[1], properties[2]);
                if (!string.IsNullOrEmpty(value))
                    break;
                else
                    continue;
            }
        }

        value = ValidateJsonObject(jsonObject, valueKey);
        if (!string.IsNullOrEmpty(value))
            break;
        else
            continue;
    }


    return value;
}

And the way to use this method is like this:

var jsonObj = JObject.Parse(jsonString.ToString());

var title = GetJsonObjectPropertyValue(jsonObj, "data.bodyTitle",
    "title",
    "data.title",
    "contact.name",
    "subject",
    "version.title",
    "pageTitle",
    "data.headline");

And that is it. Happy coding 🙂