0

这些 C# 代码用于 CRC(CyclicRedundancyCheck),运行正确。

    public static void ByteCRC(ref int CRC, char Ch)
    {
        int genPoly = 0x18005;
        CRC ^= (Ch << 8);
        for (int i = 0; i < 8; i++)
            if ((CRC & 0x8000) != 0)
                CRC = (CRC << 1) ^ genPoly;
            else
                CRC <<= 1;
        CRC &= 0xffff;
    }

    public static int BlockCRC(String Block)
    {
        int BlockLen = Block.Length;
        int CRC = 0;
        for (int i = 0; i < BlockLen; i++)
            ByteCRC(ref CRC, Block[i]);
        return CRC;
    }

    //Invoking the function
    String data="test"; //testing string
    Console.WriteLine(BlockCRC(data).ToString("X4"));

我想把它转换成java代码。首先解决“ref”(在C#中)的问题,我使用一个全局变量并做一些其他的语法改变。这里是Java代码。

    public static int CRC;
    public static void ByteCRC(int CRC, char Ch)
    {
        int genPoly = 0x18005;
        CRC ^= (Ch << 8);
        for (int i = 0; i < 8; i++)
            if ((CRC & 0x8000) != 0)
                CRC = (CRC << 1) ^ genPoly;
            else
                CRC <<= 1;
        CRC &= 0xffff;
    }

    public static int BlockCRC(String Block)
    {
        int BlockLen = Block.length();
        CRC = 0;
        for (int i = 0; i < BlockLen; i++)
            ByteCRC(CRC, Block.charAt(i));
        return CRC;
    }

    //Invoking the function
    String data="test"; //testing string
    System.out.println(BlockCRC(data));

我知道答案不会是十六进制,但它甚至不是正确的十进制数,结果是 0。怎么了?另一个问题,java是否有一些与C#中的“ToString('X4')”相同的功能?

4

1 回答 1

0

Java 是否具有与 C# 中的“ToString('X4')”相同的功能?

Java有Format类,这个类的后代NumberFormatDecimalFormat等等DateFormat

于 2013-06-10T05:02:04.303 回答