为什么 Obj-C return 中的相同函数在 swift 中产生不同的结果?

Why does the same function in Obj-C return a different result in swift?

我需要将这个带有函数的 c header 转换成 swift 脚本。我这样做了,但是当我尝试这两个函数并比较结果时,结果发现它们是不相等的。到底是怎么回事?我想我已经将范围缩小到:这可能是关于 swift.

中的指针很奇怪

C header: (header.h) (不是我的。见 PGPFormat)

#define CRC24_INIT 0xB704CEL
#define CRC24_POLY 0x1864CFBL

long crc_octets_1(unsigned char *octets, long len)
{
    long crc = CRC24_INIT;
    int i;
    while (len) {
        crc ^= (*octets++) << 16;
        for (i = 0; i < 8; i++) {
            crc <<= 1;
            if (crc & 0x1000000)
                crc ^= CRC24_POLY;
        }
        len-=1;
    }
    return crc & 0xFFFFFFL;
}

我的swift备选方案:

let CRC24_INIT_: Int = 0xB704CE
let CRC24_POLY_: Int = 0x1864CFB

func crc_octets_1( _ octets: UnsafeMutablePointer<UInt8>, _ len: Int) -> Int {
    var octets2 = octets
    var crc = CRC24_INIT;
    var l=len
    while (l != 0) {
        octets2 += 1 //i have also tried incrementing the actual value that is being pointed to. It still doesn't work. I have also tried urinary 
        crc ^= Int(octets2.pointee) << 16;
        for _ in 0..<8 {
            crc <<= 1;
            if ((crc & 0x1000000) != 0) {
                    crc ^= CRC24_POLY;
            }
        }
        l -= 1
    }
    return crc & 0xFFFFFF;
}

期末考试

func test() {
    var dataBytes: [UInt8] = [1,2,3,4,5]

    let checksum1 = crc_octets_1(&dataBytes, dataBytes.count)
    let checksum2 = crc_octets_2(&dataBytes, dataBytes.count)
    
    XCTAssertEqual(checksum1, checksum2)
}

这是我在 return 中得到的:XCTAssertEqual failed: ("3153197") is not equal to ("1890961")

正如 Rob Napier 指出的那样,问题在于您在哪里递增 octets2。 Objective-C 在检索值后递增指针,而 Swift 版本在检索值之前递增它。

但我可能会更进一步,完全消除不安全指针(octetsoctets2),以及 lenl 变量。相反,直接传递 dataBytes 数组:

func crc(for bytes: [UInt8]) -> Int {
    var crc = CRC24_INIT
    for byte in bytes {
        crc ^= Int(byte) << 16
        for _ in 0..<8 {
            crc <<= 1
            if (crc & 0x1000000) != 0 {
                crc ^= CRC24_POLY
            }
        }
    }
    return crc & 0xFFFFFF
}

或者,如果你想要花哨的,你可以做一个通用的再现,而不是,它将接受 UInt8 的任何 Sequence(即,[UInt8] 数组或一个 Data):

func crc<T>(for bytes: T) -> Int where T: Sequence, T.Element == UInt8 {
    var crc = CRC24_INIT
    for byte in bytes {
        crc ^= Int(byte) << 16
        for _ in 0..<8 {
            crc <<= 1
            if (crc & 0x1000000) != 0 {
                crc ^= CRC24_POLY
            }
        }
    }
    return crc & 0xFFFFFF
}

那么你可以做:

let dataBytes: [UInt8] = ...
let checksum1 = crc(for: dataBytes) // 1890961

let data: Data = ...
let checksum2 = crc(for: data)      // 1890961

在上面,我还删除了分号并使用了稍微快捷的方法命名约定。