ج#:تحويل COMP-3 العشري المعبأ إلى قيمة يمكن قراءتها بواسطة الإنسان

StackOverflow https://stackoverflow.com/questions/142972

سؤال

لدي سلسلة من ملفات ASCII المسطحة الواردة من حاسب مركزي لتتم معالجتها بواسطة تطبيق C#.تم تقديم موجز جديد باستخدام الحقل العشري المجمع (COMP-3)، والذي يحتاج إلى تحويله إلى قيمة رقمية.

يتم نقل الملفات عبر FTP، باستخدام وضع نقل ASCII.أشعر بالقلق من أن الحقل الثنائي قد يحتوي على ما سيتم تفسيره على أنه رموز ASCII منخفضة جدًا أو أحرف تحكم بدلاً من القيمة - أو ما هو أسوأ من ذلك، قد يتم فقده في عملية FTP.

علاوة على ذلك، تتم قراءة الحقول كسلاسل.قد تكون لدي المرونة اللازمة للتغلب على هذا الجزء (على سبيل المثال.تيار من نوع ما)، ولكن العمل سوف يعطيني معارضة.

يقرأ المطلب "تحويل من HEX إلى ASCII"، ولكن من الواضح أن ذلك لم يسفر عن القيم الصحيحة.سيكون موضع تقدير أي مساعدة؛ولا يلزم أن يكون خاصًا باللغة طالما يمكنك شرح منطق عملية التحويل.

هل كانت مفيدة؟

المحلول

أولاً، يجب عليك التخلص من مشاكل ترجمة نهاية السطر (EOL) التي قد تنتج عن وضع نقل ASCII.أنت على حق تمامًا في القلق بشأن تلف البيانات عندما تتوافق قيم BCD مع أحرف EOL.أسوأ جانب في هذه المشكلة هو أنها تحدث بشكل نادر وغير متوقع.

الحل الأفضل هو تغيير وضع النقل إلى BIN.وهذا مناسب لأن البيانات التي تقوم بنقلها ثنائية.إذا لم يكن من الممكن استخدام وضع نقل FTP الصحيح، فيمكنك التراجع عن الضرر الذي حدث في وضع ASCII في التعليمات البرمجية.كل ما عليك فعله هو تحويل أزواج مرة أخرى إلى .لو كنت مكانك لتأكدت من اختبار هذا جيدًا.

بمجرد التعامل مع مشكلة موسوعة الحياة، يصبح تحويل COMP-3 بسيطًا للغاية.تمكنت من العثور عليها هذا المقال في قاعدة معارف MS مع نموذج التعليمات البرمجية باللغة BASIC.انظر أدناه للحصول على منفذ VB.NET لهذا الرمز.

نظرًا لأنك تتعامل مع قيم COMP-3، فمن المؤكد تقريبًا أن تنسيق الملف الذي تقرأه له أحجام تسجيل ثابتة مع أطوال حقول ثابتة.لو كنت مكانك، كنت سأحصل على مواصفات تنسيق الملف قبل المضي قدمًا في هذا الأمر.يجب أن تستخدم BinaryReader للتعامل مع هذه البيانات.إذا كان هناك من يتراجع عن هذه النقطة، فسأبتعد.دعهم يجدون شخصًا آخر ينغمس في حماقتهم.

فيما يلي منفذ VB.NET لنموذج التعليمات البرمجية الأساسية.لم أختبر هذا لأنه لا يمكنني الوصول إلى ملف COMP-3.إذا لم ينجح هذا، فسأشير مرة أخرى إلى نموذج التعليمات البرمجية الأصلي لـ MS للحصول على إرشادات، أو إلى المراجع الموجودة في الإجابات الأخرى لهذا السؤال.

Imports Microsoft.VisualBasic

Module Module1

'Sample COMP-3 conversion code
'Adapted from http://support.microsoft.com/kb/65323
'This code has not been tested

Sub Main()

    Dim Digits%(15)       'Holds the digits for each number (max = 16).
    Dim Basiceqv#(1000)   'Holds the Basic equivalent of each COMP-3 number.

    'Added to make code compile
    Dim MyByte As Char, HighPower%, HighNibble%
    Dim LowNibble%, Digit%, E%, Decimal%, FileName$


    'Clear the screen, get the filename and the amount of decimal places
    'desired for each number, and open the file for sequential input:
    FileName$ = InputBox("Enter the COBOL data file name: ")
    Decimal% = InputBox("Enter the number of decimal places desired: ")

    FileOpen(1, FileName$, OpenMode.Binary)

    Do Until EOF(1)   'Loop until the end of the file is reached.
        Input(1, MyByte)
        If MyByte = Chr(0) Then     'Check if byte is 0 (ASC won't work on 0).
            Digits%(HighPower%) = 0       'Make next two digits 0. Increment
            Digits%(HighPower% + 1) = 0   'the high power to reflect the
            HighPower% = HighPower% + 2   'number of digits in the number
            'plus 1.
        Else
            HighNibble% = Asc(MyByte) \ 16      'Extract the high and low
            LowNibble% = Asc(MyByte) And &HF    'nibbles from the byte. The
            Digits%(HighPower%) = HighNibble%  'high nibble will always be a
            'digit.
            If LowNibble% <= 9 Then                   'If low nibble is a
                'digit, assign it and
                Digits%(HighPower% + 1) = LowNibble%   'increment the high
                HighPower% = HighPower% + 2            'power accordingly.
            Else
                HighPower% = HighPower% + 1 'Low nibble was not a digit but a
                Digit% = 0                  '+ or - signals end of number.

                'Start at the highest power of 10 for the number and multiply
                'each digit by the power of 10 place it occupies.
                For Power% = (HighPower% - 1) To 0 Step -1
                    Basiceqv#(E%) = Basiceqv#(E%) + (Digits%(Digit%) * (10 ^ Power%))
                    Digit% = Digit% + 1
                Next

                'If the sign read was negative, make the number negative.
                If LowNibble% = 13 Then
                    Basiceqv#(E%) = Basiceqv#(E%) - (2 * Basiceqv#(E%))
                End If

                'Give the number the desired amount of decimal places, print
                'the number, increment E% to point to the next number to be
                'converted, and reinitialize the highest power.
                Basiceqv#(E%) = Basiceqv#(E%) / (10 ^ Decimal%)
                Print(Basiceqv#(E%))
                E% = E% + 1
                HighPower% = 0
            End If
        End If
    Loop

    FileClose()   'Close the COBOL data file, and end.
End Sub

End Module

نصائح أخرى

لقد كنت أشاهد المنشورات على العديد من اللوحات المتعلقة بتحويل بيانات Comp-3 BCD من ملفات الحاسوب المركزي "القديمة" إلى شيء يمكن استخدامه في C#.أولاً، أود أن أقول إنني أقل إعجابًا بالردود التي تلقيتها بعض هذه المنشورات - وخاصة تلك التي قالت بشكل أساسي "لماذا تزعجنا بهذه المنشورات غير المرتبطة بـ C#/C++" وأيضًا "إذا أنت بحاجة إلى إجابة حول نوع ما من اتفاقيات COBOL، فلماذا لا تذهب لزيارة موقع موجه نحو COBOL".هذا، بالنسبة لي، هو درجة البكالوريوس الكاملة حيث ستكون هناك حاجة لسنوات عديدة قادمة، (للأسف)، لمطوري البرامج لفهم كيفية التعامل مع بعض هذه المشكلات القديمة الموجودة في العالم الحقيقي.لذلك، حتى لو تعرضت للانتقاد في هذا المنشور بسبب الكود التالي، فسوف أشارككم تجربة حقيقية كان علي التعامل معها فيما يتعلق بتحويل COMP-3/EBCDIC (ونعم، أنا هو الذي يتحدث عن " الأقراص المرنة والأشرطة الورقية وحزم الأقراص وما إلى ذلك.- أنا مهندس برمجيات منذ عام 1979").

أولاً - افهم أن أي ملف تقرأه من نظام إطار رئيسي قديم مثل IBM سيقدم لك البيانات بتنسيق EBCDIC ومن أجل تحويل أي من تلك البيانات إلى سلسلة C#/C++ يمكنك التعامل معها سيتعين علينا استخدام ترجمة صفحة الرموز المناسبة لتحويل البيانات إلى تنسيق ASCII.ومن الأمثلة الجيدة على كيفية التعامل مع هذا ما يلي:

StreamReader readFile = new StreamReader(path, Encoding.GetEncoding(037);// 037 = ترجمة EBCDIC إلى ASCII.

سيضمن هذا أن أي شيء تقرأه من هذا الدفق سيتم تحويله بعد ذلك إلى ASCII ويمكن استخدامه بتنسيق سلسلة.يتضمن ذلك الحقول "العشرية المخصصة" (Pic 9) و"النص" (Pic X) كما تم الإعلان عنها بواسطة COBOL.ومع ذلك، لا يؤدي هذا بالضرورة إلى تحويل حقول COMP-3 إلى المكافئ "الثنائي" الصحيح عند قراءتها في صفيف char[] أو byte[].للقيام بذلك، الطريقة الوحيدة التي ستمكنك من ترجمة هذا بشكل صحيح (حتى باستخدام UTF-8، UTF-16، الافتراضي أو أي شيء آخر) صفحات التعليمات البرمجية، سوف تحتاج إلى فتح الملف مثل هذا:

FileStream fileStream = new FileStream(path, FIleMode.Open, FIleAccess.Read, FileShare.Read);

وبطبيعة الحال، فإن خيار "FileShare.Read" هو خيار "اختياري".

عندما تقوم بعزل الحقل الذي تريد تحويله إلى قيمة عشرية (ثم إلى سلسلة ASCII إذا لزم الأمر)، يمكنك استخدام الكود التالي - وقد تمت سرقته بشكل أساسي من نشر MicroSoft "UnpackDecimal" الذي قمت بإنشائه يمكن الحصول على:

http://www.microsoft.com/downloads/details.aspx?familyid=0e4bba52-cc52-4d89-8590-cda297ff7fbd&displaylang=en

لقد قمت بعزل (على ما أعتقد) ما هي أهم أجزاء هذا المنطق ودمجته في طريقتين يمكنك القيام بما تريد.لأغراضي، اخترت ترك هذا كإرجاع قيمة عشرية والتي يمكنني بعد ذلك القيام بها بما أريد.في الأساس، تُسمى الطريقة "فك الحزمة" وتقوم بتمريرها بمصفوفة بايت[] (لا تزيد عن 12 بايت) والمقياس كقيمة int، وهو عدد المنازل العشرية التي تريد إرجاعها في القيمة العشرية.آمل أن يكون هذا مناسبًا لك كما حدث بالنسبة لي.

    private Decimal Unpack(byte[] inp, int scale)
    {
        long lo = 0;
        long mid = 0;
        long hi = 0;
        bool isNegative;

        // this nybble stores only the sign, not a digit.  
        // "C" hex is positive, "D" hex is negative, and "F" hex is unsigned. 
        switch (nibble(inp, 0))
        {
            case 0x0D:
                isNegative = true;
                break;
            case 0x0F:
            case 0x0C:
                isNegative = false;
                break;
            default:
                throw new Exception("Bad sign nibble");
        }
        long intermediate;
        long carry;
        long digit;
        for (int j = inp.Length * 2 - 1; j > 0; j--)
        {
            // multiply by 10
            intermediate = lo * 10;
            lo = intermediate & 0xffffffff;
            carry = intermediate >> 32;
            intermediate = mid * 10 + carry;
            mid = intermediate & 0xffffffff;
            carry = intermediate >> 32;
            intermediate = hi * 10 + carry;
            hi = intermediate & 0xffffffff;
            carry = intermediate >> 32;
            // By limiting input length to 14, we ensure overflow will never occur

            digit = nibble(inp, j);
            if (digit > 9)
            {
                throw new Exception("Bad digit");
            }
            intermediate = lo + digit;
            lo = intermediate & 0xffffffff;
            carry = intermediate >> 32;
            if (carry > 0)
            {
                intermediate = mid + carry;
                mid = intermediate & 0xffffffff;
                carry = intermediate >> 32;
                if (carry > 0)
                {
                    intermediate = hi + carry;
                    hi = intermediate & 0xffffffff;
                    carry = intermediate >> 32;
                    // carry should never be non-zero. Back up with validation
                }
            }
        }
        return new Decimal((int)lo, (int)mid, (int)hi, isNegative, (byte)scale);
    }

    private int nibble(byte[] inp, int nibbleNo)
    {
        int b = inp[inp.Length - 1 - nibbleNo / 2];
        return (nibbleNo % 2 == 0) ? (b & 0x0000000F) : (b >> 4);
    }

إذا كانت لديك أي أسئلة، قم بنشرها هنا - لأنني أظن أنني سوف "أشتعل" مثل أي شخص آخر اختار نشر أسئلة ذات صلة بقضايا اليوم...

شكرا ، جون - الأكبر.

إذا كانت البيانات الأصلية موجودة في EBCDIC، فقد تم تشويه حقل COMP-3 الخاص بك.قامت عملية FTP بترجمة EBCDIC إلى ASCII لقيم البايت في حقل COMP-3 وهو ما لا تريده.لتصحيح هذا يمكنك:

1) استخدم الوضع BINARY للنقل حتى تحصل على بيانات EBCDIC الأولية.ثم تقوم بتحويل حقل COMP-3 إلى رقم وترجمة أي نص EBCDIC آخر في السجل إلى ASCII.يخزن الحقل المعبأ كل رقم في نصف بايت مع نصف البايت السفلي كإشارة (F موجب والقيم الأخرى، عادةً D أو E، سالبة).تخزين 123.4 في PIC 999.99 USAGE COMP-3 سيكون X'01234F' (ثلاث بايتات) و-123 في نفس الحقل هو X'01230D'.

2) اطلب من المرسل تحويل الحقل إلى حقل رقمي USAGE IS DISPLAY SIGN IS LEADING(أو TRAILING).يؤدي هذا إلى تخزين الرقم كسلسلة من الأرقام الرقمية EBCDIC مع الإشارة كحرف سالب (-) منفصل أو فارغ.تتم ترجمة كافة الأرقام والعلامة بشكل صحيح إلى ما يعادلها من ASCII عند نقل FTP.

أعتذر إذا كنت خارج نطاق القاعدة هنا، ولكن ربما يساعدك نموذج التعليمات البرمجية هذا الذي سألصقه هنا.هذا جاء من VBRocks ...

Imports System
Imports System.IO
Imports System.Text
Imports System.Text.Encoding



'4/20/07 submission includes a line spacing addition when a control character is used:
'   The line spacing is calculated off of the 3rd control character.
'
'   Also includes the 4/18 modification of determining end of file.

'4/26/07 submission inclues an addition of 6 to the record length when the 4th control
'   character is an 8.  This is because these records were being truncated.


'Authored by Gary A. Lima, aka. VBRocks



''' <summary>
''' Translates an EBCDIC file to an ASCII file.
''' </summary>
''' <remarks></remarks>
Public Class EBCDIC_to_ASCII_Translator

#Region " Example"

    Private Sub Example()
        'Set your source file and destination file paths
        Dim sSourcePath As String = "c:\Temp\MyEBCDICFile"
        Dim sDestinationPath As String = "c:\Temp\TranslatedFile.txt"

        Dim trans As New EBCDIC_to_ASCII_Translator()

        'If your EBCDIC file uses Control records to determine the length of a record, then this to True
        trans.UseControlRecord = True

        'If the first record of your EBCDIC file is filler (junk), then set this to True
        trans.IgnoreFirstRecord = True

        'EBCDIC files are written in block lengths, set your block length (Example:  134, 900, Etc.)
        trans.BlockLength = 900

        'This method will actually translate your source file and output it to the specified destination file path
        trans.TranslateFile(sSourcePath, sDestinationPath)


        'Here is a alternate example:
        'No Control record is used
        'trans.UseControlRecord = False

        'Translate the whole file, including the first record
        'trans.IgnoreFirstRecord = False

        'Set the block length
        'trans.BlockLength = 134

        'Translate...
        'trans.TranslateFile(sSourcePath, sDestinationPath)



        '*** Some additional methods that you can use are:

        'Trim off leading characters from left side of string (position 0 to...)
        'trans.LTrim = 15

        'Translate 1 EBCDIC character to an ASCII character
        'Dim strASCIIChar as String = trans.TranslateCharacter("S")

        'Translate an EBCDIC character array to an ASCII string
        'trans.TranslateCharacters(chrEBCDICArray)

        'Translates an EBCDIC string to an ASCII string
        'Dim strASCII As String = trans.TranslateString("EBCDIC String")


    End Sub

#End Region    'Example

    'Translate characters from EBCDIC to ASCII

    Private ASCIIEncoding As Encoding = Encoding.ASCII
    Private EBCDICEncoding As Encoding = Encoding.GetEncoding(37)  'EBCDIC

    'Block Length:  Can be fixed (Ex:  134). 
    Private miBlockLength As Integer = 0
    Private mbUseControlRec As Boolean = True        'If set to False, will return exact block length
    Private mbIgnoreFirstRecord As Boolean = True    'Will Ignore first record if set to true  (First record may be filler)
    Private miLTrim As Integer = 0

    ''' <summary>
    ''' Translates SourceFile from EBCDIC to ASCII.  Writes output to file path specified by DestinationFile parameter.
    ''' Set the BlockLength Property to designate block size to read.
    ''' </summary>
    ''' <param name="SourceFile">Enter the path of the Source File.</param>
    ''' <param name="DestinationFile">Enter the path of the Destination File.</param>
    ''' <remarks></remarks>
    Public Sub TranslateFile(ByVal SourceFile As String, ByVal DestinationFile As String)

        Dim iRecordLength As Integer     'Stores length of a record, not including the length of the Control Record (if used)
        Dim sRecord As String = ""         'Stores the actual record
        Dim iLineSpace As Integer = 1    'LineSpace:  1 for Single Space, 2 for Double Space, 3 for Triple Space...

        Dim iControlPosSix As Byte()      'Stores the 6th character of a Control Record (used to calculate record length)
        Dim iControlRec As Byte()          'Stores the EBCDIC Control Record (First 6 characters of record)
        Dim bEOR As Boolean                'End of Record Flag
        Dim bBOF As Boolean = True      'Beginning of file
        Dim iConsumedChars As Integer = 0     'Stores the number of consumed characters in the current block
        Dim bIgnoreRecord As Boolean = mbIgnoreFirstRecord   'Ignores the first record if set.

        Dim ControlArray(5) As Char         'Stores Control Record (first 6 bytes)
        Dim chrArray As Char()              'Stores characters just after read from file

        Dim sr As New StreamReader(SourceFile, EBCDICEncoding)
        Dim sw As New StreamWriter(DestinationFile)

        'Set the RecordLength to the RecordLength Property (below)
        iRecordLength = miBlockLength

        'Loop through entire file
        Do Until sr.EndOfStream = True

            'If using a Control Record, then check record for valid data.
            If mbUseControlRec = True Then
                'Read the Control Record (first 6 characters of the record)
                sr.ReadBlock(ControlArray, 0, 6)

                'Update the value of consumed (read) characters
                iConsumedChars += ControlArray.Length

                'Get the bytes of the Control Record Array
                iControlRec = EBCDICEncoding.GetBytes(ControlArray)

                'Set the line spacing  (position 3 divided by 64)
                '   (64 decimal = Single Spacing; 128 decimal = Double Spacing)
                iLineSpace = iControlRec(2) / 64


                'Check the Control record for End of File
                'If the Control record has a 8 or 10 in position 1, and a 1 in postion 2, then it is the end of the file
                If (iControlRec(0) = 8 OrElse iControlRec(0) = 10) AndAlso _
                    iControlRec(1) = 1 Then

                    If bBOF = False Then
                        Exit Do

                    Else
                        'The Beginning of file flag is set to true by default, so when the first
                        '   record is encountered, it is bypassed and the bBOF flag is set to False
                        bBOF = False

                    End If    'If bBOF = Fals

                End If    'If (iControlRec(0) = 8 OrElse



                'Set the default value for the End of Record flag to True
                '   If the Control Record has all zeros, then it's True, else False
                bEOR = True

                'If the Control record contains all zeros, bEOR will stay True, else it will be set to False
                For i As Integer = 0 To 5
                    If iControlRec(i) > 0 Then
                        bEOR = False

                        Exit For

                    End If    'If iControlRec(i) > 0

                Next    'For i As Integer = 0 To 5

                If bEOR = False Then
                    'Convert EBCDIC character to ASCII
                    'Multiply the 6th byte by 6 to get record length
                    '   Why multiply by 6?  Because it works.
                    iControlPosSix = EBCDICEncoding.GetBytes(ControlArray(5))

                    'If the 4th position of the control record is an 8, then add 6
                    '    to the record length to pick up remaining characters.
                    If iControlRec(3) = 8 Then
                        iRecordLength = CInt(iControlPosSix(0)) * 6 + 6

                    Else
                        iRecordLength = CInt(iControlPosSix(0)) * 6

                    End If

                    'Add the length of the record to the Consumed Characters counter
                    iConsumedChars += iRecordLength

                Else
                    'If the Control Record had all zeros in it, then it is the end of the Block.

                    'Consume the remainder of the block so we can continue at the beginning of the next block.
                    ReDim chrArray(miBlockLength - iConsumedChars - 1)
                    'ReDim chrArray(iRecordLength - iConsumedChars - 1)

                    'Consume (read) the remaining characters in the block.  
                    '   We are not doing anything with them because they are not actual records.
                    'sr.ReadBlock(chrArray, 0, iRecordLength - iConsumedChars)
                    sr.ReadBlock(chrArray, 0, miBlockLength - iConsumedChars)

                    'Reset the Consumed Characters counter
                    iConsumedChars = 0

                    'Set the Record Length to 0 so it will not be processed below.
                    iRecordLength = 0

                End If    ' If bEOR = False

            End If    'If mbUseControlRec = True



            If iRecordLength > 0 Then
                'Resize our array, dumping previous data.  Because Arrays are Zero (0) based, subtract 1 from the Record length.
                ReDim chrArray(iRecordLength - 1)

                'Read the specfied record length, without the Control Record, because we already consumed (read) it.
                sr.ReadBlock(chrArray, 0, iRecordLength)

                'Copy Character Array to String Array, Converting in the process, then Join the Array to a string
                sRecord = Join(Array.ConvertAll(chrArray, New Converter(Of Char, String)(AddressOf ChrToStr)), "")

                'If the record length was 0, then the Join method may return Nothing
                If IsNothing(sRecord) = False Then

                    If bIgnoreRecord = True Then
                        'Do nothing - bypass record

                        'Reset flag
                        bIgnoreRecord = False

                    Else
                        'Write the line out, LTrimming the specified number of characters.
                        If sRecord.Length >= miLTrim Then
                            sw.WriteLine(sRecord.Remove(0, miLTrim))

                        Else
                            sw.WriteLine(sRecord.Remove(0, sRecord.Length))

                        End If    ' If sRecord.Length >= miLTrim

                        'Write out the number of blank lines specified by the 3rd control character.
                        For i As Integer = 1 To iLineSpace - 1
                            sw.WriteLine("")

                        Next    'For i As Integer = 1 To iLineSpace

                    End If    'If bIgnoreRecord = True


                    'Obviously, if we have read more characters from the file than the designated size of the block,
                    '   then subtract the number of characters we have read into the next block from the block size.
                    If iConsumedChars > miBlockLength Then
                        'If iConsumedChars > iRecordLength Then
                        iConsumedChars = iConsumedChars - miBlockLength
                        'iConsumedChars = iConsumedChars - iRecordLength

                    End If

                End If    'If IsNothing(sRecord) = False

            End If    'If iRecordLength > 0

            'Allow computer to process  (works in a class module, not in a dll)
            'Application.DoEvents()

        Loop

        'Destroy StreamReader (sr)
        sr.Close()
        sr.Dispose()

        'Destroy StreamWriter (sw)
        sw.Close()
        sw.Dispose()

    End Sub



    ''' <summary>
    ''' Translates 1 EBCDIC Character (Char) to an ASCII String
    ''' </summary>
    ''' <param name="chr"></param>
    ''' <returns></returns>
    ''' <remarks></remarks>
    Private Function ChrToStr(ByVal chr As Char) As String
        Dim sReturn As String = ""

        'Convert character into byte
        Dim EBCDICbyte As Byte() = EBCDICEncoding.GetBytes(chr)

        'Convert EBCDIC byte to ASCII byte
        Dim ASCIIByte As Byte() = Encoding.Convert(EBCDICEncoding, ASCIIEncoding, EBCDICbyte)

        sReturn = Encoding.ASCII.GetString(ASCIIByte)

        Return sReturn

    End Function



    ''' <summary>
    ''' Translates an EBCDIC String to an ASCII String
    ''' </summary>
    ''' <param name="sStringToTranslate"></param>
    ''' <returns>String</returns>
    ''' <remarks></remarks>
    Public Function TranslateString(ByVal sStringToTranslate As String) As String
        Dim i As Integer = 0
        Dim sReturn As New System.Text.StringBuilder()

        'Loop through the string and translate each character
        For i = 0 To sStringToTranslate.Length - 1
            sReturn.Append(ChrToStr(sStringToTranslate.Substring(i, 1)))

        Next

        Return sReturn.ToString()


    End Function



    ''' <summary>
    ''' Translates 1 EBCDIC Character (Char) to an ASCII String
    ''' </summary>
    ''' <param name="sCharacterToTranslate"></param>
    ''' <returns>String</returns>
    ''' <remarks></remarks>
    Public Function TranslateCharacter(ByVal sCharacterToTranslate As Char) As String

        Return ChrToStr(sCharacterToTranslate)

    End Function



    ''' <summary>
    ''' Translates an EBCDIC Character (Char) Array to an ASCII String
    ''' </summary>
    ''' <param name="sCharacterArrayToTranslate"></param>
    ''' <returns>String</returns>
    ''' <remarks>Remarks</remarks>
    Public Function TranslateCharacters(ByVal sCharacterArrayToTranslate As Char()) As String
        Dim sReturn As String = ""

        'Copy Character Array to String Array, Converting in the process, then Join the Array to a string
        sReturn = Join(Array.ConvertAll(sCharacterArrayToTranslate, _
                            New Converter(Of Char, String)(AddressOf ChrToStr)), "")

        Return sReturn

    End Function


    ''' <summary>
    ''' Block Length must be set.  You can set the BlockLength for specific block sizes (Ex:  134).
    ''' Set UseControlRecord = False for files with specific block sizes (Default is True)
    ''' </summary>
    ''' <value>0</value>
    ''' <returns>Integer</returns>
    ''' <remarks></remarks>
    Public Property BlockLength() As Integer
        Get
            Return miBlockLength

        End Get
        Set(ByVal value As Integer)
            miBlockLength = value

        End Set
    End Property



    ''' <summary>
    ''' Determines whether a ControlKey is used to calculate RecordLength of valid data
    ''' </summary>
    ''' <value>Default value is True</value>
    ''' <returns>Boolean</returns>
    ''' <remarks></remarks>
    Public Property UseControlRecord() As Boolean
        Get
            Return mbUseControlRec

        End Get
        Set(ByVal value As Boolean)
            mbUseControlRec = value

        End Set
    End Property



    ''' <summary>
    ''' Ignores first record if set (Default is True)
    ''' </summary>
    ''' <value>Default is True</value>
    ''' <returns>Boolean</returns>
    ''' <remarks></remarks>
    Public Property IgnoreFirstRecord() As Boolean
        Get
            Return mbIgnoreFirstRecord

        End Get

        Set(ByVal value As Boolean)
            mbIgnoreFirstRecord = value

        End Set
    End Property



    ''' <summary>
    ''' Trims the left side of every string the specfied number of characters.  Default is 0.
    ''' </summary>
    ''' <value>Default is 0.</value>
    ''' <returns>Integer</returns>
    ''' <remarks></remarks>
    Public Property LTrim() As Integer
        Get
            Return miLTrim

        End Get

        Set(ByVal value As Integer)
            miLTrim = value

        End Set
    End Property


End Class

بعض الروابط المفيدة لترجمة EBCDIC:

جدول الترجمة - من المفيد التحقق من بعض القيم في الحقول العشرية المجمعة:http://www.simotime.com/asc2ebc1.htm

قائمة صفحات التعليمات البرمجية في msdn:
http://msdn.microsoft.com/en-us/library/dd317756(VS.85).aspx

وجزء من التعليمات البرمجية لتحويل حقول صفيف البايت في C#:

// 500 is the code page for IBM EBCDIC International 
System.Text.Encoding enc = new System.Text.Encoding(500);
string value = enc.GetString(byteArrayField);

الحقول المعبأة هي نفسها في EBCDIC أو ASCII.لا تقم بتشغيل تحويل EBCDIC إلى ASCII عليها.في .Net قم بتفريغها في بايت[].

يمكنك استخدام أقنعة البت والتحولات للتعبئة/التفريغ.-- ولكن عمليات البت لا تنطبق إلا على الأنواع الصحيحة في .Net، لذا عليك تجاوز بعض العقبات!

يمكن لفنان COBOL أو C الجيد أن يوجهك في الاتجاه الصحيح.

ابحث عن أحد كبار السن وادفع مستحقاتك (حوالي ثلاثة أنواع من البيرة يجب أن تفعل ذلك).

مرخصة بموجب: CC-BY-SA مع الإسناد
لا تنتمي إلى StackOverflow
scroll top