Objective-C警告,使用未声明的标识符'new'

时间:2012-12-13 02:56:11

标签: ios byte nsdata zlib

我收到此错误

使用未声明的标识符'new'

在这行代码上

Byte* decompressedBytes = new Byte[COMPRESSION_BLOCK];

这是我的方法,这行代码出现在。

//  Returns the decompressed version if the zlib compressed input data or nil if there was an error
+ (NSData*) dataByDecompressingData:(NSData*)data{
    Byte* bytes = (Byte*)[data bytes];
    NSInteger len = [data length];
    NSMutableData *decompressedData = [[NSMutableData alloc] initWithCapacity:COMPRESSION_BLOCK];
    Byte* decompressedBytes = new Byte[COMPRESSION_BLOCK];

    z_stream stream;
    int err;
    stream.zalloc = (alloc_func)0;
    stream.zfree = (free_func)0;
    stream.opaque = (voidpf)0;

    stream.next_in = bytes;
    err = inflateInit(&stream);
    CHECK_ERR(err, @"inflateInit");

    while (true) {
        stream.avail_in = len - stream.total_in;
        stream.next_out = decompressedBytes;
        stream.avail_out = COMPRESSION_BLOCK;
        err = inflate(&stream, Z_NO_FLUSH);
        [decompressedData appendBytes:decompressedBytes length:(stream.total_out-[decompressedData length])];
        if(err == Z_STREAM_END)
            break;
        CHECK_ERR(err, @"inflate");
    }

    err = inflateEnd(&stream);
    CHECK_ERR(err, @"inflateEnd");

    delete[] decompressedBytes;
    return decompressedData;
}

我不确定为什么会出现这样的情况。这段代码来自ObjectiveZlib并且已经多次读过它并且我没有尝试在我自己的代码中使用它来解压缩zlib NSData对象,但是这让我无法继续进行。

任何帮助将不胜感激。

2 个答案:

答案 0 :(得分:5)

此代码是Objective-C ++。您正在尝试将其编译为Objective-C。将文件重命名为.mm而不是.m,并且它应该可以正常工作。

具体来说,newdelete运算符是C ++运算符。它们不存在于C. Objective-C是C的超集,Objective-C ++是C ++的超集。然而,由于这些似乎是此代码中唯一的C ++ - 主义,如果您更愿意使用Objective-C,则可以通过替换两行来修复它:

  1. new Byte[COMPRESSION_BLOCK]替换为(Byte*)malloc(sizeof(Byte) * COMPRESSION_BLOCK)
  2. delete[] decompressedBytes替换为free(decompressedBytes)

答案 1 :(得分:1)

new是一个C ++构造,而不是Objective-C。在上面的代码中,它可能应该是

Byte* decompressedBytes = (Byte*) malloc(COMPRESSION_BLOCK);

同样delete[] ...行应替换为

free(decompressedBytes);

更类似于Objective-C的解决方案是使用NSMutableData

Byte *decompressedBytes = (Byte*)
   [[NSMutableData dataWithLength: COMPRESSION_BLOCK] mutableBytes];

在这种情况下,您不需要发布它(或[[NSMutableData alloc] initWithLength:...]并发布上述版本)。