Как преобразовать bytearray в изображение в Objective-C - PullRequest
2 голосов
/ 04 октября 2011

Это случай
у меня есть беззнаковый указатель char на данные изображения BMP
после того, как я зациклился с указателем, я получил байтовый массив, содержащий значения int 0 - 255

Что я хочупреобразуйте эти значения в массиве в изображение BMP, чтобы отобразить его в UIImage.

** изображение в оттенках серого

Ответы [ 3 ]

3 голосов
/ 04 октября 2011

Этот фрагмент кода взят из этого блога , я рекомендую вам посмотреть его и сайт проекта в Github

Также обратите внимание, что этот метод класса работает дляИзображения RGB8, поэтому вам нужно будет внести изменения в bitsPerPixel (должно быть 8 для оттенков серого), bytesPerRow (1 * ширина), bufferLength (удалить * 4) и создать colorSpaceRef, используя CGColorCreateGenericGray вместо.

Также я заметил, что создание цветового пространства с помощью CGColorCreateGenericGray предполагает, что в вашем массиве есть альфа-информация.Поэтому, возможно, вам следует добавить альфа-байт для каждого пикселя, чтобы он работал правильно.

+ (UIImage *) convertBitmapRGBA8ToUIImage:(unsigned char *) buffer 
            withWidth:(int) width
           withHeight:(int) height {


    size_t bufferLength = width * height * 4;
    CGDataProviderRef provider = CGDataProviderCreateWithData(NULL, buffer, bufferLength, NULL);
    size_t bitsPerComponent = 8;
    size_t bitsPerPixel = 32;
    size_t bytesPerRow = 4 * width;

    CGColorSpaceRef colorSpaceRef = CGColorSpaceCreateDeviceRGB();
    if(colorSpaceRef == NULL) {
        NSLog(@"Error allocating color space");
        CGDataProviderRelease(provider);
        return nil;
    }

    CGBitmapInfo bitmapInfo = kCGBitmapByteOrderDefault | kCGImageAlphaPremultipliedLast;
    CGColorRenderingIntent renderingIntent = kCGRenderingIntentDefault;

    CGImageRef iref = CGImageCreate(width, 
                height, 
                bitsPerComponent, 
                bitsPerPixel, 
                bytesPerRow, 
                colorSpaceRef, 
                bitmapInfo, 
                provider,   // data provider
                NULL,       // decode
                YES,            // should interpolate
                renderingIntent);

    uint32_t* pixels = (uint32_t*)malloc(bufferLength);

    if(pixels == NULL) {
        NSLog(@"Error: Memory not allocated for bitmap");
        CGDataProviderRelease(provider);
        CGColorSpaceRelease(colorSpaceRef);
        CGImageRelease(iref);       
        return nil;
    }

    CGContextRef context = CGBitmapContextCreate(pixels, 
                 width, 
                 height, 
                 bitsPerComponent, 
                 bytesPerRow, 
                 colorSpaceRef, 
                 bitmapInfo); 

    if(context == NULL) {
        NSLog(@"Error context not created");
        free(pixels);
    }

    UIImage *image = nil;
    if(context) {

        CGContextDrawImage(context, CGRectMake(0.0f, 0.0f, width, height), iref);

        CGImageRef imageRef = CGBitmapContextCreateImage(context);

        // Support both iPad 3.2 and iPhone 4 Retina displays with the correct scale
        if([UIImage respondsToSelector:@selector(imageWithCGImage:scale:orientation:)]) {
            float scale = [[UIScreen mainScreen] scale];
            image = [UIImage imageWithCGImage:imageRef scale:scale orientation:UIImageOrientationUp];
        } else {
            image = [UIImage imageWithCGImage:imageRef];
        }

        CGImageRelease(imageRef);   
        CGContextRelease(context);  
    }

    CGColorSpaceRelease(colorSpaceRef);
    CGImageRelease(iref);
    CGDataProviderRelease(provider);

    if(pixels) {
        free(pixels);
    }   
    return image;
}
3 голосов
/ 04 октября 2011

Я бы вообразил что-то подобное. Не проверено, так что будьте готовы настроить:)

UIImage *yourImage = [UIImage imageWithData: [NSData dataWithBytes: yourCharPointer length : sizeof(yourCharPointer)]];
1 голос
/ 22 августа 2017

Поскольку принят длинный ответ, я написал другое решение:

- (UIImage*) imageFromArray:(const char*)pixelArray width:(int)width height:(int)height {

    int imageSizeInPixels = width * height;
    int bytesPerPixel = 2; // 1 byte for brightness, 1 byte for alpha
    unsigned char *pixels = (unsigned char *)malloc(imageSizeInPixels * bytesPerPixel);
    memset(pixels, 255, imageSizeInPixels * bytesPerPixel); // setting alpha values to 255
    for (int i = 0; i < imageSizeInPixels; i++) {
        pixels[i * 2] = pixelArray[i]; // writing array of bytes as image brightnesses
    }

    CGColorSpaceRef colorSpace = CGColorSpaceCreateDeviceGray();
    CGDataProviderRef provider = CGDataProviderCreateWithData(NULL, pixels, imageSizeInPixels * bytesPerPixel, NULL);
    CGImageRef cgImage = CGImageCreate(width, height, 8, 8 * bytesPerPixel, width * bytesPerPixel, colorSpace, kCGImageAlphaPremultipliedLast | kCGBitmapByteOrder32Big, provider, NULL, false, kCGRenderingIntentDefault);
    UIImage *image = [UIImage imageWithCGImage:cgImage];

    return image;
}
...