DALi Version 1.4.26
[platform/core/uifw/dali-toolkit.git] / docs / content / programming-guide / resource-image-scaling.md
1 <!--
2 /**-->
3
4 [TOC]
5
6 # Resource Image Scaling {#resourceimagescaling}
7   
8 ## Introduction {#resourceimagescaling-introduction}
9   
10 Resource Image Scaling provides automatic image resizing (without changing aspect) based on settings provided by the developer.
11 This operation is performed at load time.
12   
13 ### Developer options:
14 * A target size of the image - this could be the full screen size for example.
15 * A Fitting mode - This determines how the image is fitted to the target dimensions. If necessary the image will be cropped, or have borders added automatically.
16 * A Sampling Mode - This determines the quality of the scaling (by specifying the type of filtering to use).
17   
18 ### Benefits of Resource Image Scaling:
19 * Scaled image will typically be 1-to-1 size ratio with on screen pixels, giving quality benefits.
20 * Scaling performed at load time, so run time speed is improved.
21 * Ease of use allows applications handling lots of images of different sizes to be created quickly and easily.
22   
23 ## Use-Case Example {#resourceimagescaling-basicexample}
24 While common uses of images in DALi applications involve fixed sized images under the developer's control, e.g. for button backgrounds, in other cases such as galleries and wallpapers an application must display a variety of images and adapt to different screen sizes and densities.
25
26 There are more code examples later in this document under [API usage](#resourceimagescaling-apidetails). For now we will just give one full code example to show how this feature is used..
27   
28 Let's say we are writing a home-screen application for a smart phone.
29 Here we have a large, square image that we want to set as the wallpaper on a tall and narrow phone screen.
30 We want to fill the screen without distorting the image or having black borders, and wasting as few pixels from the source image as possible.
31   
32 ![ ](example-scale-to-fill-problem.jpg)
33   
34 DALi provides the concept of a `FittingMode` to specify how a source image is mapped into a target rectangle, and the one we need here is `FittingMode::SCALE_TO_FILL` as it guarantees to cover all of the pixels of the target dimensions specified.
35 A second concept of a `SamplingMode` controls how source image pixels are combined during the scaling and allows the developer to trade speed for quality.
36 Since our image is to be loaded once and reused, we use `SamplingMode::BOX_THEN_LINEAR` which is the highest quality option.
37   
38 In this case, `SCALE_TO_FILL` will perform this sequence of operations:
39   
40 ![ ](example-scale-to-fill-sequence.jpg)
41   
42 We can pass the stage dimensions to the `ResourceImage` creator function as the desired rectangle and ask it to map the image to the screen as shown here:
43   
44 ~~~{.cpp}
45  // C++
46  ResourceImage image = ResourceImage::New(
47   "gallery-large-12.jpg",
48   Dali::ImageDimensions( stage.GetSize().x, stage.GetSize().y ),
49   Dali::FittingMode::SCALE_TO_FILL,
50   Dali::SamplingMode::BOX_THEN_LINEAR );
51 ~~~
52   
53
54 ## Workflow {#resourceimagescaling-workflow}
55   
56 ![ ](workflow-main.png)
57   
58 The workflow for achieving the final scaled image is (in order):
59   
60 - Target Size: Determine target size (from source image size and any user specified target dimensions).
61 - Target Image Dimensions: Determine the size the image should be scaled to (taking Fitting Mode into account)
62 - Scaling: Perform a scale to target image dimensions using the specified Sampling mode.
63 - Crop or Add Borders: Automatically performed as necessary to maintain final target aspect (actual stored data size could be smaller).
64   
65
66
67 ### Determine Target Dimensions {#resourceimagescaling-targetdimensions}
68   
69 ![ ](workflow-1.png)
70   
71 An application has several options for specifying the target rectangle for the image to be fitted to.
72 The application may request dimensions through `ResourceImage::New()`:
73   
74   - `Not specifying either dimension`: IE. Width and Height set to 0 - The target dimensions become the same as the source.
75
76   - `Just one dimension specified, Width OR Height (the other dimension set to 0)`:
77     The unspecified dimension will be derived from the specified one whilst maintaining the aspect of the source image. The specified and calculated dimensions become the target dimensions. See more on this case [below](#resourceimagescalingzerodimensions).
78      
79   - `Width AND Height both specified` The requested dimensions pass straight through to become the target for fitting.
80   
81 ![ ](scaling-fitting-target-dimensions.png)
82
83 The result of this process is an `(x, y)` target size to fit the image in the next step.
84   
85
86
87 ### Target Image Dimensions {#resourceimagescaling-targetimagedimensions}
88
89 ![ ](workflow-2.png)
90   
91 #### Fitting Mode {#resourceimagescaling-fittingmode}
92   
93 DALi provides a number of strategies for mapping the pixels of an image onto the target box derived above.
94 It provides a `FittingMode` enumeration to the developer to select a mapping or fitting approach.
95 These are `SCALE_TO_FILL`, `SHRINK_TO_FIT`, `FIT_WIDTH`, and `FIT_HEIGHT` and their effect is best appreciated visually:
96   
97 The operation of each of these modes is as follows:
98   
99 | `FittingMode` | **Operation** |
100 | ------------- | ------------- |
101 | `SCALE_TO_FILL` | Centers the image on the target box and uniformly scales it so that it matches the target in one dimension and extends outside the target in the other. Chooses the dimension to match that results in the fewest pixels outside the target. Trims away the parts of the image outside the target box so as to match it exactly. This guarantees all of the target area is filled. |
102 | `SHRINK_TO_FIT` | Centers the image on the target box and uniformly scales it so that it matches the target in one dimension and fits inside it in the other. This guarantees that all of the source image area is visible. |
103 | `FIT_WIDTH` | Centers the image on the target box and uniformly scales it so that it matches the target width without regard for the target height. |
104 | `FIT_HEIGHT` | Centers the image on the target box and uniformly scales it so that it matches the target in height without regard for the target width. |
105   
106
107 ![ ](fitting-mode-options.png)
108   
109 <sub> **Fitting modes**: *The top row shows the effect of each mode when a tall target rectangle is applied to a square image. The middle row applies a wide target to a square raw image. The bottom row uses a target with the same aspect ratio as the raw image. This example shows that `SCALE_TO_FILL` is the only option for which the dimensions of the fitted image result fill all the area of the target. Others would be letterboxed with borders. `SHRINK_TO_FIT` is always equal to one of `FIT_WIDTH` or `FIT_HEIGHT`: in each case it is the minimum of them. As a special case, where the aspect ratio of raw image and target match, all fitting modes generate an exact match final image and are equivalent to each other.* </sub>
110   
111
112 Note: The image is scaled to the same aspect and shrunk to fit depending on fitting mode. It is not upscaled. See: [Upscaling](#resourceimagescalingupscaling).
113   
114   
115
116 ### Scaling {#resourceimagescaling-scaling}
117   
118 ![ ](workflow-3.png)
119   
120 To perform the scaling stage, the source image is scaled to a (factor of) the target image size using the specified Sampling Mode/
121   
122 The process of scaling an image can be expensive in CPU cycles and add latency to the loading of each resource.
123 To allow the developer to trade-off speed against quality for different use cases, DALi provides the `SamplingMode` enum, which can be passed to `ResourceImage::New()`.
124 Two of these modes produce bitmaps which differ from the dimensions calculated by the fitting algorithm and so have a memory trade-off as well. The full set of modes is explained below.
125   
126 | `SamplingMode` | **Operation** |
127 | ------------- | --------- |
128 | `NEAREST` | Use simple point sampling when scaling. For each pixel in output image, just one pixel is chosen from the input image. This is the fastest, crudest option but suffers the worst from aliasing artifacts so should only be used for fast previews, or where the source image is known to have very low-frequency features. |
129 | `LINEAR` | Uses a weighted bilinear filter with a `(2,2)` footprint when scaling. For each output pixel, four input pixels are averaged from the input image. This is a good quality option, equivalent to the GPU's filtering and works well at least down to a `0.5` scaling. |
130 | `BOX` | Uses an iterated `(2,2)` box filter to repeatedly halve the image in both dimensions, averaging adjacent pixels until the the result is approximately right for the fitting target rectangle. For each output pixel some number of pixels from the sequence `[4,16,64,256,1024,...]` are averaged from the input image, where the number averaged depends on the degree of scaling requested. This provides a very high quality result and is free from aliasing artifacts because of the iterated averaging. *The resulting bitmap will not exactly match the dimensions calculated by the fitting mode but it will be within a factor of two of it and have the same aspect ratio as it.*   |
131 | `BOX_THEN_NEAREST` | Applies the `BOX` mode to get within a factor of two of the fitted dimensions, and then finishes off with `NEAREST` to reach the exact dimensions. |
132 | `BOX_THEN_LINEAR` | Applies the `BOX` mode to get within a factor of two of the fitted dimensions, and then finishes off with `LINEAR` to reach the exact dimensions. This is the slowest option and of equivalent quality to `BOX`. It is superior to `BOX` in that is uses an average of 62% of the memory and exactly matches the dimensions calculated by fitting. **This is the best mode for most use cases**.  |
133 | `NO_FILTER` | Disables scaling altogether. In conjunction with `SCALE_TO_FILL` mode this can be useful as the edge trimming of that fitting mode is still applied. An example would be a gallery application, where a database of prescaled thumbnails of approximately the correct size need to be displayed in a regular grid of equal-sized cells, while being loaded at maximum speed. |
134   
135
136 Here are all the modes applied to scaling-down a `(640,720)` line art and text JPEG image to a `(218, 227)` thumbnail:
137   
138 |  |  | |
139 | ---- | ---- | --- |
140 | ![ ](sampling_modes_no_filter.png) | ![ ](sampling_modes_nearest.png) | ![ ](sampling_modes_linear.png) |
141 | **NO_FILTER** | **NEAREST** | **LINEAR** |
142 | ![ ](sampling_modes_box.png) | ![ ](sampling_modes_box_then_nearest.png) | ![ ](sampling_modes_box_then_linear.png) |
143 | **BOX** | **BOX_THEN_NEAREST** | **BOX_THEN_LINEAR** |
144   
145 These are screenshots, showing how the images are rendered in a DALi demo.
146 There is an additional level of GPU bilinear filtering happening at render time.
147 The best way to get a feel for the best sampling mode for different image types is to play with the [examples](#resourceimagescaling-samplingmodesdemoexamples).
148   
149   
150
151 ### Crop or Add Borders {#resourceimagescaling-croporaddborders}
152   
153 ![ ](workflow-4.png)
154   
155 Lastly, the image data will be cropped, or have borders added automatically as necessary.
156 This is done to ensure the image correctly fits the aspect of the target window, whilst maintaining the aspect of the source image.
157   
158 Images that have an alpha channel will be given transparent borders. Otherwise black is used.
159   
160   
161
162 ## Using the API (With source code examples) {#resourceimagescaling-apidetails}
163   
164 This section contains more detail about using the API to setup the desired behaviour.
165
166 `ResourceImage` :: New has the following parameters:
167 - **path**: Identifier for the image (allows raw image width and height to be retrieved).
168 - **requested dimensions**: These are either `(0,0)`, a width, a height, or a (width, height) pair and either directly, or after reading the image raw dimensions and doing some math, define a target rectangle to fit the image to.
169 - **fitting mode**: one of four strategies for mapping images onto the target rectangle.
170 - **sampling mode** Different quality options for the scaling.
171   
172 ### Code Examples {#resourceimagescaling-targetdimensionsexamples}
173 If we have a `(320, 240)` image called "flower.jpg", we use these options in code as below.
174   
175 **Case 1**: In these two equivalent loads, the target dimensions are not specified, so will be `(320, 240)` so the image will be loaded at its raw dimensions without modification.
176 ~~~{.cpp}
177 // C++
178 ResourceImage image1 = ResourceImage::New( "flower.png" );
179 ResourceImage image2 = ResourceImage::New( "flower.png", ImageDimensions( 0, 0 ) );
180 ~~~
181   
182
183 **Case 2**: In these loads, the target dimensions will be `(160, 120)` as the zero dimension is derived from the aspect ratio of the raw image.
184 ~~~{.cpp}
185 // C++
186 ResourceImage image1 = ResourceImage::New( "flower.png", ImageDimensions( 160, 0 ) );
187 ResourceImage image2 = ResourceImage::New( "flower.png", ImageDimensions( 0, 120 ) );
188 ~~~
189   
190
191 **Case 3**: In this load, the target dimensions will be `(111, 233)`.
192 ~~~{.cpp}
193 // C++
194 ResourceImage image = ResourceImage::New( "flower.png", ImageDimensions( 111, 233 ) );
195 ~~~
196   
197
198 ### Fitting an image's dimensions to the target box {#resourceimagescaling-codeexamplesfittingmodes}
199   
200 The result of the fitting modes defined [here](#resourceimagescaling-targetimagedimensions) only differ when the target box has a different aspect ratio than the source image.
201 Images may still be scaled down, depending on the target dimensions, but the specified fitting mode will not have an effect.
202   
203 EG:
204 ~~~{.cpp}
205 // C++
206 // Image on 'disk' is 320x240.
207 ResourceImage image = ResourceImage::New( "flower.png", ImageDimensions( 32, 24 ) );
208 // Image will be loaded at (32, 24), regardless of fitting mode.
209 ~~~
210   
211
212 ### Passing a Zero Dimension {#resourceimagescalingzerodimensions}
213   
214 Passing in a single zero dimension is equivalent to specifying `FIT_WIDTH` or `FIT_HEIGHT` `FittingMode`s. When a non-zero width and zero height are specified, the fitting done will be identical to the result using `FittingMode` `FIT_WIDTH`. When passing a zero width and non-zero height, the effect of applying the chosen `FittingMode` to the calculated target dimensions is always identical to applying the `FIT_HEIGHT` mode.
215   
216 * `ResourceImage::New( ImageDimensions( x, 0 ), <ANY_FITTING_MODE> )` =
217   `ResourceImage::New( ImageDimensions( x, <ANYTHING> ), FittingMode::FIT_WIDTH )`
218 * `ResourceImage::New( ImageDimensions( 0, y ), <ANY_FITTING_MODE> )` =
219   `ResourceImage::New( ImageDimensions( <ANYTHING>, y), FittingMode::FIT_HEIGHT )`
220   
221 This falls out of the the fact that the fitting modes are strategies for the case when the aspect ratio of the raw image differs from the aspect ratio of the target dimensions, but the zero dimension behavior always ensures that the target dimensions have the same aspect ratio as the raw image's so the fitting modes are all equivalent.
222   
223 Therefore, if `(x!=0, y=0)`, fittingMode = `FIT_WIDTH`,
224 and if `(x=0, y=!0)`, fittingMode = `FIT_HEIGHT`, irrespective of fitting mode passed by the application (if any).
225 This shortcut is provided as a convenience to the developer and allows FIT_WIDTH or FIT_HEIGHT to be specified compactly:
226 ~~~{.cpp}
227 // C++
228 // FIT_WIDTH:
229 ResourceImage image = ResourceImage::New("flower.png", ImageDimensions(x, 0));
230 // FIT_HEIGHT:
231 ResourceImage image = ResourceImage::New("flower.png", ImageDimensions(0, y));
232 ~~~
233   
234 Note:
235 - If both values are specified as 0, both dimensions are taken from the source image.
236 - If both dimensions are not 0, this value becomes the 'natural size' even if it differs from the actual pixel dimensions loaded. [This requires some care in rendering to avoid distortion](#resourceimagescaling-samplingmodesrendernaturalsize).
237   
238
239 ### Code Examples for Sampling Modes  {#resourceimagescaling-codeexamplessamplingmodes}
240   
241
242 In the following code example an image is loaded to be a thumbnail but with differing quality, speed, and memory implications.
243 ~~~{.cpp}
244 // C++
245 ResourceImage image1 = ResourceImage::New( "flower.png",
246     ImageDimensions( 240, 240 ), FittingMode::SCALE_TO_FILL, SamplingMode::NEAREST );
247   
248 ResourceImage image2 = ResourceImage::New( "flower.png",
249     ImageDimensions( 240, 240 ), FittingMode::SCALE_TO_FILL, SamplingMode::NO_FILTER );
250   
251 ResourceImage image3 = ResourceImage::New( "flower.png",
252     ImageDimensions( 240, 240 ), FittingMode::SCALE_TO_FILL, SamplingMode::BOX );
253   
254 ResourceImage image4 = ResourceImage::New( "flower.png",
255     ImageDimensions( 240, 240 ), FittingMode::SCALE_TO_FILL, SamplingMode::BOX_THEN_LINEAR );
256 ~~~
257   
258   
259
260
261 ### Notes on speed VS quality {#resourceimagescaling-speedvsquality}
262   
263 If we imagine flower.jpg is a 560*512 photo with high frequency details, the results of this are (image references are from above example):
264 * `image1` loads fast, uses minimal space, has poor quality.
265 * `image2` loads even faster, uses 4.6 * minimal space, has good quality.
266 * `image3` loads moderately slow, uses 1.3 * minimal space, has good quality.
267 * `image4` loads slowest, uses minimal space, has good quality.
268   
269 Note that `BOX`, `BOX_THEN_NEAREST` and `BOX_THEN_LINEAR` can work particularly well for JPEG images as they can use fast downscaling typically built-in to the JPEG codec on supported platforms on the fly while decoding. In this case the caveats about using them having a speed trade-off given above do not apply.
270   
271   
272
273
274 ## Demo Examples {#resourceimagescaling-samplingmodesdemoexamples}
275   
276 Load time image scaling is spread throughout the DALi examples.
277 Search for `"ImageDimensions"` in the dali-demo project to see it used.
278 There is also a specific demo to show all of the fitting and scaling modes.
279 which lives in the demo project at `examples/image-scaling-and-filtering`.
280   
281 ![ ](./demo-fitting-sampling.png)
282   
283 Touch the arrows in the top corners to changes image.
284 Drag the resize handle in the corner of the image to change the requested size and trigger an immediate image reload.
285 Use the buttons at the bottom of the screen to select any of the fitting and sampling modes from the popups which appear.
286 This demo does not take any of the special measures [described here](#resourceimagescaling-naturalsizecompensation) to correct for the natural size != pixel dimensions discrepancy so all fitting modes other than `SCALE_TO_FILL` show distortion.
287   
288 A second specific demo shows the effect of a filter mode on a single image loaded into various requested rectangles side by side.
289 It can be found under `examples/image-scaling-irregular-grid`.
290   
291 ![ ](./demo-sampling-modes.jpg)
292   
293 Touch the button at top-left to change image.
294 The button at top-right changes sampling mode.
295 You will see strong differences between sampling modes where the image contains high frequency details such as hair and in the large black and white image, but much less in some others such as the Statue of Liberty which is mostly covered by a smooth gradient.
296   
297   
298
299 ## Further Notes {#resourceimagescaling-furthernotes}
300   
301 ### Upscaling {#resourceimagescaling-upscaling}
302   
303 DALi refuses to upscale images at load time in order to conserve memory.
304 If the application requests an image size the specified fitting mode) would require scaling up, DALi will instead return an image with the same aspect ratio but limited to the largest dimensions that do not exceed the raw ones.
305 EG. The actual image could be a fraction of the size of the target image dimensions.
306 Upscaling can still be effected at render time by setting the size of an actor to the desired size.
307   
308   
309
310 ### Compressed Textures and Scaling {#resourceimagescaling-compressedtextures}
311   
312 Compressed textures cannot be scaled at load time as their formats are designed to be uploaded directly to GPU memory. To achieve scaling of compressed textures, set the desired size on the attached `ImageView` for scaling at render time instead.
313   
314   
315
316 ### Compensation for Natural Size != Pixel Width / Height {#resourceimagescaling-naturalsizecompensation}
317   
318 Because the *natural size* of an image is
319 [taken from the requested dimensions](#resourceimagescaling-samplingmodesdimensionflow)
320 passed to `ResourceImage::New()` rather than passing through the same calculations that result in the eventual pixel width and height loaded,
321 the *natural size* and pixel dimensions of an image will differ when loaded with scaling.
322 It is inherent in the definition of fitting modes other than `SCALE_TO_FILL` not to match the requested dimensions, so in general, images loaded with them must have this mismatch between *natural size* and actual pixel width.
323   
324 It is not possible in general to draw a scaled resource image using its natural size as the `ImageView`'s size without it appearing stretched in one dimension.
325 This is the case for example by default with size negotiation in effect or when an image is simply passed to an actor at creation time.
326   
327 There are circumstance, however, in which the the natural size of a resource image loaded will exactly match its post-load pixel dimensions:
328   
329 - No scaling is requested.
330 - The application chooses a combination of requested dimensions, fitting mode, and sampling mode which the scaling sub-system can match exactly. This is the case:
331    *  For all downscaling using `SCALE_TO_FILL` fitting mode and not using `BOX` or `NO_FILTER` sampling modes.
332    * The app uses `SHRINK_TO_FIT`, `FIT_WIDTH`, or `FIT_HEIGHT` and the requested dimensions passed-in are both smaller than the raw ones and have the same aspect ratio as them, and it is not using `BOX` or `NO_FILTER` sampling modes.
333   
334 In these cases the image may be used freely in layouts controlled by size negotiation.
335 Additionally, if the requested size has the same aspect ratio as the eventual pixel array loaded, and the fitting mode is `SCALE_TO_FILL` or `BOX` and `NO_FILTER` sampling modes are avoided, even if they don't match in dimensions exactly, the eventual image will be drawn without aspect ratio distortion although it will be scaled at render time.
336   
337 The fitting and scaling modes [demo](#resourceimagescalingsamplingmodesdemoexamples) allows this behavior to be be explored dynamically when the fitting mode is changed from `SCALE_TO_FILL`.
338   
339 The application can of course only pass dimensions which are just right if it happens to know the raw dimensions or if it accesses the the image resource and reads the raw dimensions from its header.
340   
341 The application can get a scaled resource image rendered correctly to screen with one of three strategies:
342   
343   1. Use one of the special cases above.
344   2. Read the image header from disk, recreate the dimension deriving, fitting, and sampling logic described in this document, and use that to generate a pair of requested dimensions which match the eventual image dimensions.
345   3. Use the requested dimensions it really wants to but then read the image header from disk, recreate the dimension deriving, fitting, and sampling logic described in this document, and set the size of an `ImageView` to that size explicitly rather than relying on the *natural size* of the image.
346   
347
348
349 */