1

我对9(显示格式)和S9(未打包的数字)类型感到困惑。我正在使用 DB2 存储过程读取字帖输出Java

* copy book
05 ABC PIC X(01).
05 XYZ PIC +9(09).

使用下面的 Java 代码,我能够正确读取这些值。数字的符号也很容易处理,因为它要么是-要么+

// java code 
cobolResults.subString(1,1);
cobolResults.subString(2,9);

现在将字帖更改为提供解压后的数字,如下所示:

05 ABC PIC X(01).
05 XYZ PIC S9(09).

我不确定在 Java 中读取具有正确符号的数字的正确逻辑是什么?

4

1 回答 1

3

首先,IBM 和Legstar提供了一些包来从 Cobol Copybooks 生成 Java 类。我自己的包JRecord也可以使用,但它是面向文件而不是在线处理的。

基本上,该字段的最后一个字符包含符号+数字。我猜数据来自大型机;所以对于美国 - Ebcdic (CP037 / IBM237),最后一位数字是

          0 1 2 3 4 5 6 7 8 9
positive  { A B C D E F G H I
negative  } J K L M N O P Q R 

因此,对于 +123,它将是 00000012C (C = +3),而 -123 将是 00000012L。

更糟糕的是,+0 和 -0 在不同的 EBCIDIC 方言和 ASCII 中也是不同的。因此,您要么需要确切知道正在使用哪个版本的 Ebcidic,要么需要在字节级别进行转换。

JRecord Conversion中的fromZoned方法进行转换:

    private static int positiveDiff = 'A' - '1';
    private static int negativeDiff = 'J' - '1';

    private static char positive0EbcdicZoned = '{';
    private static char negative0EbcdicZoned = '}';

    public static String fromZoned(String numZoned) {
        String ret;
        String sign = "";
        char lastChar, ucLastChar;

        if (numZoned == null || ((ret = numZoned.trim()).length() == 0) || ret.equals("-")) {
            return "";
        }

        lastChar = ret.charAt(ret.length() - 1);
        ucLastChar = Character.toUpperCase(lastChar);


        switch (ucLastChar) {
        case 'A': case 'B': case 'C': 
            case 'D': case 'E': case 'F':
            case 'G': case 'H': case 'I':
            lastChar = (char) (ucLastChar - positiveDiff);
            break;
        case 'J': case 'K': case 'L':
        case 'M': case 'N': case 'O':
        case 'P': case 'Q': case 'R':
            sign = "-";
            lastChar = (char) (ucLastChar - negativeDiff);
            break;
        default:
            if (lastChar == positive0EbcdicZoned) {
                lastChar = '0';
            } else if (lastChar == negative0EbcdicZoned) {
                lastChar = '0';
                sign = "-";
            }           
        }
        ret = sign + ret.substring(0, ret.length() - 1) + lastChar;

         return ret;
    }

但是在字节级别更容易做到,它应该如下所示(尽管代码未经测试):

    private static final byte HIGH_NYBLE = (byte) 0xf0;
    private static final byte LOW_NYBLE  = (byte) 0x0f;
    private static final byte ZONED_POSITIVE_NYBLE_OR = (byte) 0xCF;
    private static final byte ZONED_NEGATIVE_NYBLE_OR = (byte) 0xDF;
    private static final byte ZONED_NEGATIVE_NYBLE_VALUE = (byte) 0xD0;                        

    signByte = bytes[bytes.length - 1];

    negative = false;
    if (((byte) (signByte & HIGH_NYBLE)) == ZONED_NEGATIVE_NYBLE_VALUE) {
        negative = true;
    }

    long result = 0;
    for (int i = 0; i < bytes.length; i++) {
        result = result * 10 + (bytes[i] & LOW_NYBLE);
    }

    if (negative) {
       result = -1 * result;
    }
于 2015-08-12T23:01:08.327 回答