简体   繁体   English

是否有处理大型机数据的模式?

[英]Is there a Pattern for dealing with mainframe data?

NOTE: Clarified some of my question at the bottom. 注意:在底部澄清了我的一些问题。

I am wondering if there might be a (sane) pattern to deal with request/response from older mainframe systems? 我想知道是否可能有一个(理智的)模式来处理旧主机系统的请求/响应? In the examples below, IQ is the request and RSIQ is the response . 在下面的示例中,IQ是请求 ,RSIQ是响应 In the first example, I am requesting a list of all account codes and in the second request I am asking for the Closed Date for each account code. 在第一个示例中,我正在请求所有帐户代码的列表,在第二个请求中,我要求每个帐户代码的关闭日期。 Since these are only linked by the ordinal position it is easy enough to pull the data into a structured data class. 由于这些仅通过序数位置链接,因此很容易将数据拉入结构化数据类。 Each response in this case represents multiple records. 在这种情况下,每个响应代表多个记录。

In the 2nd example I am requesting several bits of information for a single record. 在第二个例子中,我正在为单个记录请求几位信息。 In this case, each response represents a single record and a smattering of data points. 在这种情况下,每个响应代表一个记录和一些数据点。

This is the message a client sends to the server to request specific information from the database. 这是客户端发送到服务器以从数据库请求特定信息的消息。

The inquiry message has this general format:
IQ~<msg id>~A<unit#>~B<device type>~D<acct#>~F<password>~G<file>~H<hierarchicrecordpath>~J<field>

**One field from many records**:
Beginning with first share (ordinal zero) on Account 101 return all the Share ID fields in first
message then get all Close Dates in second message. IDs and Close Dates correspond
positionally within the two responses.

IQ~1~A0~BVENDOR~D101~F7777~HSHARE=0~JID=ALL

RSIQ~1~K0~JID=0000~JID=0003~JID=0004~JID=0005~JID=0025~JID=0050

IQ~1~A0~BVENDOR~D101~F7777~HSHARE=0~JCLOSEDATE=ALL

RSIQ~1~K0~JCLOSEDATE=00000000~JCLOSEDATE=20030601~JCLOSEDATE=00000000~JCLOSEDATE=00000000~JCLOSEDATE=00000000~JCLOSEDATE=00000000

**Many fields from one record**:
Using the previous requests get additional information from open shares (two examples).

IQ~1~A0~BVENDOR~D101~F7777~HSHARE#0005~JCLOSEDATE~JSHARECODE~JDIVTYPE~JBALANCE~JAVAILABLEBALANCE

RSIQ~1~K0~JCLOSEDATE=00000000~JSHARECODE=0~JDIVTYPE=2~JBALANCE=234567~JAVAILABLEBALANCE=234567

IQ~1~A0~BVENDOR~D101~F7777~HSHARE#0025~JCLOSEDATE~JSHARECODE~JDIVTYPE~JBALANCE~JAVAILABLEBALANCE

RSIQ~1~K0~JCLOSEDATE=00000000~JSHARECODE=1~JDIVTYPE=5~JBALANCE=654321~JAVAILABLEBALANCE=654321

BACKGROUND : I am already using the Unit of Work/Repository pattern in my applications. 背景 :我已经在我的应用程序中使用了工作单元/存储库模式。 Each application is dealing with multiple data stores (SQL DBs, Files, Web Services, Sockets, etc). 每个应用程序都处理多个数据存储(SQL DB,文件,Web服务,套接字等)。 The idea being that each Repository exposes a (part of the full) data model. 这个想法是每个存储库公开(完整的)部分数据模型。

My initial thinking is to create the specific calls I need in the Repository, like GetAccounts(acctId) and have the method send the correct requests and then build up the object graph from all the reponses , finally returning the object graph. 我最初的想法是创造我需要存储库中的特定调用,如GetAccounts(acctId)并有方法发送正确的请求 ,然后从所有的反应变量建立对象图,最后返回对象图。

I'm now looking for a design pattern to handle the internals of each of these methods without doing a ton of string.Replace() statements, or StringBuilder calls. 我现在正在寻找一种设计模式来处理这些方法的内部,而无需执行大量的string.Replace()语句或StringBuilder调用。 Since the max size of any request is 8000 characters, you can see where the ~J fields can get quite complex. 由于任何请求的最大大小为8000个字符,因此您可以看到~J字段可能变得非常复杂。 (And I am still looking for all the possible codes that can go in the ~J fields.) (我仍在寻找可以进入~J字段的所有可能代码。)

Smallish example: 小例子:

public List<SymitarAccount> GetAccounts(string accountId)
{

    var retAccounts = new List<SymitarAccount>();

    // Is there a pattern to do this repetitve but ever changing task? //
    // Example: Mock response then handle... //
    // NOTE:  There will be many request/response calls here, not just one! //
    var rsp = @"RSIQ~1~K0~JCLOSEDATE=00000000~JSHARECODE=1~JDIVTYPE=5~JBALANCE=654321~JAVAILABLEBALANCE=654321";
    var response = rsp.Split(new[] {'~'});
    foreach (var q in response)
    {
        if (q.StartsWith("J") && q.Contains("="))
        {
            // get Key Value Pair //
            // map KVP to SymitarAccount data point (big ugly switch(){}??) //
            sa.Id = // KVP for ID //
            sa.Balanace = // KVP for BALANCE //
        }
        retAccounts.Add(sa);
    }

    return retAccounts;
}

Any thoughts or ideas? 有什么想法或想法吗?

NOTE: I am using C# (latest). 注意:我正在使用C#(最新)。


ADDITION #1: 附加#1:

public List<SymitarAccount> GetAccounts(string accountId)
{
    var retAccounts = new List<SymitarAccount>();

    // Get all account IDs...
    var response = UnitOfWork.SendMessage("IQ~1~A0~BVENDOR~D101~F7777~HSHARE=0~JID=ALL");
    ParseResponse(response, ref retAccounts);

    // Get all account close dates (00000000 means it is open)...
    response = UnitOfWork.SendMessage("IQ~1~A0~BVENDOR~D101~F7777~HSHARE=0~JCLOSEDATE=ALL");
    ParseResponse(response, ref retAccounts);

    // Get extra info for all OPEN accounts...
    foreach (var account in retAccounts.Where(a => !a.IsClosed))
    {
        var request = "IQ~1~A0~BVENDOR~D101~F7777~HSHARE#[acct]~JCLOSEDATE~JSHARECODE~JDIVTYPE~JBALANCE~JAVAILABLEBALANCE";
        request = request.Replace("[acct]", account.Id.ToString("0000"));
        response = UnitOfWork.SendMessage(request);
        ParseResponse(response, ref retAccounts, account.Id);
    }
    return retAccounts;
}


private void ParseResponse(string response, ref List<SymitarAccount> accountList, int? id = null)
{
    var list = response.Split(new[] {'~'});
    var index = 0;
    var chain = new ChainInquiryAccountInfo();
    var parser = chain.Parser;
    foreach (var q in list.Where(q => q.StartsWith("J")))   // && q.Contains("=")))
    {
        if (accountList.Count < index || accountList[index] == null)
            accountList.Add(new SymitarAccount {PositionalIndex = index});
        var val = q.Split(new[] {'='});
        if ((id.HasValue && accountList[index].Id == id.Value) || !id.HasValue)
            accountList[index] = parser.Parse(val, accountList[index]);
        index++;
    }
}

You example is in fact deserialization, not from XML or JSON but from some custom text format. 您的示例实际上是反序列化,而不是来自XML或JSON,而是来自某些自定义文本格式。 You can go with the direction of other serializers then, when you create classes and attribute their fields to help serializing/deserializing. 当您创建类并将其字段属性化以帮助序列化/反序列化时,您可以使用其他序列化程序的方向。 This can be called Attributed Serializer Pattern I believe... 这可以称为Attributed Serializer Pattern我相信......

Let's create some custom attribute to annotate serialized classes: 让我们创建一些自定义属性来注释序列化类:

[AttributeUsage(AttributeTargets.All, Inherited = false, AllowMultiple = true)]
sealed class SomeDataFormatAttribute : Attribute
{
    readonly string name;

    // This is a positional argument
    public SomeDataFormatAttribute(string positionalString)
    {
        this.name = positionalString;
    }

    public string Name
    {
        get { return name; }
    }
} 

and then you can describe your data objects as: 然后您可以将数据对象描述为:

class SymitarAccount
{
    [SomeDataFormat("CLOSEDATE")]
    public string CloseDate;
    [SomeDataFormat("SHARECODE")]
    public int ShareCode;
}

Now you need serializer/deserializer based on Reflection, that will match attributed fields with string. 现在您需要基于Reflection的序列化器/反序列化器,它将使用字符串匹配属性字段。 Here I use regular expressions (and no error checking for simplicity): 这里我使用正则表达式(为简单起见,没有错误检查):

public class SomeDataFormatDeserializer
{
    public static T Deserlize<T>(string str) where T : new()
    {
        var result = new T();

        var pattern = @"RSIQ~1~K0(?:~J(\w+=\d+))*";
        var match = Regex.Match(str, pattern);

        // Get fields of type T
        var fields = typeof(T).GetFields(BindingFlags.Public | BindingFlags.Instance);
        foreach (var field in fields)
        {
           // Get out custom attribute of this field (might return null)
           var attr = field.GetCustomAttribute(typeof(SomeDataFormatAttribute)) as SomeDataFormatAttribute;

           // Find regex capture that starts with attributed name (might return null)
           var capture = match.Groups[1].Captures
                              .Cast<Capture>()
                              .FirstOrDefault(c => c.Value.StartsWith(attr.Name));
           if (capture != null)
           {
              var stringValue = capture.Value.Split('=').Last();

              // Convert string to the proper type (like int)
              var value = Convert.ChangeType(stringValue, field.FieldType);
              field.SetValue(result, value);
           }
        }                                     
        return result;
    }
}

And then you can use it as simple as: 然后你就可以像以下一样简单地使用它:

public static List<SymitarAccount> GetAccounts(string accountId)
{
    var retAccounts = new List<SymitarAccount>();
    var responses = new List<string>() { @"RSIQ~1~K0~JCLOSEDATE=00000000~JSHARECODE=1" };
    foreach (var response in responses)
    {
        var account = SomeDataFormatDeserializer.Deserlize<SymitarAccount>(response);
        retAccounts.Add(account);
    }
    return retAccounts;
}

Note: SomeDataFormatDeserializer is written for clarity, not performance. 注意:为了清晰起见,编写了SomeDataFormatDeserializer ,而不是性能。 For sure it can be optimized (like caching GetFields etc.) 可以肯定它可以进行优化(比如缓存GetFields等)

MY SOLUTION: 我的解决方案

Attribute definition: 属性定义:

[AttributeUsage(AttributeTargets.All, Inherited = false, AllowMultiple = true)]
internal sealed class SymitarInquiryDataFormatAttribute : Attribute
{
    private readonly string _name;

    // This is a positional argument
    public SymitarInquiryDataFormatAttribute(string positionalString) { this._name = positionalString; }

    public string Name { get { return _name; } }
}

Data class: 数据类:

[Serializable]
public class SymitarAccount
{
    public int PositionalIndex;
    public bool IsClosed{get { return CloseDate.HasValue; }}

    [SymitarInquiryDataFormatAttribute("ID")]
    public int Id;
    [SymitarInquiryDataFormatAttribute("CLOSEDATE")]
    public DateTime? CloseDate;
    [SymitarInquiryDataFormatAttribute("DIVTYPE")]
    public int DivType;
    [SymitarInquiryDataFormatAttribute("BALANCE")]
    public decimal Balance;
    [SymitarInquiryDataFormatAttribute("AVAILABLEBALANCE")]
    public decimal AvailableBalance;
}

Extensions: 扩展:

public static class ExtensionSymitar
{
    public static List<string> ValueList(this string source, string fieldType)
    {
        var list = source.Split('~').ToList();
        return list.Where(a => a.StartsWith(fieldType)).ToList();
    }
    public static string KeyValuePairs(this string source, string fieldType)
    {
        return source.ValueList(fieldType).Aggregate(string.Empty, (current, j) => string.Format("{0}~{1}", current, j));
    }
    public static bool IsMultiRecord(this string source, string fieldType)
    {
        return source.ValueList(fieldType)
                        .Select(q => new Regex(Regex.Escape(q.Split('=').First())).Matches(source).Count > 1).First();
    }

    public static int ParseInt(this string val, string keyName)
    {
        int newValue;
        if (!int.TryParse(val, out newValue))
            throw new Exception("Could not parse " + keyName + " as an integer!");
        return newValue;
    }
    public static decimal ParseMoney(this string val, string keyName)
    {
        decimal newValue;
        if (!decimal.TryParse(val, out newValue))
            throw new Exception("Could not parse " + keyName + " as a money amount!");
        return newValue;
    }
    public static DateTime? ParseDate(this string val, string keyName)
    {
        if (val.Equals("00000000")) return null;

        var year = val.Substring(0, 4).ToInt();
        var mon = val.Substring(4, 2).ToInt();
        var day = val.Substring(6, 2).ToInt();

        if (year <= 1800 || year >= 2200 || mon < 1 || mon > 12 || day < 1 || day > 31)
            throw new Exception("Could not parse " + keyName + " as a date!");

        return new DateTime(year, mon, day);
    }
}

Deserializer: 解串器:

public class SymitarInquiryDeserializer
{
    /// <summary>
    /// Deserializes a string of J field key value pairs
    /// </summary>
    /// <param name="str">The request or response string</param>
    /// <param name="source">Optional: Use this if you are adding data to the source object</param>
    /// <param name="fieldName">Optional: Use this if you are only populating a single property and know what it is</param>
    /// <typeparam name="T">The target class type to populate</typeparam>
    /// <returns>New T Object or optional Source Object</returns>
    public static T DeserializeFieldJ<T>(string str, T source = null, string fieldName = null) where T : class, new() 
    {
        var result = source ?? new T();

        const string pattern = @"(?:~J(\w+=\d+))*";
        var match = Regex.Match(str, pattern);

        // Get fields of type T
        var fields = typeof(T).GetFields(BindingFlags.Public | BindingFlags.Instance).ToList();

        if (fieldName != null && fieldName.StartsWith("J")) fieldName = fieldName.Replace("J", "");

        if (!fieldName.IsNullOrEmpty())
        {
            var field = fields.FirstOrDefault(a => a.Name.Equals(fieldName, StringComparison.CurrentCultureIgnoreCase));
            var stringValue = GetValue(field, match);
            if (!stringValue.IsNullOrEmpty())
                SetProperty(field, stringValue, result);
        }
        else
        {
            foreach (var field in fields)
            {
                var stringValue = GetValue(field, match);
                if(!stringValue.IsNullOrEmpty())
                    SetProperty(field, stringValue, result);
            }
        }
        return result;
    }

    private static string GetValue(FieldInfo field, Match match)
    {
        // Get out custom attribute of this field (might return null)
        var attr = field.GetCustomAttribute(typeof(SymitarInquiryDataFormatAttribute)) as SymitarInquiryDataFormatAttribute;
        if (attr == null) return null;

        // Find regex capture that starts with attributed name (might return null)
        var capture = match.Groups[1]
                            .Captures
                            .Cast<Capture>()
                            .FirstOrDefault(c => c.Value.StartsWith(attr.Name, StringComparison.CurrentCultureIgnoreCase));
        return capture == null ? null : capture.Value.Split('=').Last();
    }

    private static void SetProperty<T>(FieldInfo field, string stringValue, T result)
    {
        // Convert string to the proper type (like int)

        if (field.FieldType.FullName.Contains("Int32"))
            field.SetValue(result, stringValue.ParseInt(field.Name));
        else if (field.FieldType.FullName.Contains("Decimal"))
            field.SetValue(result, stringValue.ParseMoney(field.Name));
        else if (field.FieldType.FullName.Contains("DateTime"))
            field.SetValue(result, stringValue.ParseDate(field.Name));
        else
        {
            var value = Convert.ChangeType(stringValue, field.FieldType);
            field.SetValue(result, value);
        }
    }
}

Finally, in my repository: 最后,在我的存储库中:

public List<SymitarAccount> GetAccounts(string accountId)
{
    var accountList = new List<SymitarAccount>();

    // build request, get response, parse it...
    var request = "IQ~1~A20424~BAUTOPAY~D101~F7777~HSHARE=0~JID=ALL";
    var response = UnitOfWork.SendMessage(request);
    ParseResponse(response, ref accountList);

    foreach (var account in accountList.Where(a => a.IsClosed == false))
    {
        request = "IQ~1~A20424~BAUTOPAY~D101~F7777~HSHARE#" + account.Id.ToString("0000") + "~JCLOSEDATE~JSHARECODE~JDIVTYPE~JBALANCE~JAVAILABLEBALANCE";
        response = UnitOfWork.SendMessage(request);
        ParseResponse(response, ref accountList, account.Id);
    }

    return accountList;
}

private void ParseResponse(string response, ref List<SymitarAccount> accountList, int? id = null)
{
    var index = 0;
    var list = response.ValueList(fieldType: "J");
    var jString = response.KeyValuePairs(fieldType: "J");
    var isMultiRecord = response.IsMultiRecord(fieldType: "J");
    SymitarAccount account;

    if (isMultiRecord && !id.HasValue)
        foreach (var q in list.Where(a => a.StartsWith("J")))
        {
            // Add object if we don't yet have it in the collection...
            if (accountList.Count <= index)
                accountList.Add(new SymitarAccount { PositionalIndex = index });

            account = accountList.FirstOrDefault(a => a.PositionalIndex == index);
            SymitarInquiryDeserializer.DeserializeFieldJ("~" + q, account, q.Split('=').First());
            index++;
        }
    else if(id.HasValue)
    {
        account = accountList.FirstOrDefault(a => a.Id == id.Value);
        SymitarInquiryDeserializer.DeserializeFieldJ(jString, account);
    }
}

The difference between the 2 calls to ParseResponse is, in the first case, I am asking for multiple records to be returned (only 1 data property though!) while in the second case I am requesting extra data properties for a single record be sent back. 在第一种情况下,对ParseResponse的2次调用之间的区别是,我要求返回多个记录(虽然只有1个数据属性!),而在第二种情况下,我要求发回一条记录的额外数据属性。

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM