imagehelper


Nameimagehelper JSON
Version 0.7.0 PyPI version JSON
download
home_pagehttp://github.com/jvanasco/imagehelper
SummarySimple utilites for image resizing and uploading and stuff like that.
upload_time2023-08-31 16:39:22
maintainer
docs_urlNone
authorJonathan Vanasco
requires_python
licenseBSD
keywords
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            ![Python package](https://github.com/jvanasco/imagehelper/workflows/Python%20package/badge.svg)

## Overview

The `imagehelper` package offers a simple interface for image resizing,
optimizing and uploading image assets. Core image resizing operations are handled
by the `Pillow` (PIL) package; S3 uploading is handled by `boto3`, and there are
hooks for optimizing the images with the commandline tools: `advpng`, `gifsicle`,
`jpegtran`, `jpegoptim`, `optipng` and `pngcrush.`

This library does not actually resize the images, it is used to define "recipes"
for resizing images with Pillow and uploading them to S3 with boto3.

## About

`imagehelper` is a fork of internal image helping routines that were built for
FindMeOn.com around 2005. It has been actively maintained as an open source
project since at least 2012.

`imagehelper` allows you to define a schema for resizing images as a simple
`dict`, and will then easily resize them.

`imagehelper` also supports uploading the resized images - and an archival
version - onto Amazon's S3 service.

`imagehelper` requires `Pillow`. Earlier versions relied on `PIL` or supported
both. This really is an old package!

This package will try to import `boto3` for communicating with AmazonS3.
If you don't want to use S3, no worries - that is only optional and you can save
to a local file.

The package was originally aimed at thumbnails, but it works for all resizing
needs that are aimed at downsampling images.

If you have optimization applications like `gifsicle`, `pngcrush` and `jpegtran`
installed in your environment, you can 'optimize' the output (and archive) files.

This is a barebones package that has NO FRAMEWORK DEPENDENCIES - which is a good
thing. You define image transformation recipes using a simple dict, the
package does the rest.

This package also tries to avoid writing to disk whenever possible, tempfiles
(spooled) are avoided unless an external program is called. This package tries to
pipe everything through file-like in-memory objects.

I could only find a single tool for resizing thumbnails on PyPi that did not
require a framework, and that's really annoying.

The package is a bit awkard to use for a single task, but it was designed for
repetitive tasks - as in a web application.

A typical usage is illustrated in the sections below. Also check the `demo.py`
file to see how flexible this can be.

This package has been used in production for over a decade.

It supports Python2.7 and Python3. A lot of things could be done better and
should be done better, but this works and is relatively fast.


## Why ?

Imagine that you have a site that allows for user generated uploads, or you
want to make video stills...

You can create a schema of image sizes...

    IMAGE_SIZES = {
        'thumb': {
            'width': 32,
            'height': 32,
            'save_quality': 50,
            'suffix': 't1',
            'format':'JPEG',
            'constraint-method': 'fit-within',
            'filename_template': '%(guid)s-120x120.%(format)s',
        },
        'og:image': {
            'width': 200,
            'height': 200,
            'save_quality': 50,
            'suffix': 'og',
            'format':'JPEG',
            'constraint-method': 'ensure-minimum',
            'filename_template': '%(guid)s-og.%(format)s',
        },
    }

And easily upload them:

    # create some configs in your app

    # config object for IMAGE_SIZES
    resizerConfig = imagehelper.resizer.ResizerConfig(
        resizesSchema=IMAGE_SIZES,
        optimize_original=True,
        optimize_resized=True,
    )

    # config object for S3
    saverConfig= imagehelper.saver.s3.SaverConfig(
        key_public = AWS_KEY_PUBLIC,
        key_private = AWS_KEY_SECRET,
        bucket_public_name = AWS_BUCKET_PUBLIC,
        bucket_archive_name = AWS_BUCKET_ARCHIVE,
    )

    # create some factories.
    # factories are unnecessary. they just generate the workhorse objects for you
    # they're very useful for cutting down code
    # build one, then stash in your app

    USE_FACTORY = True
    if USE_FACTORY:
        rFactory = imagehelper.resizer.ResizerFactory(resizerConfig=resizerConfig)
        s3Factory = imagehelper.saver.s3.s3ManagerFactory(saverConfig=saverConfig, resizerConfig=rConfig, saverLogger=saverLogger)

        resizer = rFactory.resizer()
        s3Manager = s3Factory.manager()

    else:
        resizer = imagehelper.resizer.Resizer(resizerConfig=resizerConfig)
        s3Manager = imagehelper.saver.s3.s3Manager(saverConfig=saverConfig, resizerConfig=resizerConfig, saverLogger=saverLogger)

    # resize !
    resizedImages = resizer.resize(imagefile=get_imagefile())

    # upload the resized items
    uploaded_files = s3Manager.files_save(resizedImages, guid="123")

    # want to delete them?
    deleted = s3Manager.files_delete(uploaded_files)

Behind the scenes, imagehelper does all the math and uploading.


## Resizing Options

* `fit-within`
> Resizes item to fit within the bounding box, on both height and width.
> The resulting image will be the size of the bounding box or smaller.

* `fit-within:crop-to`
> Resizes the item along whichever axis ensures the bounding box is 100% full, then crops.
> The resulting image will be the size of the bounding box.

* `fit-within:ensure-width`
> Resizes item to fit within the bounding box, scaling height to ensure 100% width.
> The resulting image will be the size of the bounding box.

* `fit-within:ensure-height`
> Resizes item to fit within the bounding box, scaling width to ensure 100% height.
> The resulting image will be the size of the bounding box.

* `smallest:ensure-minimum`
> Resizes the item to cover the bounding box on both axis.
> One dimension may be larger than the bounding box.

* `exact:no-resize`
> Do not scale! Raises an exception if a scale must be made.
> This is a convenience for just saving/re-encoding files.
> For example, 100x100 must receive an image that is 100x100.

* `exact:proportion`
> Attempt to scale the image to an exact size. Raise an exception if it can't.
> Usually this is used to resample a 1:1 image, however this might be used to drop
> an image to a specific proportion. i.e. 300x400 can scale to 30x40, 300x400
> but not 30x50.


## Usage...

Check out the demo.py module - it offers a narrative demo of how to use the
package. Be sure to include some Amazon S3 credentials in your environment.

imagehelper is NOT designed for one-off resizing needs.
it's designed for a use in applications where you're repeatedly doing the same resizing.

The general program flow is this:

1. Create `Configuration` objects to hold instructions
2. Create `Factory` objects to hold the `Configuration` objects.
3. Obtain a `Worker` object from the `Factory` to do the actual work (resizing or uploading)

You should typically create "Configuration" and "Factory" objects during
application startup, and create/destroy a work for each request or event.

Here's a more in depth description

1. Create a dict of "photo resizes" describing your schema.

* keys prepended with `save_` are passed on to PIL during the call to `save`
  (the prefix is removed)
* you can decide what type of resizing you want.  sometimes you want to crop,
  other times you want to fit within a box, other times you want to ensure a
  height or width. this makes your designers happy.

2. create an array of `image_resizes_selected` -- the keys in the above schema
   you want to resize.

3. you can pass these arguments into the routines themselves, or generate a
   `imagehelper.resizer.ResizerConfig` object or a `imagehelper.resizer.ResizerFactory`
   that you stash into your application.

4. If you're saving to AmazonS3, create an `imagehelper.saver.s3.SaverConfig`
   config object to store your info. note that you can specify a public and
   private bucket.

   * resized thumbnails are saved to the public bucket
   * the original item is optionally saved to the archive, which is not viewable to the public.
     this is so you can do different sizing schemes in the future.

5. You can define your own Amazon S3 logger, a class that provides two methods:

    <code><pre>
    class SaverLogger(object):
        def log_save(self, bucket_name=None, key=None, file_size=None, file_md5=None):
            pass
        def log_delete(self, bucket_name=None, key=None):
            pass
    </pre></code>

This will allow you to log what is uploaded into Amazon AWS on your side.
This is hugely helpful, because Amazon uploads are not transaction safe to your
application logic. There are some built-in precautions for this... but it's best
to play things safely.

Items are currented saved to Amazon S3 as such:

Public:

* Template: `%(guid)s-%(suffix)s.%(format)s`
* Tokens:
  * `guid`: you must supply a guid for the file
  * `suffix`: this is set in the resize schema
  * `format`: this is dictated by the PIL format type

Archive:

* Template: `%(guid)s.%(format)s`
* Tokens:
  * `guid`: you must supply a guid for the file
  * `format`: this is dictated by the original format type PIL found

Here is an example photo_resize schema:

    'jpeg_thumbnail-120': {
        'width': 120,
        'height': 120,
        'save_quality': 50,
        'suffix': 't120',
        'format':'JPEG',
        'constraint-method': 'fit-within',
        's3_bucket_public': 'my-test',
        'filename_template': '%(guid)s-%(suffix)s.%(format)s',
    },


This would create a file on Amazon S3 with a `guid` you supply, such as `123123123`:

    /my-test/123123123-t120.jpg
    _bucket_/_guid_-_suffix_._format_

string templates may be used to affect how this is saved. read the source for more info.

## Transactional Support

If you upload something via `imagehelper.saver.s3.S3Uploader().s3_upload()`, the
task is considered to be "all or nothing".

The actual uploading occurs within a try/except block, and a failure will "rollback"
and delete everything that has been successfully uploaded.

If you want to integrate with something like the Zope `transaction` package, `imagehelper.saver.s3.S3Uploader().files_delete()` is a public function that
expects as input the output of the `s3_upload` function -- a `dict` of `tuples`
where the `keys` are resize names (from the schema) and the `values` are the
`(filename, bucket)`.

You can also define a custom subclass of `imagehelper.saver.s3.SaverLogger` that
supports the following methods:

* `log_save`(`self`, `bucket_name`=None, `key`=None, `file_size`=None, `file_md5`=None)
* `log_delete`(`self`, `bucket_name`=None, `key`=None)

Every successful 'action' is sent to the logger. A valid transaction to upload 5
sizes will have 5 calls to `log_save`, an invalid transaction will have a
`log_delete` call for every successful upload.

This was designed for a variety of use cases:

* log activity to a file or non-transactional database connection, you get some
  efficient bookkeeping of s3 activity and can audit those files to ensure there
  is no orphan data in your s3 buckts.
* log activity to StatsD or another metrics app to show how much activity goes on


## FAQ - package components

* `errors` - custom exceptions
* `image_wrapper` - actual image reading/writing, resize operations
* `resizer` - manage resizing operations
* `s3` - manage s3 communication
* `utils` - miscellaneous utility fucntions


## FAQ - deleting existing files ?

If you don't have a current mapping of the files to delete in s3 but you do have
the archive filename and a guid, you can easily generate what they would be based
off a resizerConfig/schema and the archived filename.

    ## fake the sizes that would be generated off a resize
    resizer = imagehelper.resizer.Resizer(
        resizerConfig=resizerConfig,
        optimize_original=True,
        optimize_resized=True,
    )
    fakedResizedImages = resizer.fake_resultset(
        original_filename=archive_filename
    )

    ## generate the filenames
    deleter = imagehelper.saver.s3.SaverManager(
        saverConfig=saverConfig, resizerConfig=resizerConfig
    )
    targetFilenames = build.generate_filenames(fakedResizedImages, guid)

The `original_filename` is needed in `fake_resultset`, because a resultset tracks
the original file and it's type. As of the `0.1.0` branch, only the extension
of the filename is utilized.


## FAQ - validate uploaded image ?

This is simple.

1. Create a dumb resizer factory

    nullResizerFactory = imagehelper.resizer.ResizerFactory()

2. Validate it

    try:
        resizer = nullResizerFactory.resizer(
            imagefile = uploaded_image_file,
        )
    except imagehelper.errors.ImageError_Parsing as exc:
        raise ValueError('Invalid Filetype')

    # grab the original file for advanced ops
    resizerImage = resizer.get_original()
    if resizerImage.file_size > MAX_FILESIZE_PHOTO_UPLOAD:
        raise ValueError('Too Big!')


Passing an imagefile to `ResizerFactory.resizer` or `Resizer.__init__` will
register the file with the resizer. This action creates an
`image_wrapper.ImageWrapper` object from the file, which contains the original
file and a PIL/Pillow object. If PIL/Pillow can not read the file, an error
will be raised.


## FAQ - what sort of file types are supported ?

All the reading and resizing of image formats happens in PIL/Pillow.

imagehelper tries to support most common file objects

`imagehelper.image_wrapper.ImageWrapper` our core class for reading files,
supports reading the following file types

* `file (native python object, i.e. `types.FileType`)
* `cgi.FieldStorage`
* `StringIO.StringIO`, `cStringIO.InputType`, `cStringIO.OutputType`

We try to "be kind and rewind" and call `seek(0)` on the underlying file when
appropriate - but sometimes we forget.

The resize operations accepts the following file kwargs:

* `imagefile` -- one of the above file objects
* `imageWrapper` -- an instance of `imagehelper.image_wrapper.ImageWrapper`
* `file_b64` -- a base64 encoded file datastream. this will decoded into a
`cStringIO` object for operations.


## FAQ - using celery ?

Celery message brokers require serialized data.

In order to pass the task to celery, you will need to serialize/deserialize the
data. imagehelper provides convenience functionality for this

    nullResizerFactory = imagehelper.resizer.ResizerFactory()
    resizer = nullResizerFactory.resizer(
        imagefile = uploaded_file,
    )

    # grab the original file for advanced ops
    resizerImage = resizer.get_original()

    # serialize the image
    instructions = {
        'image_md5': resizerImage.file_md5,
        'image_b64': resizerImage.file_b64,
        'image_format': resizerImage.format,
    }

    # send to celery
    deferred_task = celery_tasks.do_something.apply_async((id, instructions,))


    # in celery...
    @task
    def do_something(id, instructions):
        ## resize the images
        resizer = resizerFactory.resizer(
            file_b64 = instructions['image_b64'],
        )
        resizedImages = resizer.resize()


## How are optimizations handled?

Image optimizations are handled by piping the image through external programs.
The idea (and settings) were borrowed from the mac app
ImageOptim (https://github.com/pornel/ImageOptim or https://imageoptim.com/)

The default image Optimizations are LOSSLESS

Fine-grained control of image optimization strategies is achieved on a package
level basis. In the future this could be handled within configuration objects.
This strategy was chosen for 2 reasons:

1. The config objects were getting complex
2. Choosing an image optimization level is more of a "machine" concern than a
   "program" concern.

Not everyone has every program installed on their machines.

`imagehelper` will attempt to autodetect what is available on the first
invocation of `.optimize`

If you are on a forking server, you can do this before the fork and save yourself
a tiny bit of cpu cycles. yay.

    import imagehelper
    imagehelper.image_wrapper.autodetect_support()

The `autodetect_support` routing will set

    imagehelper.image_wrapper[ program ]['available']

If you want to enable/disable them manuall, just edit

    imagehelper.image_wrapper[ program ]['use']

You can also set a custom binary

    imagehelper.image_wrapper[ program ]['binary']

Autodetection is handled by invoking each program's help command to see if it is
installed.


### JPEG

jpegs are optimized in a two-stage process.

    jpegtran is used to do an initial optimization and ensure a progressive jpeg.
    all jpeg markers are preserved.
    jpegoptim is used on the output of the above, in this stage all jpeg markers
    are removed.

The exact arguments are:

    """jpegtran -copy all -optimize -progressive -outfile %s %s""" % (fileOutput.name, fileInput.name)
    """jpegoptim --strip-all -q %s""" % (fileOutput.name, )

### GIF

Gifsicle is given the following params
    -O3
    --no-comments
    --no-names
    --same-delay
    --same-loopcount
    --no-warnings

The `03` level can be affected by changing the package level variable to a new integer (1-3)

    imagehelper.image_wrapper.OPTIMIZE_GIFSICLE_LEVEL = 3


### PNG

The package will try to use multiple png operators in sequence.

You can disable any png operator by changing the package level variable to `False`

    OPTIMIZE_PNGCRUSH_USE = True
    OPTIMIZE_OPTIPNG_USE = True
    OPTIMIZE_ADVPNG_USE = True

#### pngcrush

    pngcrush -rem alla -nofilecheck -bail -blacken -reduce -cc

#### optipng

    optipng -i0 -o3

The optipng level can be set by setting the package level variable to a new integer (1-3)

    OPTIMIZE_OPTIPNG_LEVEL = 3  # 6 would be best

#### advpng

    advpng -4 -z

The advpng level can be set by setting the package level variable to a new integer (1-4)

    OPTIMIZE_ADVPNG_LEVEL = 4  # 4 is max


### what external libraries are needed to be installed

None. These are all optional!  But here you go


#### ubuntu

    apt-get install advancecomp  # advpng
    apt-get install gifsicle
    apt-get install libjpeg-turbo-progs  # jpegtran
    apt-get install jpegoptim
    apt-get install optipng
    apt-get install pngcrush


## ToDo

See `TODO.txt`


## License

The code is licensed under the BSD license.

The sample image is licensed under the Creative Commons
Attribution-NonCommercial-NoDerivs 3.0 Unported (CC BY-NC-ND 3.0) http://creativecommons.org/licenses/by-nc-nd/3.0/



            

Raw data

            {
    "_id": null,
    "home_page": "http://github.com/jvanasco/imagehelper",
    "name": "imagehelper",
    "maintainer": "",
    "docs_url": null,
    "requires_python": "",
    "maintainer_email": "",
    "keywords": "",
    "author": "Jonathan Vanasco",
    "author_email": "jonathan@findmeon.com",
    "download_url": "https://files.pythonhosted.org/packages/ce/44/f7351a7f498b7a59fda2a7cc8276182db6f6f34c00b08d123174abbf5bcb/imagehelper-0.7.0.tar.gz",
    "platform": null,
    "description": "![Python package](https://github.com/jvanasco/imagehelper/workflows/Python%20package/badge.svg)\n\n## Overview\n\nThe `imagehelper` package offers a simple interface for image resizing,\noptimizing and uploading image assets. Core image resizing operations are handled\nby the `Pillow` (PIL) package; S3 uploading is handled by `boto3`, and there are\nhooks for optimizing the images with the commandline tools: `advpng`, `gifsicle`,\n`jpegtran`, `jpegoptim`, `optipng` and `pngcrush.`\n\nThis library does not actually resize the images, it is used to define \"recipes\"\nfor resizing images with Pillow and uploading them to S3 with boto3.\n\n## About\n\n`imagehelper` is a fork of internal image helping routines that were built for\nFindMeOn.com around 2005. It has been actively maintained as an open source\nproject since at least 2012.\n\n`imagehelper` allows you to define a schema for resizing images as a simple\n`dict`, and will then easily resize them.\n\n`imagehelper` also supports uploading the resized images - and an archival\nversion - onto Amazon's S3 service.\n\n`imagehelper` requires `Pillow`. Earlier versions relied on `PIL` or supported\nboth. This really is an old package!\n\nThis package will try to import `boto3` for communicating with AmazonS3.\nIf you don't want to use S3, no worries - that is only optional and you can save\nto a local file.\n\nThe package was originally aimed at thumbnails, but it works for all resizing\nneeds that are aimed at downsampling images.\n\nIf you have optimization applications like `gifsicle`, `pngcrush` and `jpegtran`\ninstalled in your environment, you can 'optimize' the output (and archive) files.\n\nThis is a barebones package that has NO FRAMEWORK DEPENDENCIES - which is a good\nthing. You define image transformation recipes using a simple dict, the\npackage does the rest.\n\nThis\u00a0package also tries to avoid writing to disk whenever possible, tempfiles\n(spooled) are avoided unless an external program is called. This package tries to\npipe everything through file-like in-memory objects.\n\nI could only find a single tool for resizing thumbnails on PyPi that did not\nrequire a framework, and that's really annoying.\n\nThe package is a bit awkard to use for a single task, but it was designed for\nrepetitive tasks - as in a web application.\n\nA typical usage is illustrated in the sections below. Also check the `demo.py`\nfile to see how flexible this can be.\n\nThis package has been used in production for over a decade.\n\nIt supports Python2.7 and Python3. A lot of things could be done better and\nshould be done better, but this works and is relatively fast.\n\n\n## Why ?\n\nImagine that you have a site that allows for user generated uploads, or you\nwant to make video stills...\n\nYou can create a schema of image sizes...\n\n    IMAGE_SIZES = {\n        'thumb': {\n            'width': 32,\n            'height': 32,\n            'save_quality': 50,\n            'suffix': 't1',\n            'format':'JPEG',\n            'constraint-method': 'fit-within',\n            'filename_template': '%(guid)s-120x120.%(format)s',\n        },\n        'og:image': {\n            'width': 200,\n            'height': 200,\n            'save_quality': 50,\n            'suffix': 'og',\n            'format':'JPEG',\n            'constraint-method': 'ensure-minimum',\n            'filename_template': '%(guid)s-og.%(format)s',\n        },\n    }\n\nAnd easily upload them:\n\n    # create some configs in your app\n\n    # config object for IMAGE_SIZES\n    resizerConfig = imagehelper.resizer.ResizerConfig(\n        resizesSchema=IMAGE_SIZES,\n        optimize_original=True,\n        optimize_resized=True,\n    )\n\n    # config object for S3\n    saverConfig= imagehelper.saver.s3.SaverConfig(\n        key_public = AWS_KEY_PUBLIC,\n        key_private = AWS_KEY_SECRET,\n        bucket_public_name = AWS_BUCKET_PUBLIC,\n        bucket_archive_name = AWS_BUCKET_ARCHIVE,\n    )\n\n    # create some factories.\n    # factories are unnecessary. they just generate the workhorse objects for you\n    # they're very useful for cutting down code\n    # build one, then stash in your app\n\n    USE_FACTORY = True\n    if USE_FACTORY:\n        rFactory = imagehelper.resizer.ResizerFactory(resizerConfig=resizerConfig)\n        s3Factory = imagehelper.saver.s3.s3ManagerFactory(saverConfig=saverConfig, resizerConfig=rConfig, saverLogger=saverLogger)\n\n        resizer = rFactory.resizer()\n        s3Manager = s3Factory.manager()\n\n    else:\n        resizer = imagehelper.resizer.Resizer(resizerConfig=resizerConfig)\n        s3Manager = imagehelper.saver.s3.s3Manager(saverConfig=saverConfig, resizerConfig=resizerConfig, saverLogger=saverLogger)\n\n    # resize !\n    resizedImages = resizer.resize(imagefile=get_imagefile())\n\n    # upload the resized items\n    uploaded_files = s3Manager.files_save(resizedImages, guid=\"123\")\n\n    # want to delete them?\n    deleted = s3Manager.files_delete(uploaded_files)\n\nBehind the scenes, imagehelper does all the math and uploading.\n\n\n## Resizing Options\n\n* `fit-within`\n> Resizes item to fit within the bounding box, on both height and width.\n> The resulting image will be the size of the bounding box or smaller.\n\n* `fit-within:crop-to`\n> Resizes the item along whichever axis ensures the bounding box is 100% full, then crops.\n> The resulting image will be the size of the bounding box.\n\n* `fit-within:ensure-width`\n> Resizes item to fit within the bounding box, scaling height to ensure 100% width.\n> The resulting image will be the size of the bounding box.\n\n* `fit-within:ensure-height`\n> Resizes item to fit within the bounding box, scaling width to ensure 100% height.\n> The resulting image will be the size of the bounding box.\n\n* `smallest:ensure-minimum`\n> Resizes the item to cover the bounding box on both axis.\n> One dimension may be larger than the bounding box.\n\n* `exact:no-resize`\n> Do not scale! Raises an exception if a scale must be made.\n> This is a convenience for just saving/re-encoding files.\n> For example, 100x100 must receive an image that is 100x100.\n\n* `exact:proportion`\n> Attempt to scale the image to an exact size. Raise an exception if it can't.\n> Usually this is used to resample a 1:1 image, however this might be used to drop\n> an image to a specific proportion. i.e. 300x400 can scale to 30x40, 300x400\n> but not 30x50.\n\n\n## Usage...\n\nCheck out the demo.py module - it offers a narrative demo of how to use the\npackage. Be sure to include some Amazon S3 credentials in your environment.\n\nimagehelper is NOT designed for one-off resizing needs.\nit's designed for a use in applications where you're repeatedly doing the same resizing.\n\nThe general program flow is this:\n\n1. Create `Configuration` objects to hold instructions\n2. Create `Factory` objects to hold the `Configuration` objects.\n3. Obtain a `Worker` object from the `Factory` to do the actual work (resizing or uploading)\n\nYou should typically create \"Configuration\" and \"Factory\" objects during\napplication startup, and create/destroy a work for each request or event.\n\nHere's a more in depth description\n\n1. Create a dict of \"photo resizes\" describing your schema.\n\n* keys prepended with `save_` are passed on to PIL during the call to `save`\n  (the prefix is removed)\n* you can decide what type of resizing you want.  sometimes you want to crop,\n  other times you want to fit within a box, other times you want to ensure a\n  height or width. this makes your designers happy.\n\n2. create an array of `image_resizes_selected` -- the keys in the above schema\n   you want to resize.\n\n3. you can pass these arguments into the routines themselves, or generate a\n   `imagehelper.resizer.ResizerConfig` object or a `imagehelper.resizer.ResizerFactory`\n   that you stash into your application.\n\n4. If you're saving to AmazonS3, create an `imagehelper.saver.s3.SaverConfig`\n   config object to store your info. note that you can specify a public and\n   private bucket.\n\n   * resized thumbnails are saved to the public bucket\n   * the original item is optionally saved to the archive, which is not viewable to the public.\n     this is so you can do different sizing schemes in the future.\n\n5. You can define your own Amazon S3 logger, a class that provides two methods:\n\n    <code><pre>\n    class SaverLogger(object):\n        def log_save(self, bucket_name=None, key=None, file_size=None, file_md5=None):\n            pass\n        def log_delete(self, bucket_name=None, key=None):\n            pass\n    </pre></code>\n\nThis will allow you to log what is uploaded into Amazon AWS on your side.\nThis is hugely helpful, because Amazon uploads are not transaction safe to your\napplication logic. There are some built-in precautions for this... but it's best\nto play things safely.\n\nItems are currented saved to Amazon S3 as such:\n\nPublic:\n\n* Template: `%(guid)s-%(suffix)s.%(format)s`\n* Tokens:\n  * `guid`: you must supply a guid for the file\n  * `suffix`: this is set in the resize schema\n  * `format`: this is dictated by the PIL format type\n\nArchive:\n\n* Template: `%(guid)s.%(format)s`\n* Tokens:\n  * `guid`: you must supply a guid for the file\n  * `format`: this is dictated by the original format type PIL found\n\nHere is an example photo_resize schema:\n\n    'jpeg_thumbnail-120': {\n        'width': 120,\n        'height': 120,\n        'save_quality': 50,\n        'suffix': 't120',\n        'format':'JPEG',\n        'constraint-method': 'fit-within',\n        's3_bucket_public': 'my-test',\n        'filename_template': '%(guid)s-%(suffix)s.%(format)s',\n    },\n\n\nThis would create a file on Amazon S3 with a `guid` you supply, such as `123123123`:\n\n    /my-test/123123123-t120.jpg\n    _bucket_/_guid_-_suffix_._format_\n\nstring templates may be used to affect how this is saved. read the source for more info.\n\n## Transactional Support\n\nIf you upload something via `imagehelper.saver.s3.S3Uploader().s3_upload()`, the\ntask is considered to be \"all or nothing\".\n\nThe actual uploading occurs within a try/except block, and a failure will \"rollback\"\nand delete everything that has been successfully uploaded.\n\nIf you want to integrate with something like the Zope `transaction` package, `imagehelper.saver.s3.S3Uploader().files_delete()` is a public function that\nexpects as input the output of the `s3_upload` function -- a `dict` of `tuples`\nwhere the `keys` are resize names (from the schema) and the `values` are the\n`(filename, bucket)`.\n\nYou can also define a custom subclass of `imagehelper.saver.s3.SaverLogger` that\nsupports the following methods:\n\n* `log_save`(`self`, `bucket_name`=None, `key`=None, `file_size`=None, `file_md5`=None)\n* `log_delete`(`self`, `bucket_name`=None, `key`=None)\n\nEvery successful 'action' is sent to the logger. A valid transaction to upload 5\nsizes will have 5 calls to `log_save`, an invalid transaction will have a\n`log_delete` call for every successful upload.\n\nThis was designed for a variety of use cases:\n\n* log activity to a file or non-transactional database connection, you get some\n  efficient bookkeeping of s3 activity and can audit those files to ensure there\n  is no orphan data in your s3 buckts.\n* log activity to StatsD or another metrics app to show how much activity goes on\n\n\n## FAQ - package components\n\n* `errors` - custom exceptions\n* `image_wrapper` - actual image reading/writing, resize operations\n* `resizer` - manage resizing operations\n* `s3` - manage s3 communication\n* `utils` - miscellaneous utility fucntions\n\n\n## FAQ - deleting existing files ?\n\nIf you don't have a current mapping of the files to delete in s3 but you do have\nthe archive filename and a guid, you can easily generate what they would be based\noff a resizerConfig/schema and the archived filename.\n\n    ## fake the sizes that would be generated off a resize\n    resizer = imagehelper.resizer.Resizer(\n        resizerConfig=resizerConfig,\n        optimize_original=True,\n        optimize_resized=True,\n    )\n    fakedResizedImages = resizer.fake_resultset(\n        original_filename=archive_filename\n    )\n\n    ## generate the filenames\n    deleter = imagehelper.saver.s3.SaverManager(\n        saverConfig=saverConfig, resizerConfig=resizerConfig\n    )\n    targetFilenames = build.generate_filenames(fakedResizedImages, guid)\n\nThe `original_filename` is needed in `fake_resultset`, because a resultset tracks\nthe original file and it's type. As of the `0.1.0` branch, only the extension\nof the filename is utilized.\n\n\n## FAQ - validate uploaded image ?\n\nThis is simple.\n\n1. Create a dumb resizer factory\n\n    nullResizerFactory = imagehelper.resizer.ResizerFactory()\n\n2. Validate it\n\n    try:\n        resizer = nullResizerFactory.resizer(\n            imagefile = uploaded_image_file,\n        )\n    except imagehelper.errors.ImageError_Parsing as exc:\n        raise ValueError('Invalid Filetype')\n\n    # grab the original file for advanced ops\n    resizerImage = resizer.get_original()\n    if resizerImage.file_size > MAX_FILESIZE_PHOTO_UPLOAD:\n        raise ValueError('Too Big!')\n\n\nPassing an imagefile to `ResizerFactory.resizer` or `Resizer.__init__` will\nregister the file with the resizer. This action creates an\n`image_wrapper.ImageWrapper` object from the file, which contains the original\nfile and a PIL/Pillow object. If PIL/Pillow can not read the file, an error\nwill be raised.\n\n\n## FAQ - what sort of file types are supported ?\n\nAll the reading and resizing of image formats happens in PIL/Pillow.\n\nimagehelper tries to support most common file objects\n\n`imagehelper.image_wrapper.ImageWrapper` our core class for reading files,\nsupports reading the following file types\n\n* `file (native python object, i.e. `types.FileType`)\n* `cgi.FieldStorage`\n* `StringIO.StringIO`, `cStringIO.InputType`, `cStringIO.OutputType`\n\nWe try to \"be kind and rewind\" and call `seek(0)` on the underlying file when\nappropriate - but sometimes we forget.\n\nThe resize operations accepts the following file kwargs:\n\n* `imagefile` -- one of the above file objects\n* `imageWrapper` -- an instance of `imagehelper.image_wrapper.ImageWrapper`\n* `file_b64` -- a base64 encoded file datastream. this will decoded into a\n`cStringIO` object for operations.\n\n\n## FAQ - using celery ?\n\nCelery message brokers require serialized data.\n\nIn order to pass the task to celery, you will need to serialize/deserialize the\ndata. imagehelper provides convenience functionality for this\n\n    nullResizerFactory = imagehelper.resizer.ResizerFactory()\n    resizer = nullResizerFactory.resizer(\n        imagefile = uploaded_file,\n    )\n\n    # grab the original file for advanced ops\n    resizerImage = resizer.get_original()\n\n    # serialize the image\n    instructions = {\n        'image_md5': resizerImage.file_md5,\n        'image_b64': resizerImage.file_b64,\n        'image_format': resizerImage.format,\n    }\n\n    # send to celery\n    deferred_task = celery_tasks.do_something.apply_async((id, instructions,))\n\n\n    # in celery...\n    @task\n    def do_something(id, instructions):\n        ## resize the images\n        resizer = resizerFactory.resizer(\n            file_b64 = instructions['image_b64'],\n        )\n        resizedImages = resizer.resize()\n\n\n## How are optimizations handled?\n\nImage optimizations are handled by piping the image through external programs.\nThe idea (and settings) were borrowed from the mac app\nImageOptim (https://github.com/pornel/ImageOptim or https://imageoptim.com/)\n\nThe default image Optimizations are LOSSLESS\n\nFine-grained control of image optimization strategies is achieved on a package\nlevel basis. In the future this could be handled within configuration objects.\nThis strategy was chosen for 2 reasons:\n\n1. The config objects were getting complex\n2. Choosing an image optimization level is more of a \"machine\" concern than a\n   \"program\" concern.\n\nNot everyone has every program installed on their machines.\n\n`imagehelper` will attempt to autodetect what is available on the first\ninvocation of `.optimize`\n\nIf you are on a forking server, you can do this before the fork and save yourself\na tiny bit of cpu cycles. yay.\n\n    import imagehelper\n    imagehelper.image_wrapper.autodetect_support()\n\nThe `autodetect_support` routing will set\n\n    imagehelper.image_wrapper[ program ]['available']\n\nIf you want to enable/disable them manuall, just edit\n\n    imagehelper.image_wrapper[ program ]['use']\n\nYou can also set a custom binary\n\n    imagehelper.image_wrapper[ program ]['binary']\n\nAutodetection is handled by invoking each program's help command to see if it is\ninstalled.\n\n\n### JPEG\n\njpegs are optimized in a two-stage process.\n\n    jpegtran is used to do an initial optimization and ensure a progressive jpeg.\n    all jpeg markers are preserved.\n    jpegoptim is used on the output of the above, in this stage all jpeg markers\n    are removed.\n\nThe exact arguments are:\n\n    \"\"\"jpegtran -copy all -optimize -progressive -outfile %s %s\"\"\" % (fileOutput.name, fileInput.name)\n    \"\"\"jpegoptim --strip-all -q %s\"\"\" % (fileOutput.name, )\n\n### GIF\n\nGifsicle is given the following params\n    -O3\n    --no-comments\n    --no-names\n    --same-delay\n    --same-loopcount\n    --no-warnings\n\nThe `03` level can be affected by changing the package level variable to a new integer (1-3)\n\n    imagehelper.image_wrapper.OPTIMIZE_GIFSICLE_LEVEL = 3\n\n\n### PNG\n\nThe package will try to use multiple png operators in sequence.\n\nYou can disable any png operator by changing the package level variable to `False`\n\n    OPTIMIZE_PNGCRUSH_USE = True\n    OPTIMIZE_OPTIPNG_USE = True\n    OPTIMIZE_ADVPNG_USE = True\n\n#### pngcrush\n\n    pngcrush -rem alla -nofilecheck -bail -blacken -reduce -cc\n\n#### optipng\n\n    optipng -i0 -o3\n\nThe optipng level can be set by setting the package level variable to a new integer (1-3)\n\n    OPTIMIZE_OPTIPNG_LEVEL = 3  # 6 would be best\n\n#### advpng\n\n    advpng -4 -z\n\nThe advpng level can be set by setting the package level variable to a new integer (1-4)\n\n    OPTIMIZE_ADVPNG_LEVEL = 4  # 4 is max\n\n\n### what external libraries are needed to be installed\n\nNone. These are all optional!  But here you go\n\n\n#### ubuntu\n\n    apt-get install advancecomp  # advpng\n    apt-get install gifsicle\n    apt-get install libjpeg-turbo-progs  # jpegtran\n    apt-get install jpegoptim\n    apt-get install optipng\n    apt-get install pngcrush\n\n\n## ToDo\n\nSee `TODO.txt`\n\n\n## License\n\nThe code is licensed under the BSD license.\n\nThe sample image is licensed under the Creative Commons\nAttribution-NonCommercial-NoDerivs 3.0 Unported (CC BY-NC-ND 3.0) http://creativecommons.org/licenses/by-nc-nd/3.0/\n\n\n",
    "bugtrack_url": null,
    "license": "BSD",
    "summary": "Simple utilites for image resizing and uploading and stuff like that.",
    "version": "0.7.0",
    "project_urls": {
        "Homepage": "http://github.com/jvanasco/imagehelper"
    },
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "ce44f7351a7f498b7a59fda2a7cc8276182db6f6f34c00b08d123174abbf5bcb",
                "md5": "21b8f9cf06e78c52badb90e1efa2ec30",
                "sha256": "d3643e1a08ed6fa3b4735f3e8d80655320cfc4668b35744861af9900599a7537"
            },
            "downloads": -1,
            "filename": "imagehelper-0.7.0.tar.gz",
            "has_sig": false,
            "md5_digest": "21b8f9cf06e78c52badb90e1efa2ec30",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 565462,
            "upload_time": "2023-08-31T16:39:22",
            "upload_time_iso_8601": "2023-08-31T16:39:22.583258Z",
            "url": "https://files.pythonhosted.org/packages/ce/44/f7351a7f498b7a59fda2a7cc8276182db6f6f34c00b08d123174abbf5bcb/imagehelper-0.7.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2023-08-31 16:39:22",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "jvanasco",
    "github_project": "imagehelper",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "tox": true,
    "lcname": "imagehelper"
}
        
Elapsed time: 0.10604s