fde101
-
Posts
4,892 -
Joined
-
Last visited
Reputation Activity
-
fde101 got a reaction from walt.farrell in Tools panel...
Nope, it's there... I just never noticed it before...
So that is another available option, thanks!
-
fde101 reacted to walt.farrell in Tools panel...
That's possible on Windows, at the bottom of the View > Customize Tools dialog. Do the Affinity applications on Mac really lack that capability?
-
fde101 reacted to tonyl in I hope I'm doing something wrong - using pdf file
I did it, hopefully correctly.
Thanks for your help!
-
fde101 got a reaction from A_B_C in Separating Paragraph and Character Styles
ok, then how about the next best thing... either or both of:
provide filter options of "all styles", "paragraph styles", and "character styles" (and maintain the scrollbar position (within reason) when switching among the three, at least if not implementing both of these features) allow multiple copies of the panel to be opened (with different filters applied if providing both features)
One of the limitations of the current approach is that if you do sort by the type of style there are so many styles in Publisher that the character styles get scrolled off the bottom of the list when trying to reach the paragraph styles at the top, while some of the paragraph styles get scrolled off the top of the list when trying to change the character styles below. Either of these options would help to alleviate that problem.
-
fde101 got a reaction from Wosven in Separating Paragraph and Character Styles
ok, then how about the next best thing... either or both of:
provide filter options of "all styles", "paragraph styles", and "character styles" (and maintain the scrollbar position (within reason) when switching among the three, at least if not implementing both of these features) allow multiple copies of the panel to be opened (with different filters applied if providing both features)
One of the limitations of the current approach is that if you do sort by the type of style there are so many styles in Publisher that the character styles get scrolled off the bottom of the list when trying to reach the paragraph styles at the top, while some of the paragraph styles get scrolled off the top of the list when trying to change the character styles below. Either of these options would help to alleviate that problem.
-
fde101 got a reaction from Polygonius in Extra blank window
It is. This was reported previously on the forum and is a known issue that is happening to a lot of us...
-
fde101 got a reaction from cubesquareredux in Footnotes/Endnotes
In case you missed this comment in another thread:
-
fde101 reacted to Dave Harris in Separating Paragraph and Character Styles
We don't plan to split the Text Styles panel in two. However, if you have the Sort By Type option checked in the top-right menu, it should move all the character styles to below the paragraph styles, which make help. (I think the panel looks cleaner with Show Samples unchecked, too.)
-
fde101 reacted to Dave Harris in [Implemented] Data merge
It's also a lot harder to implement. I'm afraid it's unlikely to make 1.7 at all, never mind the next beta.
-
fde101 got a reaction from Michail in Put Studio on the menu
Based on the most recent response, I think he means to pop up the menu so he can pick and choose which ones are visible.
I still don't get why someone would need this; it's not like there is value in re-engineering the UI every time you use the program. If you change it around that often you will waste more time trying to keep up with where things are in the program than actually using it.
-
fde101 reacted to Michail in Undo button
And I would like to have a big button for quitting the program. The Windows cross is too small and too far away for me
Some don't want to work with "Word", but they want APub to look like "Word".
-
fde101 got a reaction from Michail in Undo button
It would be vastly preferable for them to be "addable" - these really shouldn't be in the default set...
-
fde101 got a reaction from Mr. K in Show Hyperlinks indication in Edit Mode?
I was joking... but these are both fair points also.
-
fde101 reacted to garrettm30 in GREP find/replace
If they allow us to save previous searches (suggested in another thread), then they could supply a few common settings.
For any who are not familiar with regex, let me give a few simple examples with some explanation to give you a taste for what it can do. (If you already are familiar with regex, you can just skip the rest of this post. I think I got carried away.)
By the way, "regex" is the common shorthand for "regular expressions", which in turn just refers to a kind of search by pattern matching.
--------------------------------
Example 1
First, let's say that you have received a story or novel from an author, and it is your job to do the layout. The author has indented nearly every paragraph with tabs or spaces, but you prefer to control indentation with a paragraph style. This means you now need to delete all the tabs or spaces. You could do that one-by-one—and hasten the onset of carpel tunnel. You might be able to do a simple find/replace to replace every tab with nothing at all, if tabs are only used at the beginning of the paragraph and nowhere else. Or you could try something like this regex:
^\s+ That tiny regex pattern will select any space at the start of each paragraph, whether it is a tab, several spaces, or any combination. The ^ indicates that what follows must be at the beginning of the line. The \s counts for any white space such as tab, space, nonbreaking space, etc. The + indicates one or more of the preceding, in other words, as many tabs or spaces as there are at the beginning of the line.
To remove those opening spaces, replace them with nothing. That is, leave the replace field empty and press replace all. Every tab or space at the start of a paragraph will be removed.
Similarly, $ indicates the end of a line, so you could remove all trailing space at the end of each paragraph by searching for this pattern: \s+$
--------------------------------
Example 2
Next, let's say that the author used a lot of numbered lists, but he manually typed out each number, like this:
1. First item
2. Third
3. Fourth
4. Fifth
Maybe you want to change the manual numbering to a paragraph style with automatic numbering. Or maybe you just need to insert an extra item, such as if the author forgot one thing and wants to include it. Here, I purposely made the "mistake" to leave out "Second," and now my numbering is off. To fix it manually, I would have to type the new item and then renumber every item after it. The disadvantage to manual numbering is probably obvious enough that I do not need to do so much explaining. So now you set up a paragraph style with automatic numbering and you are ready to apply it. To select the manual numbering we need to delete, try this regex:
^[0-9]+\.\s+ This will select the "1. ", "2. ", "3. " portions of the first part of each line, and so on. It looks more complicated, but we can start with what we know from the previous example.
The ^ indicates the start of a line.
Next comes the brackets [ ]. You use this to define any single character you are looking for. For example, [abc] will match either a, b, or c. In our example, we have defined a range by entering 0-9, which is the same as typing [0123456789]. Any one of those characters will count as a match. You can also use ranges like [a-zA-Z] to match every unaccented letter in lowercase and uppercase.
[0-9] by itself will match one digit only, so "10. " and above would not match. So we add the plus sign: [0-9]+ will match one or more of the digits 0 through 9.
Next we want to match a period, but the period character has a special meaning in regex: it represents any single character. In this case, we want to match an actual period, so we do that by "escaping" the period, which is done by adding backslash before it: \. This tells the computer to match any literal period and not "any single character." You can escape any other characters that have special meaning in the same way. If you were looking for a literal plus sign, you put \+ . For a literal bracket, \[ , etc.
Finally, we have a space to search for. The author could have used a tab, a single space, multiple spaces, and he may not have been consistent. No matter, we can handle that with \s+ , which, as we saw earlier, will match one or more of any space character.
Now that we are correctly selecting the part that we want to remove (the "1. ", "2. ", etc.), lets do some replacing. Leave the "Replace with" field empty to just delete those manually typed numbers. But don't stop there: you can simultaneously apply the numbered style you want by selecting a replace format or paragraph style.
You see, once you have it set up, you can accurately format every numbered list item in an a whole document at the push of a button.
--------------------------------
Example 3
Let's say you have a long list of phone numbers in this format:
574-234-1998
930-823-1818
And you want them in this common US format:
1 (574) 234-1998
1 (930) 823-1818
There are several ways to go about it, but I might start with this:
([0-9]+)-([0-9]+)-([0-9]+) We already know from the earlier examples that [0-9]+ will match one or more of any numeral.
In this case, you see three of those numeral matches, but they are surrounded by parentheses: ([0-9]+) . Parentheses do two things in regex. First, they group patterns together when things get complex (which is not necessary in this case), kind of like a math equation. Second, they also define "capture groups" that we can reuse later. You will see the benefit of a capture group in a moment.
The last thing I have done here is insert a simple hyphen, twice placed between these capture groups of numbers. It is a literal character, meaning it matches an actual hyphen in the text. Our regex pattern will match any string of numbers divided by two hyphens in this format (where x is any number):
xxx-xxx-xxxx
x-xxx-xx
xxxxxxx-x-xxxxx
(You see in this case it was not necessary to specify how many digits are in each group. If you had a string like 1-19321332-8, it would also match. If you had such numbers in the text that you did not want to match, you would have to be more specific.)
Now, let's replace using this pattern:
1 ($1) $2-$3 We are adding the numeral 1, parentheses, and a couple spaces, but we are also putting back the numbers that were found in the capture groups. $1 refers to whatever match was found between the first set of parentheses. $2 and $3 likewise refer to the matches inside the second and third sets of parentheses. This is what a capture group is and how it can be used.
As a variation on this example, maybe you live in a different country, and the the starting and ending format is different. Maybe you are starting with raw numbers from a database, like this:
5742341998
9308231818
And you want this format:
574.234.1998
930.823.1818
Again, no problem. We just need to alter our search and replace patterns a little bit. Search:
([0-9]{3})([0-9]{3})([0-9]{4}) Replace with :
$1.$2.$3 I have not changed the search pattern very much: I have taken out the hyphens, and instead of the + to indicate one or more matched character, I have instead used {3} and {4} to specify exactly 3 or 4 matched characters.
--------------------------------
Summary
I have tested all of these examples in Affinity Publisher, and they do work correctly in the current beta.
There are a few more basics I have not covered, but I hope these examples give you an idea of the power of regular expression. I regularly make thousands of corrections in book with a short series searches that are of common use in our material. It takes me about 10-30 seconds to do those thousands of corrections (since I saved the find/replace expressions that I use most).
But the value in understanding regex is not simply in having a few saved searches that may or may not match the problem before you; rather, it is in knowing how to build patterns to accomplish what you need. Anytime you have a repetitive task for changing text, find/replace can probably do it for you, and regex is what takes it beyond simple text replacement.
When you first start using it, it may take you just as long to figure out a pattern as to just manually make any necessary changes, so the temptation is to stick to what you know. However, the same time spent doing a boring repetitive task could instead be used as an exercise to broaden your skills while accomplishing the same goal. Depending on your interests, you may even enjoy the challenge. Regardless, next time you come across a similar problem, you will be able to apply what you learned, and over time your efficiency will greatly increase.
(Did anyone actually make it to the end of my long post? I did indeed get carried away.)
-
fde101 reacted to Mr. K in Show Hyperlinks indication in Edit Mode?
It appears we all are in agreement that we could use a visual indicator in our AFPub project files for any object or text that has a hyperlink attached.
Here's something I have encountered already. Just because this text is blue and underlined (that style can be added using the built-in Hyperlink Style in the Character dropdown or panel), does not mean it has a properly attached hyperlink, and I would know that if I could see an indicator in the project file.
-
fde101 got a reaction from walt.farrell in GREP find/replace
Not as useful as the values captured by the expression itself... particularly if using the expression as the replacement text.
For a highly contrived and unlikely example, if ^ represents the start of a paragraph (have not tested this but guessing it might) and I have a bunch of lines that look like:
50 Apples 20 Pears 10 Peaches
24 Apples 10 Pears 19 Peaches
I could use something like:
Find regex: ^(\d+) Apples (\d+) Pears (\d+) Peaches
Replace with expression (Perl syntax): "$& " . ($1 + $2 + $3) . " Total"
To add a total to each set of data.
-
fde101 reacted to Martin K in Colorspace / profile in Resource Manager
Yesterday, when sending my work to the printshop, I got a phonecall about a few graphics still being RGB / sRGB instead of CMYK. I fiddled around with all the graphics, exporting them again, replacing them. But then I remembered the resource manager, opened it and could find the RGB images quite easily. But also, a small request came up while doing this:
Showing the colorspace and/or profile in the table of the resource manager, next to size maybe.
I can imagine cases where it could take a lot of time to locate the one image that is still RBG instead of CMYK.
~ Martin
-
fde101 reacted to Andy Somerfield in Affinity Photo Customer Beta (1.7.0.111)
Status: Beta
Purpose: Features, Improvements, Fixes
Requirements: Purchased Affinity Photo
Mac App Store: Not submitted
Download DMG: Download
Auto-update: Available.
Hello,
We are pleased to announce the immediate availability of the latest beta of Affinity Photo 1.7 for macOS.
Photo 1.7 is a (very) significant change to the currently shipping 1.6 version, so, as ever, I would strongly urge users to avoid the 1.7 beta for critical work. This is a pre-release build of 1.7 - we will release more builds before 1.7 ships. Things will be broken in this build - please use it to explore the new features and not for real work.
If this is your first time using a customer beta of an Affinity app, it’s worth noting that the beta will install as a separate app - alongside your store version. They will not interfere with each other at all and you can continue to use the store version for critical work without worry.
It’s also worth noting that we aren’t done yet - we are still working through reported bugs from previous releases and hope to fix as many as possible before the final release of 1.7.
With all that said, we hope that you will enjoy the new capabilities introduced in this release and we look forward to any and all feedback you give to us.
Many thanks (as always),
Affinity Photo Team
Changes This Build
- Added an “Assets” panel to Photo.
- Ability to lock brush symmetry.
- Layers page - removed the glow around thumbnails.
- Layers page - added option for transparent background for thumbnails.
- Layers page - added multiple thumbnail size options.
- Layers page - added ability to tag layers with a colour.
- New ability to control how macros are scaled / aligned when playing back.
- The History page now has an “advanced” mode - which shows thumbnails and time info.
- Metal rendering performance improvements.
- Fixed issues when dragging the HSL adjustment wheel with no range selected.
- Added “Rasterise & Trim” into right-click menus.
- Tool shortcut improvements.
- Prevent Frequency Separation from being “faded”.
- Fixed bugs with mask rendering.
- Fixed lazy update of opacity / blend mode on adjustment dialogs.
- Added ellipsis to adjustments flyout in layers page.
- Improved macro recording of paint mixer (again).
- Dragging the crop tool frame will always pan.
- Crop tool - pressing “reset” will revert to “initial-drag-to-set” mode.
- Tone map white balance sliders should reset on double click.
- Fixed “Colour dodge” blend mode in 32bit RGB.
- Fixed import of PSD documents with groups containing only masks.
- Improved support for CR3 RAW in the Core Image engine.
- Fixed issues when live filters were placed inside vector layers.
- In the Develop persona, the state of the clipping toggles is now correctly updates when switching documents.
- Portrait images now work properly with the undo brush.
- Fixed inability to manipulate the lighting filter inner cone if it has been moved too far.
- Fixed issues where red inpainting previews could linger.
- Reduced memory footprint when developing RAW.
- Noise reduction slider range improvements.
- Improved stack alignment.
- Numerous other small fixes.
- Localisation improvements.
- Help improvements.
Changes In Previous 1.7 Beta Builds
- Fixed some mask rendering issues.
- Fixed 32bit vibrance / saturation issues.
- Added a “Reveal Canvas” checkbox to the crop tool - defaults to off.
- Shorted the length of some crop tool context bar items.
- Crop tool remembers settings for darken, reveal, overlay. More to follow.
- Develop tool remembers the state of clipped shadows / highlights / tones.
- Metal stability fixes when under extreme memory pressure.
- Support for drag dropping .afstyles into Photo.
- Support for drag dropping .afpalette into Photo.
- Added new “Transform object separately” mode into Move tool.
- Sub-brushes can now added by dragging from the main Brush panel.
- Sub-brushes can now be drag-reordered.
- Fixed some dark mode UI issues.
- Potentially fixed some colour rendering issues (reported by ronnyb).
- Live field blur control handle fixes.
- Voronoi filter Metal implementation optimised - hopefully fixes issue where only part of it would apply on some GPUs.
- Tool cycling will now start with the last remembered tool in the group.
- Fixed Linear Burn blend mode issues.
- Improved speed of painting with Wet Edges in 16bit mode with Metal enabled.
- Removed extraneous “Filter” from live filters menu, added ellipsis.
- Implemented subtract blend mode for LAB.
- Fixed issue whereby setting clone brush to “Current Layer & Below” would produce hard edges.
- Clone brush origin now follows cursor properly when using Aligned mode.
- Fixed various issues with resizing documents - mainly to do with masks or filter effects.
- Fixed copying areas on rotated documents not copying the correct area.
- Frequency separation can no longer be “faded”.
- Numerous other small fixes.
- Help improvements.
- Fixed occasional temporary corruption when using brush tools.
- Fixed crashes with Apple Photos extensions.
- Added round dot type to the halftone filter.
- Grouped tool shortcuts now default to needing the shift key held to cycle (option in preferences).
- Fixed orientation issues with tone mapping preset thumbnails.
- Improved inpainting stability.
- Add “Fill with Primary / Secondary” to the Edit menu for fast access.
- Allow adding an empty group from the Layer menu.
- Made more commands show a meaningful progress bar.
- Fixed erratic behaviour when continuing to drag after shift-clicking for a straight line in brush tools.
- Fixed failure to apply blend mode to Levels adjustment if Metal compute is enabled.
- Improved UI colour controls when working in RGB/32.
- Levels histogram how shows more visible black / white lines in light UI mode.
- Blend mode flyouts are now ordered and grouped.
- Fixed brushes with a “Final” texture looking different when used inside a pixel selection.
- Switch to next view now works in separated mode.
- Switch to previous view can now be assigned a shortcut.
- Fixed issue with White Balance rectangle becoming detached from mouse position in Develop.
- Fixed “New Stack” creating a blank document when “Align Images” is not checked.
- Fixed issue whereby freehand selection tool can get stuck when using polygonal mode.
- Fixed issue where rotating RAW can result in it getting clipped after developing.
- Fixed issue where the move tool can report incorrect boxes for pixel selections.
- The crop tool now obeys the global snapping enable state.
- New “Duplicate Selection” item in Layer menu (old behaviour). Duplicate now duplicate the whole layer ignoring pixel selection.
- Straightening in the Develop Persona now creates an undo entry.
- Spacebar-pan now works properly in Develop Persona.
- Numerous other small fixes.
- Fixed gamut clipping issues in develop.
- Develop now respects the output profile when previewing.
- Fixed CMYK render issues when using Metal.
- Fixed PSD import / export of 32bit masks.
- Fixed some PSD path import issues.
- Further Soft Light blend mode fixes.
- Fixed Diffuse Glow when Metal is enabled.
- Fixed blur issues with Mesh Warp.
- Histogram accuracy improvements.
- Made auto-rasterisation more consistent across tools / filters.
- Fixed HSL adjustment failing to clamp saturation and lightness properly.
- Adding a Live Denoise layer from the layers panel now uses the improved new algorithm.
- Added support for CR3 RAW when using the Core Image engine.
- All brush tools can now be axis constrained once brush has started - not just the pixel tool.
- The flood select tool now has a refine button.
- The symmetry lines number is now more correct / meaningful.
- Attempted to fix crashes with mixer brush etc.
- Small Touch Bar improvements.
- Fixed macro recording of brush commands (again).
- Fixed issue which occasionally produced blank panoramas.
- Improved selection refinement in 32bit RGB.
- Improve healing brush performance.
- New cube setup mode for grids.
- Focus merge now correctly respects ICC profiles.
- Fixed potential infinite loop in inpainting.
- Better inpainting of transparent parts of a rotated image.
- Fixed artefacts in the Patch tool.
- Alt / Option is now used to make a pixel selection from layer luminance. You can now also hold shift to add the result to the current selection.
- Fixed 16bit luminosity blend mode.
- Liquify now updates the UI properly and remembers settings on a per document basis.
- Inpainting now remembers the source mode properly.
- Fixed issues with the default “G” shortcut (gradient, fill).
- All brush tools now offer primary / secondary colours in the colour page.
- Fixed issues with some Fuji RAW files showing at the wrong size.
- Fixed colour picking issues in Edit -> Fill (mainly with CMYK).
- Attempted to fix some Core Image RAW loading issues.
- Attempted to fix slowness issues when doing a lot of painting.
- Try to fall back more gracefully if Metal fails for a particular operation.
- Numerous other small fixes.
- Help improvements and search fixes.
- Significant improvements to selection refinement.
- More tools will now rasterise non-pixel layers on use.
- Fixed histogram statistics (was including alpha channel in calculations incorrectly).
- Improved TIFF import support.
- Fixed some localisation issues on the Glyph Browser panel.
- Small UI alignment tweaks.
- Fallback to 96dpi for imported JPEG, PNG - not 72.
- Fixed mesh warp blurry issues when Metal disabled.
- Fixed Metal implementation of Diffuse Glow.
- Fixed some PSDs which would not import due to path issues.
- Fixed CMYK rendering (again) when Metal is enabled (blacks would go weird).
- Attempt to fix the odd black square appearing in the view.
- Further improved Scale / Rotate stacking alignment.
- Fixed orientation issues with some panoramas (upside down).
- Reduce file sizes by discarding old snapshots properly.
- Fixed recording of resize document sampler method in macros.
- Fixed recording of paint mixer brush in macros.
- We now use Ctrl+number to change flow in the brush tools - not Cmd. This fixes Cmd-0 zoom etc.
- Fixed resize document issues with layer effect scales.
- Fixed liquify tool auto-commit issue when switching persona.
- Crop tool Touch Bar fixes.
- Assorted small fixes.
- Help improvements.
- Hide / Show / Show All Layers options in layers menu.
- Remove new destructive modes from crop tool (for now - will revisit).
- Fixed crash when RAW contains malformed GPS data.
- Fixed levels adjustment alerts.
- Fixed 32bit issues with Soft Light blend mode.
- Fixed flood fill bugs when colour is not opaque.
- Fixed various TIFF files which tried to load into develop persona.
- Fixed Voronoi bug if image has alpha channel.
- Allow Cmd key to be held when typing numbers in a brush tool (will change flow instead of opacity).
- Fixed remaining LUT export bugs.
- Small memory management improvements.
- Fixed red-eye correction in develop.
- Develop noise reduction performance improvements.
- Improved visibility of selected hue range in HSL UI in light mode.
- Fixed issues where sub-brushes could get reset.
- Sub-brush spacing / size sync buttons work properly.
- Dark / light UI improvements in brush editor panel.
- Fixed more Radeon R9 issues.
- Fixed more CMYK issues.
- Fixed some PDF import bugs.
- Numerous other small fixes.
- Help improvements.
- The crop tool now defaults to the old behaviour (destructive).
- Added lens correction data for more cameras.
- More double click support for resetting adjustment sliders.
- Further HSL improvements in 32bit mode.
- Fixed issues when using Edit -> Fill with a transparent colour.
- Fixed issues exporting HDR files when some pixels have negative values.
- Fixed TIFF ZIP compression issues.
- Fixed a sporadic crash when exporting PSD.
- Fixed lens correction for Panasonic DMC-TZ60.
- Fixed orientation of RAW images during HDR merge.
- Fixed noise reduction in non-RGB documents.
- Fixed scale + rotate alignment mode in stacking.
- Reduce develop memory usage and further improve loading speed.
- Fixed recolour adjustment slider colour issue.
- Fixed displacement map “load from beneath” sometimes including the current layer.
- Fixed CMYK rendering on Radeon R9 GPUs.
- Fixed motion blur etc. disappearing in 16bit documents with Metal enabled.
- Fixed equation transforms not working in macros.
- Fixed incorrect RGB / BGR / Red-major-order export of LUTS.
- Ability to either rasterise or rasterise and trim a layer. Previously recorded macros will trim.
- Fixed issues when parsing autofocus rectangles in RAW develop.
- Show which autofocus rectangles were in focus and which were selected by the camera (yellow, green respectively).
- Fixed inability to open photos from Apple Photos from file -> open. Now correctly asks for permission.
- Threshold adjustment will always present an intensity histogram.
- Improved histograms on curves and levels adjustments.
- Fixed LAB issues with edge detection filters.
- Switching between adjustments and filters will close any existing panels accordingly.
- Fixed incorrect ability to drag a locked layer when there is no layer selection.
- Fixed loading of 8/16bit images with linear RGB profiles.
- Can now double-click most sliders in adjustments UI to reset the individual parameter.
- Make it obvious which nozzle is selected in the brush editor UI.
- Other small fixes.
- Improved Metal stability / performance with large documents.
- Fixed a number of dark mode issues.
- Fixed preview glitches in split preview mode for filters / develop.
- Fixed batch processor not obeying dimensions correctly.
- Improved Procedural Texture UI in light mode.
- Allow brush rotate / size key changes while dragging.
- Numerous text engine improvements.
- Fixed cursor issues with HSL and other adjustments.
- Fixed issues with some menu shortcut keys.
- Improved PDF export.
- Improved localisations.
- Numerous other small fixes.
- Fixed CMYK rendering when using Metal.
- Fixed loading of huge JPEG files.
- Added “Alpha Similarity” to Select Sampled Colour tool.
- Fixed a number of crash bugs in the adjustment panel.
- Fixed issues with some existing user documents crashing in 1.7.
- Assorted other fixes.
- Show the Curves / Levels histogram in the correct colour space.
- Fixed some GPU memory management issues.
- A further attempt to fix the HSL UI crash.
- Improve performance on Intel Iris Pro GPUs.
- Improved help.
- Numerous other small fixes.
- Fixed hardware acceleration issues on certain iMac devices.
- Fixed a number of brush bugs.
- Fixed hang in HDR merge with GPU enabled.
- Fixed HSL adjustment UI crash,
- Fixed Procedural Texture UI issues when switching from dark to light UI.
- Fixed Curves adjustment clamping issue when GPU is enabled.
- Fixed 3DLUT adjustments when GPU is enabled.
- Fixed issues with sub-brush UI.
- Numerous other small fixes.
- Added pixabay.com to Stock panel.
- New welcome screen graphics.
- New persona icon graphics.
- New splash screen.
Changes Since 1.6 Release
Performance
- The core processing engine in Affinity Photo has been rewritten to take advantage of the powerful discrete AMD GPUs in modern Mac hardware. It will now automatically use any compatible discrete GPU, alongside the Intel GPU support present in 1.6. Typically this improves compositing / editing performance by at least 1000%. Performance when using integrated Intel GPUs has also been massively improved.
- External GPUs (eGPU) are also supported - including hot-plug-and-unplug support.
- Multiple GPUs are supported - if you have more than 1 GPU (ie. Intel + AMD in MacBook Pro, or Intel + eGPU in other Macs) Photo will use them all, at the same time, to improve performance. There is no limit to the number of GPUs which can be used.
Brushes
- Photo 1.7 introduces a new “sub-brush” mechanism, developed in conjunction with Paolo Limoncelli (DAUB® Brushes). This exciting feature allows any brush to have a list of other brushes attached which will draw at the same time. Each sub-brush has a fully separate and customisable set of dynamics. You can control when the sub-brushes are drawn and how they blend with the main brush.
- The brush engine in Photo has been rewritten to use the new GPU architecture described above. With GPU support, even huge brushes with 1% spacing will perform well. All brushes / brush tools are accelerated.
- Symmetry (up to 32-way) is now supported - including on-canvas controls and optional mirroring. We have more symmetry features on the way - so stay tuned during the beta process.
- Wet edges and accumulation are now available on colour brushes and brushes with HSL variance.
- Brushes with multiple nozzle textures have always chosen the nozzle at random. In 1.7, the nozzle choice has a dynamic controller and ramp for greater control.
- All brush tools now support left and right arrow keys for rotation - a common feature request
RAW
- The RAW processing engine in Photo has been rewritten - producing better results and improved performance. It also takes advantage of the GPU architecture changes described above.
- RAW files now load much more quickly - especially if you have a compatible GPU.
- Reimplemented support for XTrans sensors.
- The denoise algorithm has been rewritten. It produces better results and takes advantage of the new GPU architecture.
- Hot pixel removal is now automatically performed by the Serif Labs engine.
- Profiled lens correction are more stable, apply more quickly, and can be toggled in the Develop UI.
- The histogram in the Develop persona is now presented in the output colour space - as opposed to always being linear.
Filters
- New “Procedural Texture” filter with advanced presets support.
- New “Voronoi” filter.
- Denoise, Clarity and Shadows / Highlights filters have been rewritten (using technology from the Develop Persona).
- More filters are now available as Live Filters - including the new Procedural Texture filter.
- Live filters have been rewritten to improve performance - especially when multiple filters are used in a document.
- Improved Polar to Rectangular and Rectangular to Polar filters.
Adjustments
- The HSL adjustment layer has been rewritten. It now supports custom hue ranges, a new algorithm, new UI and picker controls.
- The Levels adjustment layer now supports output levels - a common feature request.
- The White Balance adjustment layer has been rewritten.
- The Selective Colour adjustment layer has been rewritten.
- PSD import / export of adjustments has been improved.
- The Vibrance adjustment layer has been rewritten.
- The Recolour adjustment layer has gained a lightness slider.
Tools
- The Crop tool has been rewritten - it now supports resolution changes, absolute pixel size and has a much improved preset mechanism.
- The Sponge Brush tool now gives more correct / pleasant results.
- A general tools overhaul has been performed - providing editing of grids, guides, page origin, across multiple tools (not just in the Move tool)
General
- “Alternate futures” for document history have been added. Traditionally, if you roll back the undo history then do something else all your changes after that point are lost. Photo will now display a small branch icon in the history tab when you do this. Pressing that button will cycle between all the different “futures” after that history entry - meaning you will never lose work you have done.
- HEIF images can now be loaded directly into Photo. If they contain a depth map, this will also be loaded as a second layer. Because depth maps are typically lower resolution than the main image, optional “smart” upsampling will be performed.
- A large number of new cameras are supported for RAW development (we will provide a list of the new supported cameras as soon as possible!).
- The batch process dialog now fully supports expressions for height and width - available constants are “w”, “h” and “dpi”.
- Photo now supports custom document presets - a popular feature request.
- A new blend mode - Linear Burn - has been added.
- New “Move inside / outside” commands have been added - useful for quick operations on clipping masks etc.
- The Hard Mix blend mode has been improved.
- New provider options have been added to the stock panel - support for Unsplash and Pexels. Both of these providers offer full-resolution stock imagery which is free to use.
- Metadata is now dynamically synchronised with your document - so if you resize then export, the values will be correct.
- Numerous text improvements have been made - including new features.
- Significant PDF import / export improvements and fixes.
- Numerous other bug fixes - too many to list!
-
fde101 reacted to Jens Krebs in Can anyone recommend an acrobat pro alternative?
Take a look at Enfocus Pitstop (not sure if they still offer a standalone) and Enfocus Connect.
-
-
fde101 got a reaction from Polygonius in Extra blank window
I think he is referring to the bug which causes the various beta apps to try "recovering" files that you told it not to save.
-
fde101 got a reaction from Michail in Put Studio on the menu
True, I agree that there would not be much value in default shortcuts for these, but having the option to assign custom ones to the options shouldn't be much of an issue - most of us simply wouldn't bother to do so, but if anyone actually wants them they could add them...
And, as it turns out... they already can! In Preferences -> Keyboard Shortcuts, Publisher / Miscellaneous (not sure why there rather than View), there are places where people can assign custom keystrokes to toggle the various studio panels on and off.
-
fde101 got a reaction from Jens Krebs in Affinity Designer Customer Beta (1.7.0.4)
An entire new application is being added to the suite with the 1.7 update (Publisher) and there are quite a few things that need to be worked out because of that. It is understandable that this one will take a bit longer than usual.
-
fde101 got a reaction from Jens Krebs in Can anyone recommend an acrobat pro alternative?
None of those appear to do any of the things being asked for.
-
fde101 got a reaction from Stokestack in Fill dialog and tool palette still sport perplexing items
For what it may be worth, I like your redesign of the popup except for the fact that the eyedropper is missing and it still doesn't have an option to change the angle or offset of the gradient. It is a big improvement over the existing design either way and those things could be added to your suggested layout without too much hassle.
However the redesign of the popup and elimination of the tool are two different matters. It is a standard behavior of a popup that when you click outside of the popup, the popup closes. Even with those controls added to the popup you would still lose the direct manipulation offered by the tool, so I continue to believe that offering both is a good thing. I was never arguing that either one was perfect - both could easily stand to be improved, the popup in particular, but neither one serves to eliminate the other.
Not only is this non-standard, it is also quite bad, for more reasons than you have outlined. Switching tabs is supposed to reveal more controls or information, but should not have an effect on the document by itself. The "None" and "Swatches" tabs in this case are identical except that switching to "None" actually removes the stroke or fill. Selecting a color from a swatch while on the "None" tab switches to the "Swatches" tab while selecting one from "Recent" leaves it on "None" but still sets the stroke or fill (meaning you would need to switch to a different tab then switch back to remove it). So no, I don't believe the current tab behaviors are even remotely valid from a user interface perspective. Again, your suggested redesign of the popup's layout is a big improvement.
