0

我有一个应用程序正在从 S3 存储桶下载大量图片。下载它们后,我将使用以下代码平铺它们。

- (void)saveTilesOfSize:(CGSize)size 
               forImage:(UIImage*)image 
            toDirectory:(NSString*)directoryPath 
            usingPrefix:(NSString*)prefix
{
    CGFloat cols = [image size].width / size.width;
    CGFloat rows = [image size].height / size.height;

    NSLog(@"cols: %f rows: %f", cols, rows);

    int fullColumns = floorf(cols);
    int fullRows = floorf(rows);

    CGFloat remainderWidth = [image size].width - 
    (fullColumns * size.width);
    CGFloat remainderHeight = [image size].height - 
    (fullRows * size.height);


    if (cols > fullColumns) fullColumns++;
    if (rows > fullRows) fullRows++;

    CGImageRef fullImage = [image CGImage];

    int tilecount = 0;

    for (int y = 0; y < fullRows; ++y) {
        for (int x = 0; x < fullColumns; ++x) {
            tilecount++;
            CGSize tileSize = size;
            if (x + 1 == fullColumns && remainderWidth > 0) {
                // Last column
                tileSize.width = remainderWidth;
            }
            if (y + 1 == fullRows && remainderHeight > 0) {
                // Last row
                tileSize.height = remainderHeight;
            }

            CGImageRef tileImage = CGImageCreateWithImageInRect(fullImage, 
                                                                (CGRect){{x*size.width, y*size.height}, 
                                                                    tileSize});
            NSData *imageData = UIImagePNGRepresentation([UIImage imageWithCGImage:tileImage]);
            NSString *path = [NSString stringWithFormat:@"%@/%@%d_%d.png", 
                              directoryPath, prefix, x, y];
            [imageData writeToFile:path atomically:NO];

            float prg = tilecount/200.0;
            [self performSelectorOnMainThread:@selector(setTileProgress:) withObject:[[NSNumber alloc] initWithFloat:prg] waitUntilDone:NO];
        }
    }
    [self performSelectorOnMainThread:@selector(setTileProgress:) withObject:[[NSNumber alloc] initWithFloat:100.0] waitUntilDone:NO];
}

这可以很好地生成最大缩放的图块,但我也需要生成缩放的图块。我在想我可以像下面的代码一样获取 UIImage 并对其进行缩放,然后简单地将缩放后的图像与缩放参数一起传递给修改后的 saveTilesOfSize 方法,以生成其他缩放图像(500、250、125)。

UIImage *scaledImage = [UIImage imageWithCGImage:[originalImage CGImage] scale:0.125 orientation:UIImageOrientationUp];

这会如我所愿吗?

4

1 回答 1

2

是的,那没有用。initWithCGImage:scale:orientation 仅更改 size 属性报告的大小,它不会对图像进行任何实际缩放。

我最终走这条路:http:
//iosdevelopertips.com/graphics/how-to-scale-an-image-using-an-objective-c-category.html

奇迹般有效。

有状态的

于 2011-12-23T05:38:31.620 回答