3

要使用 json.net 将对象序列化为 json,我需要创建带有为每个 json 属性标记的属性的 POCO:

public class Priority
{
    [JsonProperty("id")]
    public string Id { get; set; }

    [JsonProperty("name")]
    public string Name { get; set; }

    [JsonProperty("iconUrl")]
    public string IconUrl { get; set; }
}

我正在使用它与 Jira 的 REST API 进行交互,它适用于所有标准字段。不幸的是,自定义字段是出错的地方。自定义字段没有确定的字段名称,而是分配给它们的数字。因此,如果我有一个“Resolution Type”自定义字段,该属性将不会被称为“ResolutionType”,而是“customfield_10200”。

我正在处理具有相同自定义字段的多个部署,但它们都有不同的字段 ID。我想做的是这样的:

[JsonProperty(ConfigurationManager.AppSettings["JiraResolutionTypeId"])]
public string ResolutionType{ get; set; }

但是你只能在这样的属性中使用编译时常量,所以我不能以这种方式动态设置 id。

我怎样才能解决这个问题?

4

2 回答 2

3

使用自定义合同解析器应该可以让您非常轻松地做到这一点。添加您自己的Attribute类可以让您以通用的方式进行操作。

// add attribute so this only targets properties, or whatever you want
public class JiraAttribute : Attribute
{
    public string LookupId { get; private set; }
    public JiraAttribute(string lookupId)
    {
        this.LookupId = lookupId;
    }
}
public class JiraContractResolver : DefaultContractResolver
{
    public static readonly JiraContractResolver Instance = new JiraContractResolver();

    protected override JsonProperty CreateProperty(MemberInfo member, MemberSerialization memberSerialization)
    {
        JsonProperty property = base.CreateProperty(member, memberSerialization);

        var attr = member.GetCustomAttributes(typeof(JiraAttribute), true).Cast<JiraAttribute>().ToList();
        if (attr != null && attr.Count > 0)
        {
            property.PropertyName = ConfigurationManager.AppSettings[attr[0].LookupId];
        }

        return property;
    }
}

// in a class
[Jira("JiraResolutionTypeId")]
public string ResolutionType { get; set; }

//e.g.
// ConfigurationManager.AppSettings["JiraResolutionTypeId"] == "customfield_10200"
var settings = new JsonSerializerSettings { ContractResolver = JiraContractResolver.Instance };
var s = JsonConvert.SerializeObject(new Priority { Id = "123", ResolutionType = "abc" }, settings);
// {"id":"123","name":null,"iconUrl":null,"customfield_10200":"abc"}
var d = JsonConvert.DeserializeObject<Priority>(s, settings);
// d.ResolutionType == "abc"
于 2014-04-17T20:51:42.617 回答
0

这里记录了另一种方法。 http://www.31a2ba2a-b718-11dc-8314-0800200c9a66.com/2016/01/a-simple-approach-to-getting-all-of.html

获取 Json 请求,转换为 XML,保存在 SQL Server 中,然后使用自定义函数从自定义 JIRA 字段中提取您需要的任何内容。

于 2016-01-05T19:57:40.473 回答