Perceptual Color

rgbcolorspace.cpp
1// SPDX-FileCopyrightText: Lukas Sommer <sommerluk@gmail.com>
2// SPDX-License-Identifier: BSD-2-Clause OR MIT
3
4// Own headers
5// First the interface, which forces the header to be self-contained.
6#include "rgbcolorspace.h"
7// Second, the private implementation.
8#include "rgbcolorspace_p.h" // IWYU pragma: associated
9
10#include "absolutecolor.h"
11#include "constpropagatingrawpointer.h"
12#include "constpropagatinguniquepointer.h"
13#include "genericcolor.h"
14#include "helperconstants.h"
15#include "helpermath.h"
16#include "helperqttypes.h"
17#include "initializetranslation.h"
18#include "iohandlerfactory.h"
19#include <algorithm>
20#include <limits>
21#include <optional>
22#include <qbytearray.h>
23#include <qcolor.h>
24#include <qcoreapplication.h>
25#include <qfileinfo.h>
26#include <qlocale.h>
27#include <qmath.h>
28#include <qnamespace.h>
29#include <qrgba64.h>
30#include <qsharedpointer.h>
31#include <qstringliteral.h>
32#include <type_traits>
33
34#if (QT_VERSION >= QT_VERSION_CHECK(6, 0, 0))
35#include <qcontainerfwd.h>
36#include <qlist.h>
37#else
38#include <qstringlist.h>
39#endif
40
41// Include the type “tm” as defined in the C standard (time.h), as LittleCMS
42// expects, preventing IWYU < 0.19 to produce false-positives.
43#include <time.h> // IWYU pragma: keep
44// IWYU pragma: no_include <bits/types/struct_tm.h>
45
46namespace PerceptualColor
47{
48/** @internal
49 *
50 * @brief Constructor
51 *
52 * @attention Creates an uninitialised object. You have to call
53 * @ref RgbColorSpacePrivate::initialize() <em>successfully</em>
54 * before actually use object. */
55RgbColorSpace::RgbColorSpace(QObject *parent)
56 : QObject(parent)
57 , d_pointer(new RgbColorSpacePrivate(this))
58{
59}
60
61/** @brief Create an sRGB color space object.
62 *
63 * This is build-in, no external ICC file is used.
64 *
65 * @pre This function is called from the main thread.
66 *
67 * @returns A shared pointer to the newly created color space object.
68 *
69 * @sa @ref RgbColorSpaceFactory::createSrgb()
70 *
71 * @internal
72 *
73 * @note This function has to be called from the main thread because
74 * <a href="https://doc.qt.io/qt-6/qobject.html#tr">it is not save to use
75 * <tt>QObject::tr()</tt> while a new translation is loaded into
76 * QCoreApplication</a>, which should happen within the main thread. Therefore,
77 * if this function is also called within the main thread, we can use
78 * QObject::tr() safely because there will be not be executed simultaneously
79 * with loading a translation. */
80QSharedPointer<PerceptualColor::RgbColorSpace> RgbColorSpace::createSrgb()
81{
82 // Create an invalid object:
83 QSharedPointer<PerceptualColor::RgbColorSpace> result{new RgbColorSpace()};
84
85 // Transform it into a valid object:
86 cmsHPROFILE srgb = cmsCreate_sRGBProfile(); // Use build-in profile
87 const bool success = result->d_pointer->initialize(srgb);
88 cmsCloseProfile(srgb);
89
90 if (!success) {
91 // This should never fail. If it fails anyway, that’s a
92 // programming error and we throw an exception.
93 throw 0;
94 }
95
96 initializeTranslation(QCoreApplication::instance(),
97 // An empty std::optional means: If in initialization
98 // had been done yet, repeat this initialization.
99 // If not, do a new initialization now with default
100 // values.
101 std::optional<QStringList>());
102
103 // Fine-tuning (and localization) for this build-in profile:
104 result->d_pointer->m_profileCreationDateTime = QDateTime();
105 /*: @item Manufacturer information for the built-in sRGB color. */
106 result->d_pointer->m_profileManufacturer = tr("LittleCMS");
107 result->d_pointer->m_profileModel = QString();
108 /*: @item Name of the built-in sRGB color space. */
109 result->d_pointer->m_profileName = tr("sRGB color space");
110 result->d_pointer->m_profileMaximumCielchD50Chroma = 132;
111
112 // Return:
113 return result;
114}
115
116/** @brief Try to create a color space object for a given ICC file.
117 *
118 * @note This function may fail to create the color space object when it
119 * cannot open the given file, or when the file cannot be interpreted.
120 *
121 * @pre This function is called from the main thread.
122 *
123 * @param fileName The file name. See <tt>QFile</tt> documentation
124 * for what are valid file names. The file is only used during the
125 * execution of this function and it is closed again at the end of
126 * this function. The created object does not need the file anymore,
127 * because all necessary information has already been loaded into
128 * memory. Accepted are most RGB-based ICC profiles up to version 4.
129 *
130 * @returns A shared pointer to a newly created color space object on success.
131 * A shared pointer to <tt>nullptr</tt> on fail.
132 *
133 * @sa @ref RgbColorSpaceFactory::tryCreateFromFile()
134 *
135 * @internal
136 *
137 * @todo The value for @ref profileMaximumCielchD50Chroma should be the actual maximum
138 * chroma value of the profile, and not a fallback default value as currently.
139 *
140 * @note Currently, there is no function that loads a profile from a memory
141 * buffer instead of a file. However it would easily be possible to implement
142 * this if necessary, because LittleCMS allows loading from a memory buffer.
143 *
144 * @note While it is not strictly necessary to call this function within
145 * the main thread, we put it nevertheless as precondition because of
146 * consistency with @ref createSrgb().
147 *
148 * @note The new <a href="https://www.color.org/iccmax/index.xalter">version 5
149 * (iccMax)</a> is <em>not</em> accepted. <a href="https://www.littlecms.com/">
150 * LittleCMS</a> does not support ICC version 5, but only
151 * up to version 4. The ICC organization itself provides
152 * a <a href="https://github.com/InternationalColorConsortium/DemoIccMAX">demo
153 * implementation</a>, but this does not seem to be a complete color
154 * management system. */
155QSharedPointer<PerceptualColor::RgbColorSpace> RgbColorSpace::tryCreateFromFile(const QString &fileName)
156{
157 // TODO xxx Only accept Display Class profiles
158
159 // Definitions
160 constexpr auto myContextID = nullptr;
161
162 // Create an IO handler for the file
163 cmsIOHANDLER *myIOHandler = //
164 IOHandlerFactory::createReadOnly(myContextID, fileName);
165 if (myIOHandler == nullptr) {
166 return nullptr;
167 }
168
169 // Create a handle to a LittleCMS profile representation
170 cmsHPROFILE myProfileHandle = //
171 cmsOpenProfileFromIOhandlerTHR(myContextID, myIOHandler);
172 if (myProfileHandle == nullptr) {
173 // If cmsOpenProfileFromIOhandlerTHR fails to create a profile
174 // handle, it deletes the IO handler. Therefore, we do not
175 // have to delete the underlying IO handler manually.
176 return nullptr;
177 }
178
179 // Create an invalid object:
180 QSharedPointer<PerceptualColor::RgbColorSpace> newObject{new RgbColorSpace()};
181
182 // Try to transform it into a valid object:
183 const QFileInfo myFileInfo{fileName};
184 newObject->d_pointer->m_profileAbsoluteFilePath = //
185 myFileInfo.absoluteFilePath();
186 newObject->d_pointer->m_profileFileSize = myFileInfo.size();
187 const bool success = newObject->d_pointer->initialize(myProfileHandle);
188
189 // Clean up
190 cmsCloseProfile(myProfileHandle); // Also deletes the underlying IO handler
191
192 // Return
193 if (success) {
194 return newObject;
195 }
196 return nullptr;
197}
198
199/** @brief Basic initialization.
200 *
201 * This function is meant to be called when constructing the object.
202 *
203 * @param rgbProfileHandle Handle for the RGB profile
204 *
205 * @pre rgbProfileHandle is valid.
206 *
207 * @returns <tt>true</tt> on success. <tt>false</tt> otherwise (for example
208 * when it’s not an RGB profile but an CMYK profile). When <tt>false</tt>
209 * is returned, the object is still in an undefined state; it cannot
210 * be used, but only be destroyed. This should happen as soon as
211 * possible to reduce memory usage.
212 *
213 * @note rgbProfileHandle is <em>not</em> deleted in this function.
214 * Remember to delete it manually.
215 *
216 * @internal
217 *
218 * @todo LUT profiles should be detected and refused, as the actual diagram
219 * results are currently bad. (LUT profiles for RGB are not common among
220 * the usual standard profile files. But they might be more common among
221 * individually calibrated monitors?)
222 *
223 * @todo This function is used in @ref RgbColorSpace::createSrgb()
224 * and @ref RgbColorSpace::tryCreateFromFile(), but some of the initialization
225 * is changed afterwards (file name, file size, profile name, maximum chroma).
226 * Is it possible to find a more elegant design? */
227bool RgbColorSpacePrivate::initialize(cmsHPROFILE rgbProfileHandle)
228{
229 constexpr auto renderingIntent = INTENT_ABSOLUTE_COLORIMETRIC;
230
231 m_profileClass = cmsGetDeviceClass(rgbProfileHandle);
232 m_profileColorModel = cmsGetColorSpace(rgbProfileHandle);
233 // If we kept a copy of the original ICC file in a QByteArray, we
234 // could provide support for on-the-fly language changes. However, it seems
235 // that most ICC files do not provide different locales anyway.
236 const QString defaultLocaleName = QLocale().name();
237 m_profileCopyright = profileInformation(rgbProfileHandle, //
238 cmsInfoCopyright,
239 defaultLocaleName);
240 m_profileCreationDateTime = //
241 profileCreationDateTime(rgbProfileHandle);
242 const bool inputUsesCLUT = cmsIsCLUT(rgbProfileHandle, //
243 renderingIntent, //
244 LCMS_USED_AS_INPUT);
245 const bool outputUsesCLUT = cmsIsCLUT(rgbProfileHandle, //
246 renderingIntent, //
247 LCMS_USED_AS_OUTPUT);
248 // There is a third value, LCMS_USED_AS_PROOF. This value seem to return
249 // always true, even for the sRGB built-in profile. Not sure if this is
250 // a bug? Anyway, as we do not actually use the profile in proof mode,
251 // we can discard this information.
252 m_profileHasClut = inputUsesCLUT || outputUsesCLUT;
253 m_profileHasMatrixShaper = cmsIsMatrixShaper(rgbProfileHandle);
254 m_profileIccVersion = profileIccVersion(rgbProfileHandle);
255 m_profileManufacturer = profileInformation(rgbProfileHandle, //
256 cmsInfoManufacturer,
257 defaultLocaleName);
258 m_profileModel = profileInformation(rgbProfileHandle, //
259 cmsInfoModel,
260 defaultLocaleName);
261 m_profileName = profileInformation(rgbProfileHandle, //
262 cmsInfoDescription,
263 defaultLocaleName);
264 m_profilePcsColorModel = cmsGetPCS(rgbProfileHandle);
265 m_profileTagSignatures = profileTagSignatures(rgbProfileHandle);
266 // Gamma Correction Overview:
267 //
268 // Modern display systems, which consist of a video card and a screen, have
269 // a gamma curve that determines how colors are rendered. Historically,
270 // CRT (Cathode Ray Tube) screens had a gamma curve inherently defined by
271 // their hardware properties. Contemporary LCD and LED screens often
272 // emulate this behavior, typically using the sRGB gamma curve, which was
273 // designed to closely match the natural gamma curve of CRT screens.
274 //
275 // ICC (International Color Consortium) profiles define color
276 // transformations that assume a specific gamma curve for the display
277 // system (the combination of video card and screen). For correct color
278 // reproduction, the display system's gamma curve must match the one
279 // expected by the ICC profile. Today, this usually means the sRGB gamma
280 // curve.
281 //
282 // However, in some cases, for example when a custom ICC profile is created
283 // using a colorimeter for screen calibration, it may assume a non-standard
284 // gamma curve. This custom gamma curve is often embedded within the
285 // profile using the private “vcgt” (Video Card Gamma Table) tag. While
286 // “vcgt” is registered as a private tag in the ICC Signature Registry, it
287 // is not a standard tag defined in the core ICC specification. The
288 // operating system is responsible for ensuring that the gamma curve
289 // specified in the ICC profile is applied, typically by loading it into
290 // the video card hardware. However, whether the operating system actually
291 // applies this gamma adjustment is not always guaranteed.
292 //
293 // Note: Our current codebase does not support the “vcgt” tag. If an
294 // ICC profile containing a “vcgt” tag is encountered, it will be rejected.
295 if (m_profileTagSignatures.contains(QStringLiteral("vcgt"))) {
296 return false;
297 }
298 m_profileTagWhitepoint = profileReadCmsciexyzTag(rgbProfileHandle, //
299 cmsSigMediaWhitePointTag);
300 m_profileTagBlackpoint = profileReadCmsciexyzTag(rgbProfileHandle, //
301 cmsSigMediaBlackPointTag);
302 m_profileTagRedPrimary = profileReadCmsciexyzTag(rgbProfileHandle, //
303 cmsSigRedColorantTag);
304 m_profileTagGreenPrimary = profileReadCmsciexyzTag(rgbProfileHandle, //
305 cmsSigGreenColorantTag);
306 m_profileTagBluePrimary = profileReadCmsciexyzTag(rgbProfileHandle, //
307 cmsSigBlueColorantTag);
308
309 {
310 // Create an ICC v4 profile object for the CielabD50 color space.
311 cmsHPROFILE cielabD50ProfileHandle = cmsCreateLab4Profile(
312 // nullptr means: Default white point (D50)
313 // TODO Does this make sense? sRGB, for example, has
314 // D65 as whitepoint…
315 nullptr);
316
317 // Create the transforms.
318 // We use the flag cmsFLAGS_NOCACHE which disables the 1-pixel-cache
319 // which is normally used in the transforms. We do this because
320 // transforms that use the 1-pixel-cache are not thread-safe. And
321 // disabling it should not have negative impacts as we usually work
322 // with gradients, so anyway it is not likely to have two consecutive
323 // pixels with the same color, which is the only situation where the
324 // 1-pixel-cache makes processing faster.
325 constexpr auto flags = cmsFLAGS_NOCACHE;
326 m_transformCielabD50ToRgbHandle = cmsCreateTransform(
327 // Create a transform function and get a handle to this function:
328 cielabD50ProfileHandle, // input profile handle
329 TYPE_Lab_DBL, // input buffer format
330 rgbProfileHandle, // output profile handle
331 TYPE_RGB_DBL, // output buffer format
332 renderingIntent,
333 flags);
334 m_transformCielabD50ToRgb16Handle = cmsCreateTransform(
335 // Create a transform function and get a handle to this function:
336 cielabD50ProfileHandle, // input profile handle
337 TYPE_Lab_DBL, // input buffer format
338 rgbProfileHandle, // output profile handle
339 TYPE_RGB_16, // output buffer format
340 renderingIntent,
341 flags);
342 m_transformRgbToCielabD50Handle = cmsCreateTransform(
343 // Create a transform function and get a handle to this function:
344 rgbProfileHandle, // input profile handle
345 TYPE_RGB_DBL, // input buffer format
346 cielabD50ProfileHandle, // output profile handle
347 TYPE_Lab_DBL, // output buffer format
348 renderingIntent,
349 flags);
350 // It is mandatory to close the profiles to prevent memory leaks:
351 cmsCloseProfile(cielabD50ProfileHandle);
352 }
353
354 // After having closed the profiles, we can now return
355 // (if appropriate) without having memory leaks:
356 if ((m_transformCielabD50ToRgbHandle == nullptr) //
357 || (m_transformCielabD50ToRgb16Handle == nullptr) //
358 || (m_transformRgbToCielabD50Handle == nullptr) //
359 ) {
360 return false;
361 }
362
363 // Maximum chroma:
364 // TODO Detect an appropriate value for m_profileMaximumCielchD50Chroma.
365
366 // Find blackpoint and whitepoint.
367 // For CielabD50 make sure that: 0 <= blackpoint < whitepoint <= 100
368 GenericColor candidate;
369 candidate.second = 0;
370 candidate.third = 0;
371 candidate.first = 0;
372 while (!q_pointer->isCielchD50InGamut(candidate)) {
373 candidate.first += gamutPrecisionCielab;
374 if (candidate.first >= 100) {
375 return false;
376 }
377 }
378 m_cielabD50BlackpointL = candidate.first;
379 candidate.first = 100;
380 while (!q_pointer->isCielchD50InGamut(candidate)) {
381 candidate.first -= gamutPrecisionCielab;
382 if (candidate.first <= m_cielabD50BlackpointL) {
383 return false;
384 }
385 }
386 m_cielabD50WhitepointL = candidate.first;
387 // For Oklab make sure that: 0 <= blackbpoint < whitepoint <= 1
388 candidate.first = 0;
389 while (!q_pointer->isOklchInGamut(candidate)) {
390 candidate.first += gamutPrecisionOklab;
391 if (candidate.first >= 1) {
392 return false;
393 }
394 }
395 m_oklabBlackpointL = candidate.first;
396 candidate.first = 1;
397 while (!q_pointer->isOklchInGamut(candidate)) {
398 candidate.first -= gamutPrecisionOklab;
399 if (candidate.first <= m_oklabBlackpointL) {
400 return false;
401 }
402 }
403 m_oklabWhitepointL = candidate.first;
404
405 // Now, calculate the properties who’s calculation depends on a fully
406 // initialized object.
407 m_profileMaximumCielchD50Chroma = detectMaximumCielchD50Chroma();
408 m_profileMaximumOklchChroma = detectMaximumOklchChroma();
409
410 return true;
411}
412
413/** @brief Destructor */
414RgbColorSpace::~RgbColorSpace() noexcept
415{
416 RgbColorSpacePrivate::deleteTransform( //
417 &d_pointer->m_transformCielabD50ToRgb16Handle);
418 RgbColorSpacePrivate::deleteTransform( //
419 &d_pointer->m_transformCielabD50ToRgbHandle);
420 RgbColorSpacePrivate::deleteTransform( //
421 &d_pointer->m_transformRgbToCielabD50Handle);
422}
423
424/** @brief Constructor
425 *
426 * @param backLink Pointer to the object from which <em>this</em> object
427 * is the private implementation. */
428RgbColorSpacePrivate::RgbColorSpacePrivate(RgbColorSpace *backLink)
429 : q_pointer(backLink)
430{
431}
432
433/** @brief Convenience function for deleting LittleCMS transforms
434 *
435 * <tt>cmsDeleteTransform()</tt> is not comfortable. Calling it on a
436 * <tt>nullptr</tt> crashes. If called on a valid handle, it does not
437 * reset the handle to <tt>nullptr</tt>. Calling it again on the now
438 * invalid handle crashes. This convenience function can be used instead
439 * of <tt>cmsDeleteTransform()</tt>: It provides some more comfort,
440 * by adding support for <tt>nullptr</tt> checks.
441 *
442 * @param transformHandle handle of the transform
443 *
444 * @post If the handle is <tt>nullptr</tt>, nothing happens. Otherwise,
445 * <tt>cmsDeleteTransform()</tt> is called, and afterwards the handle is set
446 * to <tt>nullptr</tt>. */
447void RgbColorSpacePrivate::deleteTransform(cmsHTRANSFORM *transformHandle)
448{
449 if ((*transformHandle) != nullptr) {
450 cmsDeleteTransform(*transformHandle);
451 (*transformHandle) = nullptr;
452 }
453}
454
455// No documentation here (documentation of properties
456// and its getters are in the header)
457QString RgbColorSpace::profileAbsoluteFilePath() const
458{
459 return d_pointer->m_profileAbsoluteFilePath;
460}
461
462// No documentation here (documentation of properties
463// and its getters are in the header)
464cmsProfileClassSignature RgbColorSpace::profileClass() const
465{
466 return d_pointer->m_profileClass;
467}
468
469// No documentation here (documentation of properties
470// and its getters are in the header)
471cmsColorSpaceSignature RgbColorSpace::profileColorModel() const
472{
473 return d_pointer->m_profileColorModel;
474}
475
476// No documentation here (documentation of properties
477// and its getters are in the header)
478QString RgbColorSpace::profileCopyright() const
479{
480 return d_pointer->m_profileCopyright;
481}
482
483// No documentation here (documentation of properties
484// and its getters are in the header)
485QDateTime RgbColorSpace::profileCreationDateTime() const
486{
487 return d_pointer->m_profileCreationDateTime;
488}
489
490// No documentation here (documentation of properties
491// and its getters are in the header)
492qint64 RgbColorSpace::profileFileSize() const
493{
494 return d_pointer->m_profileFileSize;
495}
496
497// No documentation here (documentation of properties
498// and its getters are in the header)
499bool RgbColorSpace::profileHasClut() const
500{
501 return d_pointer->m_profileHasClut;
502}
503
504// No documentation here (documentation of properties
505// and its getters are in the header)
506bool RgbColorSpace::profileHasMatrixShaper() const
507{
508 return d_pointer->m_profileHasMatrixShaper;
509}
510
511// No documentation here (documentation of properties
512// and its getters are in the header)
513QVersionNumber RgbColorSpace::profileIccVersion() const
514{
515 return d_pointer->m_profileIccVersion;
516}
517
518// No documentation here (documentation of properties
519// and its getters are in the header)
520QString RgbColorSpace::profileManufacturer() const
521{
522 return d_pointer->m_profileManufacturer;
523}
524
525// No documentation here (documentation of properties
526// and its getters are in the header)
527double RgbColorSpace::profileMaximumCielchD50Chroma() const
528{
529 return d_pointer->m_profileMaximumCielchD50Chroma;
530}
531
532// No documentation here (documentation of properties
533// and its getters are in the header)
534double RgbColorSpace::profileMaximumOklchChroma() const
535{
536 return d_pointer->m_profileMaximumOklchChroma;
537}
538
539// No documentation here (documentation of properties
540// and its getters are in the header)
541QString RgbColorSpace::profileModel() const
542{
543 return d_pointer->m_profileModel;
544}
545
546// No documentation here (documentation of properties
547// and its getters are in the header)
548QString RgbColorSpace::profileName() const
549{
550 return d_pointer->m_profileName;
551}
552
553// No documentation here (documentation of properties
554// and its getters are in the header)
555cmsColorSpaceSignature RgbColorSpace::profilePcsColorModel() const
556{
557 return d_pointer->m_profilePcsColorModel;
558}
559
560// No documentation here (documentation of properties
561// and its getters are in the header)
562std::optional<cmsCIEXYZ> RgbColorSpace::profileTagBlackpoint() const
563{
564 return d_pointer->m_profileTagBlackpoint;
565}
566
567// No documentation here (documentation of properties
568// and its getters are in the header)
569std::optional<cmsCIEXYZ> RgbColorSpace::profileTagBluePrimary() const
570{
571 return d_pointer->m_profileTagBluePrimary;
572}
573
574// No documentation here (documentation of properties
575// and its getters are in the header)
576std::optional<cmsCIEXYZ> RgbColorSpace::profileTagGreenPrimary() const
577{
578 return d_pointer->m_profileTagGreenPrimary;
579}
580
581// No documentation here (documentation of properties
582// and its getters are in the header)
583std::optional<cmsCIEXYZ> RgbColorSpace::profileTagRedPrimary() const
584{
585 return d_pointer->m_profileTagRedPrimary;
586}
587
588// No documentation here (documentation of properties
589// and its getters are in the header)
590QStringList RgbColorSpace::profileTagSignatures() const
591{
592 return d_pointer->m_profileTagSignatures;
593}
594
595// No documentation here (documentation of properties
596// and its getters are in the header)
597std::optional<cmsCIEXYZ> RgbColorSpace::profileTagWhitepoint() const
598{
599 return d_pointer->m_profileTagWhitepoint;
600}
601
602/** @brief Get information from an ICC profile via LittleCMS
603 *
604 * @param profileHandle handle to the ICC profile in which will be searched
605 * @param infoType the type of information that is searched
606 * @param languageTerritory A string of the form "language_territory", where
607 * language is a lowercase, two-letter ISO 639 language code, and territory is
608 * an uppercase, two- or three-letter ISO 3166 territory code. If the locale
609 * has no specified territory, only the language name is required. Leave empty
610 * to use the default locale of the profile.
611 * @returns A QString with the information. It searches the
612 * information in the current locale (language code and country code as
613 * provided currently by <tt>QLocale</tt>). If the information is not
614 * available in this locale, LittleCMS silently falls back to another available
615 * localization. Note that the returned <tt>QString</tt> might be empty if the
616 * requested information is not available in the ICC profile. */
617QString RgbColorSpacePrivate::profileInformation(cmsHPROFILE profileHandle, cmsInfoType infoType, const QString &languageTerritory)
618{
619 QByteArray languageCode;
621 // Update languageCode and countryCode to the actual locale (if possible)
622 const QStringList list = languageTerritory.split(QStringLiteral(u"_"));
623 // The list of locale codes should be ASCII only.
624 // Therefore QString::toUtf8() should return ASCII-only valid results.
625 // (We do not know what character encoding LittleCMS expects,
626 // but ASCII seems a safe choice.)
627 if (list.count() == 2) {
628 languageCode = list.at(0).toUtf8();
629 countryCode = list.at(1).toUtf8();
630 }
631 // Fallback for missing (empty) values to the default value recommended
632 // by LittleCMS documentation: “en” and “US”.
633 if (languageCode.size() != 2) {
634 // Encoding of C++ string literals is UTF8 (we have static_assert
635 // for this):
636 languageCode = QByteArrayLiteral("en");
637 }
638 if (countryCode.size() != 2) {
639 // Encoding of C++ string literals is UTF8 (we have a static_assert
640 // for this):
641 countryCode = QByteArrayLiteral("US");
642 }
643 // NOTE Since LittleCMS ≥ 2.16, cmsNoLanguage and cmsNoCountry could be
644 // used instead of "en" and "US" and would return simply the first language
645 // in the profile, but that seems less predictable and less reliably than
646 // "en" and "US".
647 //
648 // NOTE Do only v4 profiles provide internationalization, while v2 profiles
649 // don’t? This seems to be implied in LittleCMS documentation:
650 //
651 // “Since 2.16, a special setting for the lenguage and country allows
652 // to access the unicode variant on V2 profiles.
653 //
654 // For the language and country:
655 //
656 // cmsV2Unicode
657 //
658 // Many V2 profiles have this field empty or filled with bogus values.
659 // Previous versions of Little CMS were ignoring it, but with
660 // this additional setting, correct V2 profiles with two variants
661 // can be honored now. By default, the ASCII variant is returned on
662 // V2 profiles unless you specify this special setting. If you decide
663 // to use it, check the result for empty strings and if this is the
664 // case, repeat reading by using the normal path.”
665 //
666 // So maybe v2 profiles have just one ASCII and one Unicode string, and
667 // that’s all? If so, our approach seems fine: Our locale will be honored
668 // on v4 profiles, and it will be ignored on v2 profiles because we do not
669 // use cmsV2Unicode. This seems a wise choice, because otherwise we would
670 // need different code paths for v2 and v4 profiles, which would be even
671 // even more complex than the current code, and still potentially return
672 // “bogus values” (as LittleCMS the documentation states), so the result
673 // would be worse than the current code.
674
675 // Calculate the expected maximum size of the return value that we have
676 // to provide for cmsGetProfileInfo later on in order to return an
677 // actual value.
678 const cmsUInt32Number resultLength = cmsGetProfileInfo(
679 // Profile in which we search:
680 profileHandle,
681 // The type of information we search:
682 infoType,
683 // The preferred language in which we want to get the information:
684 languageCode.constData(),
685 // The preferred country for which we want to get the information:
687 // Do not actually provide the information,
688 // just return the required buffer size:
689 nullptr,
690 // Do not actually provide the information,
691 // just return the required buffer size:
692 0);
693 // For the actual buffer size, increment by 1. This helps us to
694 // guarantee a null-terminated string later on.
695 const cmsUInt32Number bufferLength = resultLength + 1;
696
697 // NOTE According to the documentation, it seems that cmsGetProfileInfo()
698 // calculates the buffer length in bytes and not in wchar_t. However,
699 // the documentation (as of LittleCMS 2.9) is not clear about the
700 // used encoding, and the buffer type must be wchar_t anyway, and
701 // wchar_t might have different sizes (either 16 bit or 32 bit) on
702 // different systems, and LittleCMS’ treatment of this situation is
703 // not well documented. Therefore, we interpret the buffer length
704 // as number of necessary wchart_t, which creates a greater buffer,
705 // which might possibly be waste of space, but it’s just a little bit
706 // of text, so that’s not so much space that is wasted finally.
707
708 // TODO For security reasons (you never know what surprise a foreign ICC
709 // file might have for us), it would be better to have a maximum
710 // length for the buffer, so that insane big buffer will not be
711 // actually created, and instead an empty string is returned.
712
713 // Allocate the buffer
714 wchar_t *buffer = new wchar_t[bufferLength];
715 // Initialize the buffer with 0
716 for (cmsUInt32Number i = 0; i < bufferLength; ++i) {
717 *(buffer + i) = 0;
718 }
719
720 // Write the actual information to the buffer
721 cmsGetProfileInfo(
722 // profile in which we search
723 profileHandle,
724 // the type of information we search
725 infoType,
726 // the preferred language in which we want to get the information
727 languageCode.constData(),
728 // the preferred country for which we want to get the information
730 // the buffer into which the requested information will be written
731 buffer,
732 // the buffer size as previously calculated by cmsGetProfileInfo
733 resultLength);
734 // Make absolutely sure the buffer is null-terminated by marking its last
735 // element (the one that was the +1 "extra" element) as null.
736 *(buffer + (bufferLength - 1)) = 0;
737
738 // Create a QString() from the from the buffer
739 //
740 // cmsGetProfileInfo returns often strings that are smaller than the
741 // previously calculated buffer size. But we had initialized the buffer
742 // with null, so actually we get a null-terminated string even if LittleCMS
743 // would not provide the final null. So we read only up to the first null
744 // value.
745 //
746 // LittleCMS returns wchar_t. This type might have different sizes:
747 // Depending on the operating system either 16 bit or 32 bit.
748 // LittleCMS does not specify the encoding in its documentation for
749 // cmsGetProfileInfo() as of LittleCMS 2.9. It only says “Strings are
750 // returned as wide chars.” So this is likely either UTF-16 or UTF-32.
751 // According to github.com/mm2/Little-CMS/issues/180#issue-421837278
752 // it is even UTF-16 when the size of wchar_t is 32 bit! And according
753 // to github.com/mm2/Little-CMS/issues/180#issuecomment-1007490587
754 // in LittleCMS versions after 2.13 it might be UTF-32 when the size
755 // of wchar_t is 32 bit. So the behaviour of LittleCMS changes between
756 // various versions. Conclusion: It’s either UTF-16 or UTF-32, but we
757 // never know which it is and have to be prepared for all possible
758 // combinations between UTF-16/UTF-32 and a wchar_t size of
759 // 16 bit/32 bit.
760 //
761 // QString::fromWCharArray can create a QString from this data. It
762 // accepts arrays of wchar_t. As Qt’s documentation of
763 // QString::fromWCharArray() says:
764 //
765 // “If wchar is 4 bytes, the string is interpreted as UCS-4,
766 // if wchar is 2 bytes it is interpreted as UTF-16.”
767 //
768 // However, apparently this is not exact: When wchar is 4 bytes,
769 // surrogate pairs in the code unit array are interpreted like UTF-16:
770 // The surrogate pair is recognized as such, which is not strictly
771 // UTF-32 conform, but enhances the compatibility. Single surrogates
772 // cannot be interpreted correctly, but there will be no crash:
773 // QString::fromWCharArray will continue to read, also the part
774 // after the first UTF error. So QString::fromWCharArray is quite
775 // error-tolerant, which is great as we do not exactly know the
776 // encoding of the buffer that LittleCMS returns. However, this is
777 // undocumented behaviour of QString::fromWCharArray which means
778 // it could change over time. Therefore, in the unit tests of this
779 // class, we test if QString::fromWCharArray actually behaves as we want.
780 //
781 // NOTE Instead of cmsGetProfileInfo(), we could also use
782 // cmsGetProfileInfoUTF8() which returns directly an UTF-8 encoded
783 // string. We were no longer required to guess the encoding, but we
784 // would have a return value in a well-defined encoding. However,
785 // this would also require LittleCMS ≥ 2.16, and we would still
786 // need the buffer.
787 const QString result = QString::fromWCharArray(
788 // Convert to string with these parameters:
789 buffer, // read from this buffer
790 -1 // read until the first null element
791 );
792
793 // Free allocated memory of the buffer
794 delete[] buffer;
795
796 // Return
797 return result;
798}
799
800/** @brief Get ICC version from profile via LittleCMS
801 *
802 * @param profileHandle handle to the ICC profile
803 * @returns The version number of the ICC format used in the profile. */
804QVersionNumber RgbColorSpacePrivate::profileIccVersion(cmsHPROFILE profileHandle)
805{
806 // cmsGetProfileVersion returns a floating point number. Apparently
807 // the digits before the decimal separator are the major version,
808 // and the digits after the decimal separator are the minor version.
809 // So, the version number strings “2.1” (major version 2, minor version 1)
810 // and “2.10” (major version 2, minor version 10) both get the same
811 // representation as floating point number 2.1 because floating
812 // point numbers do not have memory about how many trailing zeros
813 // exist. So we have to assume minor versions higher than 9 are not
814 // supported by cmsGetProfileVersion anyway. A positive side effect
815 // of this assumption is that is makes the conversion to QVersionNumber
816 // easier: We use a fixed width of exactly one digit for the
817 // part after the decimal separator. This makes also sure that
818 // the floating point number 2 is interpreted as “2.0” (and not
819 // simply as “2”).
820
821 // QString::number() ignores the locale and uses always a “.”
822 // as separator, which is exactly what we need to create
823 // a QVersionNumber from.
825 cmsGetProfileVersion(profileHandle), // floating point
826 'f', // use normal rendering format (no exponents)
827 1 // number of digits after the decimal point
828 );
829 return QVersionNumber::fromString(versionString);
830}
831
832/** @brief Date and time of creation of a profile via LittleCMS
833 *
834 * @param profileHandle handle to the ICC profile
835 * @returns Date and time of creation of the profile, if available. An invalid
836 * date and time otherwise. */
837QDateTime RgbColorSpacePrivate::profileCreationDateTime(cmsHPROFILE profileHandle)
838{
839 tm myDateTime; // The type “tm” as defined in C (time.h), as LittleCMS expects.
840 const bool success = cmsGetHeaderCreationDateTime(profileHandle, &myDateTime);
841 if (!success) {
842 // Return invalid QDateTime object
843 return QDateTime();
844 }
845 const QDate myDate(myDateTime.tm_year + 1900, // tm_year means: years since 1900
846 myDateTime.tm_mon + 1, // tm_mon ranges fromm 0 to 11
847 myDateTime.tm_mday // tm_mday ranges from 1 to 31
848 );
849 // “tm” allows seconds higher than 59: It allows up to 60 seconds: The
850 // “supplement” second is for leap seconds. However, QTime does not
851 // accept seconds beyond 59. Therefore, this has to be corrected:
852 const QTime myTime(myDateTime.tm_hour, //
853 myDateTime.tm_min, //
854 qBound(0, myDateTime.tm_sec, 59));
855 return QDateTime(
856 // Date:
857 myDate,
858 // Time:
859 myTime,
860 // Assuming UTC for the QDateTime because it’s the only choice
861 // that will not change arbitrary.
862 Qt::TimeSpec::UTC);
863}
864
865/** @brief List of tag signatures that are actually present in the profile.
866 *
867 * @param profileHandle handle to the ICC profile
868 * @returns A list of tag signatures actually present in the profile. Contains
869 * both, public and private signatures. See @ref profileTagSignatures for
870 * details. */
871QStringList RgbColorSpacePrivate::profileTagSignatures(cmsHPROFILE profileHandle)
872{
873 const cmsInt32Number count = cmsGetTagCount(profileHandle);
874 if (count < 0) {
875 return QStringList();
876 }
877 QStringList returnValue;
878 returnValue.reserve(count);
879 const cmsUInt32Number countUnsigned = static_cast<cmsUInt32Number>(count);
880 using underlyingType = std::underlying_type<cmsTagSignature>::type;
881 for (cmsUInt32Number i = 0; i < countUnsigned; ++i) {
882 const underlyingType value = cmsGetTagSignature(profileHandle, i);
883 QByteArray byteArray;
884 byteArray.reserve(4);
885 // Extract the 4 lowest bytes
886 static_assert( //
887 sizeof(underlyingType) == 4, //
888 "cmsTagSignature must have 4 bytes for this code to work.");
889 byteArray.append(static_cast<char>((value >> 24) & 0xFF));
890 byteArray.append(static_cast<char>((value >> 16) & 0xFF));
891 byteArray.append(static_cast<char>((value >> 8) & 0xFF));
892 byteArray.append(static_cast<char>(value & 0xFF));
893 // Convert QByteArray to QString
894 returnValue.append(QString::fromLatin1(byteArray));
895 }
896 return returnValue;
897}
898
899/** @brief Reads a tag from a profile and converts to cmsCIEXYZ.
900 *
901 * @pre signature is a tag signature for which LittleCMS will return a
902 * pointer to an cmsCIEXYZ value (see LittleCMS documentation).
903 *
904 * @warning If the precondition is not fulfilled, this will produce undefined
905 * behaviour and possibly a segmentation fault.
906 *
907 * @param profileHandle handle to the ICC profile
908 * @param signature signature of the tag to search for
909 * @returns The value of the requested tag if present in the profile.
910 * An <tt>std::nullopt</tt> otherwise. */
911std::optional<cmsCIEXYZ> RgbColorSpacePrivate::profileReadCmsciexyzTag(cmsHPROFILE profileHandle, cmsTagSignature signature)
912{
913 if (!cmsIsTag(profileHandle, signature)) {
914 return std::nullopt;
915 }
916
917 void *voidPointer = cmsReadTag(profileHandle, signature);
918
919 if (voidPointer == nullptr) {
920 return std::nullopt;
921 }
922
923 const cmsCIEXYZ result = *static_cast<cmsCIEXYZ *>(voidPointer);
924
925 return result;
926}
927
928/** @brief Reduces the chroma until the color fits into the gamut.
929 *
930 * It always preserves the hue. It preservers the lightness whenever
931 * possible.
932 *
933 * @note In some cases with very curvy color spaces, the nearest in-gamut
934 * color (with the same lightness and hue) might be at <em>higher</em>
935 * chroma. As this function always <em>reduces</em> the chroma,
936 * in this case the result is not the nearest in-gamut color.
937 *
938 * @param cielchD50color The color that will be adapted.
939 *
940 * @returns An @ref isCielchD50InGamut color. */
941PerceptualColor::GenericColor RgbColorSpace::reduceCielchD50ChromaToFitIntoGamut(const PerceptualColor::GenericColor &cielchD50color) const
942{
943 GenericColor referenceColor = cielchD50color;
944
945 // Normalize the LCH coordinates
946 normalizePolar360(referenceColor.second, referenceColor.third);
947
948 // Bound to valid range:
949 referenceColor.second = qMin<decltype(referenceColor.second)>( //
950 referenceColor.second, //
951 profileMaximumCielchD50Chroma());
952 referenceColor.first = qBound(d_pointer->m_cielabD50BlackpointL, //
953 referenceColor.first, //
954 d_pointer->m_cielabD50WhitepointL);
955
956 // Test special case: If we are yet in-gamut…
957 if (isCielchD50InGamut(referenceColor)) {
958 return referenceColor;
959 }
960
961 // Now we know: We are out-of-gamut.
962 GenericColor temp;
963
964 // Create an in-gamut point on the gray axis:
965 GenericColor lowerChroma{referenceColor.first, 0, referenceColor.third};
966 if (!isCielchD50InGamut(lowerChroma)) {
967 // This is quite strange because every point between the blackpoint
968 // and the whitepoint on the gray axis should be in-gamut on
969 // normally shaped gamuts. But as we never know, we need a fallback,
970 // which is guaranteed to be in-gamut:
971 referenceColor.first = d_pointer->m_cielabD50BlackpointL;
972 lowerChroma.first = d_pointer->m_cielabD50BlackpointL;
973 }
974 // TODO Decide which one of the algorithms provides with the “if constexpr”
975 // will be used (and remove the other one).
976 constexpr bool quickApproximate = true;
977 if constexpr (quickApproximate) {
978 // Do a quick-approximate search:
979 GenericColor upperChroma{referenceColor};
980 // Now we know for sure that lowerChroma is in-gamut
981 // and upperChroma is out-of-gamut…
982 temp = upperChroma;
983 while (upperChroma.second - lowerChroma.second > gamutPrecisionCielab) {
984 // Our test candidate is half the way between lowerChroma
985 // and upperChroma:
986 temp.second = ((lowerChroma.second + upperChroma.second) / 2);
987 if (isCielchD50InGamut(temp)) {
988 lowerChroma = temp;
989 } else {
990 upperChroma = temp;
991 }
992 }
993 return lowerChroma;
994
995 } else {
996 // Do a slow-thorough search:
997 temp = referenceColor;
998 while (temp.second > 0) {
999 if (isCielchD50InGamut(temp)) {
1000 break;
1001 } else {
1002 temp.second -= gamutPrecisionCielab;
1003 }
1004 }
1005 if (temp.second < 0) {
1006 temp.second = 0;
1007 }
1008 return temp;
1009 }
1010}
1011
1012/** @brief Reduces the chroma until the color fits into the gamut.
1013 *
1014 * It always preserves the hue. It preservers the lightness whenever
1015 * possible.
1016 *
1017 * @note In some cases with very curvy color spaces, the nearest in-gamut
1018 * color (with the same lightness and hue) might be at <em>higher</em>
1019 * chroma. As this function always <em>reduces</em> the chroma,
1020 * in this case the result is not the nearest in-gamut color.
1021 *
1022 * @param oklchColor The color that will be adapted.
1023 *
1024 * @returns An @ref isOklchInGamut color. */
1025PerceptualColor::GenericColor RgbColorSpace::reduceOklchChromaToFitIntoGamut(const PerceptualColor::GenericColor &oklchColor) const
1026{
1027 GenericColor referenceColor = oklchColor;
1028
1029 // Normalize the LCH coordinates
1030 normalizePolar360(referenceColor.second, referenceColor.third);
1031
1032 // Bound to valid range:
1033 referenceColor.second = qMin<decltype(referenceColor.second)>( //
1034 referenceColor.second, //
1035 profileMaximumOklchChroma());
1036 referenceColor.first = qBound(d_pointer->m_oklabBlackpointL,
1037 referenceColor.first, //
1038 d_pointer->m_oklabWhitepointL);
1039
1040 // Test special case: If we are yet in-gamut…
1041 if (isOklchInGamut(referenceColor)) {
1042 return referenceColor;
1043 }
1044
1045 // Now we know: We are out-of-gamut.
1046 GenericColor temp;
1047
1048 // Create an in-gamut point on the gray axis:
1049 GenericColor lowerChroma{referenceColor.first, 0, referenceColor.third};
1050 if (!isOklchInGamut(lowerChroma)) {
1051 // This is quite strange because every point between the blackpoint
1052 // and the whitepoint on the gray axis should be in-gamut on
1053 // normally shaped gamuts. But as we never know, we need a fallback,
1054 // which is guaranteed to be in-gamut:
1055 referenceColor.first = d_pointer->m_oklabBlackpointL;
1056 lowerChroma.first = d_pointer->m_oklabBlackpointL;
1057 }
1058 // TODO Decide which one of the algorithms provides with the “if constexpr”
1059 // will be used (and remove the other one).
1060 constexpr bool quickApproximate = true;
1061 if constexpr (quickApproximate) {
1062 // Do a quick-approximate search:
1063 GenericColor upperChroma{referenceColor};
1064 // Now we know for sure that lowerChroma is in-gamut
1065 // and upperChroma is out-of-gamut…
1066 temp = upperChroma;
1067 while (upperChroma.second - lowerChroma.second > gamutPrecisionOklab) {
1068 // Our test candidate is half the way between lowerChroma
1069 // and upperChroma:
1070 temp.second = ((lowerChroma.second + upperChroma.second) / 2);
1071 if (isOklchInGamut(temp)) {
1072 lowerChroma = temp;
1073 } else {
1074 upperChroma = temp;
1075 }
1076 }
1077 return lowerChroma;
1078
1079 } else {
1080 // Do a slow-thorough search:
1081 temp = referenceColor;
1082 while (temp.second > 0) {
1083 if (isOklchInGamut(temp)) {
1084 break;
1085 } else {
1086 temp.second -= gamutPrecisionOklab;
1087 }
1088 }
1089 if (temp.second < 0) {
1090 temp.second = 0;
1091 }
1092 return temp;
1093 }
1094}
1095
1096/** @brief Conversion to CIELab.
1097 *
1098 * @param rgbColor The original color.
1099 * @returns The corresponding (opaque) CIELab color.
1100 *
1101 * @note By definition, each RGB color in a given color space is an in-gamut
1102 * color in this very same color space. Nevertheless, because of rounding
1103 * errors, when converting colors that are near to the outer hull of the
1104 * gamut/color space, than @ref isCielabD50InGamut() might return <tt>false</tt> for
1105 * a return value of <em>this</em> function. */
1106cmsCIELab RgbColorSpace::toCielabD50(const QRgba64 rgbColor) const
1107{
1108 constexpr qreal maximum = //
1109 std::numeric_limits<decltype(rgbColor.red())>::max();
1110 const double my_rgb[]{rgbColor.red() / maximum, //
1111 rgbColor.green() / maximum, //
1112 rgbColor.blue() / maximum};
1113 cmsCIELab cielabD50;
1114 cmsDoTransform(d_pointer->m_transformRgbToCielabD50Handle, // handle to transform
1115 &my_rgb, // input
1116 &cielabD50, // output
1117 1 // convert exactly 1 value
1118 );
1119 if (cielabD50.L < 0) {
1120 // Workaround for https://github.com/mm2/Little-CMS/issues/395
1121 cielabD50.L = 0;
1122 }
1123 return cielabD50;
1124}
1125
1126/** @brief Conversion to CIELCh-D50.
1127 *
1128 * @param rgbColor The original color.
1129 * @returns The corresponding (opaque) CIELCh-D50 color.
1130 *
1131 * @note By definition, each RGB color in a given color space is an in-gamut
1132 * color in this very same color space. Nevertheless, because of rounding
1133 * errors, when converting colors that are near to the outer hull of the
1134 * gamut/color space, than @ref isCielchD50InGamut() might return
1135 * <tt>false</tt> for a return value of <em>this</em> function.
1136 */
1137PerceptualColor::GenericColor RgbColorSpace::toCielchD50(const QRgba64 rgbColor) const
1138{
1139 constexpr qreal maximum = //
1140 std::numeric_limits<decltype(rgbColor.red())>::max();
1141 const double my_rgb[]{rgbColor.red() / maximum, //
1142 rgbColor.green() / maximum, //
1143 rgbColor.blue() / maximum};
1144 cmsCIELab cielabD50;
1145 cmsDoTransform(d_pointer->m_transformRgbToCielabD50Handle, // handle to transform
1146 &my_rgb, // input
1147 &cielabD50, // output
1148 1 // convert exactly 1 value
1149 );
1150 if (cielabD50.L < 0) {
1151 // Workaround for https://github.com/mm2/Little-CMS/issues/395
1152 cielabD50.L = 0;
1153 }
1154 cmsCIELCh cielchD50;
1155 cmsLab2LCh(&cielchD50, // output
1156 &cielabD50 // input
1157 );
1158 return GenericColor{cielchD50.L, cielchD50.C, cielchD50.h};
1159}
1160
1161/**
1162 * @brief Conversion LCh polar coordinates to corresponding Lab Cartesian
1163 * coordinates.
1164 *
1165 * @param lch The original LCh polar coordinates.
1166 *
1167 * @returns The corresponding Lab Cartesian coordinates.
1168 *
1169 * @note This function can convert both, from @ref ColorModel::CielchD50 to
1170 * @ref ColorModel::CielabD50, and from @ref ColorModel::OklchD65 to
1171 * @ref ColorModel::OklabD65.
1172 */
1173cmsCIELab RgbColorSpace::fromLchToCmsCIELab(const GenericColor &lch)
1174{
1175 const cmsCIELCh myCmsCieLch = lch.reinterpretAsLchToCmscielch();
1176 cmsCIELab lab; // uses cmsFloat64Number internally
1177 cmsLCh2Lab(&lab, // output
1178 &myCmsCieLch // input
1179 );
1180 return lab;
1181}
1182
1183/** @brief Conversion to QRgb.
1184 *
1185 * @param cielchD50 The original color.
1186 *
1187 * @returns If the original color is in-gamut, the corresponding
1188 * (opaque) in-range RGB value. If the original color is out-of-gamut,
1189 * a more or less similar (opaque) in-range RGB value.
1190 *
1191 * @note There is no guarantee <em>which</em> specific algorithm is used
1192 * to fit out-of-gamut colors into the gamut.
1193 *
1194 * @sa @ref fromCielabD50ToQRgbOrTransparent */
1195QRgb RgbColorSpace::fromCielchD50ToQRgbBound(const GenericColor &cielchD50) const
1196{
1197 const auto cielabD50 = fromLchToCmsCIELab(cielchD50);
1198 cmsUInt16Number rgb_int[3];
1199 cmsDoTransform(d_pointer->m_transformCielabD50ToRgb16Handle, // transform
1200 &cielabD50, // input
1201 rgb_int, // output
1202 1 // number of values to convert
1203 );
1204 constexpr qreal channelMaximumQReal = //
1205 std::numeric_limits<cmsUInt16Number>::max();
1206 constexpr quint8 rgbMaximum = 255;
1207 return qRgb(qRound(rgb_int[0] / channelMaximumQReal * rgbMaximum), //
1208 qRound(rgb_int[1] / channelMaximumQReal * rgbMaximum), //
1209 qRound(rgb_int[2] / channelMaximumQReal * rgbMaximum));
1210}
1211
1212/** @brief Check if a color is within the gamut.
1213 * @param lch the color
1214 * @returns <tt>true</tt> if the color is in the gamut.
1215 * <tt>false</tt> otherwise. */
1216bool RgbColorSpace::isCielchD50InGamut(const GenericColor &lch) const
1217{
1218 if (!isInRange<decltype(lch.first)>(0, lch.first, 100)) {
1219 return false;
1220 }
1221 if (!isInRange<decltype(lch.first)>( //
1222 (-1) * d_pointer->m_profileMaximumCielchD50Chroma, //
1223 lch.second, //
1224 d_pointer->m_profileMaximumCielchD50Chroma //
1225 )) {
1226 return false;
1227 }
1228 const auto cielabD50 = fromLchToCmsCIELab(lch);
1229 return qAlpha(fromCielabD50ToQRgbOrTransparent(cielabD50)) != 0;
1230}
1231
1232/** @brief Check if a color is within the gamut.
1233 * @param lch the color
1234 * @returns <tt>true</tt> if the color is in the gamut.
1235 * <tt>false</tt> otherwise. */
1236bool RgbColorSpace::isOklchInGamut(const GenericColor &lch) const
1237{
1238 if (!isInRange<decltype(lch.first)>(0, lch.first, 1)) {
1239 return false;
1240 }
1241 if (!isInRange<decltype(lch.first)>( //
1242 (-1) * d_pointer->m_profileMaximumOklchChroma, //
1243 lch.second, //
1244 d_pointer->m_profileMaximumOklchChroma //
1245 )) {
1246 return false;
1247 }
1248 const auto oklab = AbsoluteColor::fromPolarToCartesian(GenericColor(lch));
1249 const auto xyzD65 = AbsoluteColor::fromOklabToXyzD65(oklab);
1250 const auto xyzD50 = AbsoluteColor::fromXyzD65ToXyzD50(xyzD65);
1251 const auto cielabD50 = AbsoluteColor::fromXyzD50ToCielabD50(xyzD50);
1252 const auto cielabD50cms = cielabD50.reinterpretAsLabToCmscielab();
1253 const auto rgb = fromCielabD50ToQRgbOrTransparent(cielabD50cms);
1254 return (qAlpha(rgb) != 0);
1255}
1256
1257/** @brief Check if a color is within the gamut.
1258 * @param lab the color
1259 * @returns <tt>true</tt> if the color is in the gamut.
1260 * <tt>false</tt> otherwise. */
1261bool RgbColorSpace::isCielabD50InGamut(const cmsCIELab &lab) const
1262{
1263 if (!isInRange<decltype(lab.L)>(0, lab.L, 100)) {
1264 return false;
1265 }
1266 const auto chromaSquare = lab.a * lab.a + lab.b * lab.b;
1267 const auto maximumChromaSquare = qPow(d_pointer->m_profileMaximumCielchD50Chroma, 2);
1268 if (chromaSquare > maximumChromaSquare) {
1269 return false;
1270 }
1271 return qAlpha(fromCielabD50ToQRgbOrTransparent(lab)) != 0;
1272}
1273
1274/** @brief Conversion to QRgb.
1275 *
1276 * @pre
1277 * - Input Lightness: 0 ≤ lightness ≤ 100
1278 * @pre
1279 * - Input Chroma: - @ref RgbColorSpace::profileMaximumCielchD50Chroma ≤ chroma ≤
1280 * @ref RgbColorSpace::profileMaximumCielchD50Chroma
1281 *
1282 * @param lab the original color
1283 *
1284 * @returns The corresponding opaque color if the original color is in-gamut.
1285 * A transparent color otherwise.
1286 *
1287 * @sa @ref fromCielchD50ToQRgbBound */
1288QRgb RgbColorSpace::fromCielabD50ToQRgbOrTransparent(const cmsCIELab &lab) const
1289{
1290 constexpr QRgb transparentValue = 0;
1291 static_assert(qAlpha(transparentValue) == 0, //
1292 "The alpha value of a transparent QRgb must be 0.");
1293
1294 double rgb[3];
1295 cmsDoTransform(
1296 // Parameters:
1297 d_pointer->m_transformCielabD50ToRgbHandle, // handle to transform function
1298 &lab, // input
1299 &rgb, // output
1300 1 // convert exactly 1 value
1301 );
1302
1303 // Detect if valid:
1304 const bool colorIsValid = //
1305 isInRange<double>(0, rgb[0], 1) //
1306 && isInRange<double>(0, rgb[1], 1) //
1307 && isInRange<double>(0, rgb[2], 1);
1308 if (!colorIsValid) {
1309 return transparentValue;
1310 }
1311
1312 // Detect deviation:
1313 cmsCIELab roundtripCielabD50;
1314 cmsDoTransform(
1315 // Parameters:
1316 d_pointer->m_transformRgbToCielabD50Handle, // handle to transform function
1317 &rgb, // input
1318 &roundtripCielabD50, // output
1319 1 // convert exactly 1 value
1320 );
1321 const qreal actualDeviationSquare = //
1322 qPow(lab.L - roundtripCielabD50.L, 2) //
1323 + qPow(lab.a - roundtripCielabD50.a, 2) //
1324 + qPow(lab.b - roundtripCielabD50.b, 2);
1325 constexpr auto cielabDeviationLimitSquare = //
1326 RgbColorSpacePrivate::cielabDeviationLimit //
1327 * RgbColorSpacePrivate::cielabDeviationLimit;
1328 const bool actualDeviationIsOkay = //
1329 actualDeviationSquare <= cielabDeviationLimitSquare;
1330
1331 // If deviation is too big, return a transparent color.
1332 if (!actualDeviationIsOkay) {
1333 return transparentValue;
1334 }
1335
1336 // If in-gamut, return an opaque color.
1337 QColor temp = QColor::fromRgbF(static_cast<QColorFloatType>(rgb[0]), //
1338 static_cast<QColorFloatType>(rgb[1]), //
1339 static_cast<QColorFloatType>(rgb[2]));
1340 return temp.rgb();
1341}
1342
1343/** @brief Conversion to RGB.
1344 *
1345 * @param lch The original color.
1346 *
1347 * @returns If the original color is in-gamut, it returns the corresponding
1348 * in-range RGB color. If the original color is out-of-gamut, it returns an
1349 * RGB value which might be in-range or out-of range. The RGB value range
1350 * is [0, 1]. */
1351PerceptualColor::GenericColor RgbColorSpace::fromCielchD50ToRgb1(const PerceptualColor::GenericColor &lch) const
1352{
1353 const auto cielabD50 = fromLchToCmsCIELab(lch);
1354 double rgb[3];
1355 cmsDoTransform(
1356 // Parameters:
1357 d_pointer->m_transformCielabD50ToRgbHandle, // handle to transform function
1358 &cielabD50, // input
1359 &rgb, // output
1360 1 // convert exactly 1 value
1361 );
1362 return GenericColor(rgb[0], rgb[1], rgb[2]);
1363}
1364
1365/** @brief Calculation of @ref RgbColorSpace::profileMaximumCielchD50Chroma
1366 *
1367 * @returns Calculation of @ref RgbColorSpace::profileMaximumCielchD50Chroma */
1368double RgbColorSpacePrivate::detectMaximumCielchD50Chroma() const
1369{
1370 // Make sure chromaDetectionHuePrecision is big enough to make a difference
1371 // when being added to floating point variable “hue” used in loop later.
1372 static_assert(0. + chromaDetectionHuePrecision > 0.);
1373 static_assert(360. + chromaDetectionHuePrecision > 360.);
1374
1375 // Implementation
1376 double result = 0;
1377 double hue = 0;
1378 while (hue < 360) {
1379 const auto qColorHue = static_cast<QColorFloatType>(hue / 360.);
1380 const auto color = QColor::fromHsvF(qColorHue, 1, 1).rgba64();
1381 result = qMax(result, q_pointer->toCielchD50(color).second);
1382 hue += chromaDetectionHuePrecision;
1383 }
1384 result = result * chromaDetectionIncrementFactor + cielabDeviationLimit;
1385 return std::min<double>(result, CielchD50Values::maximumChroma);
1386}
1387
1388/** @brief Calculation of @ref RgbColorSpace::profileMaximumOklchChroma
1389 *
1390 * @returns Calculation of @ref RgbColorSpace::profileMaximumOklchChroma */
1391double RgbColorSpacePrivate::detectMaximumOklchChroma() const
1392{
1393 // Make sure chromaDetectionHuePrecision is big enough to make a difference
1394 // when being added to floating point variable “hue” used in loop later.
1395 static_assert(0. + chromaDetectionHuePrecision > 0.);
1396 static_assert(360. + chromaDetectionHuePrecision > 360.);
1397
1398 double chromaSquare = 0;
1399 double hue = 0;
1400 while (hue < 360) {
1401 const auto qColorHue = static_cast<QColorFloatType>(hue / 360.);
1402 const auto rgbColor = QColor::fromHsvF(qColorHue, 1, 1).rgba64();
1403 const auto cielabD50Color = q_pointer->toCielabD50(rgbColor);
1404 const auto cielabD50 = GenericColor(cielabD50Color);
1405 const auto xyzD50 = AbsoluteColor::fromCielabD50ToXyzD50(cielabD50);
1406 const auto xyzD65 = AbsoluteColor::fromXyzD50ToXyzD65(xyzD50);
1407 const auto oklab = AbsoluteColor::fromXyzD65ToOklab(xyzD65);
1408 chromaSquare = qMax( //
1409 chromaSquare, //
1410 oklab.second * oklab.second + oklab.third * oklab.third);
1411 hue += chromaDetectionHuePrecision;
1412 }
1413 const auto result = qSqrt(chromaSquare) * chromaDetectionIncrementFactor //
1414 + oklabDeviationLimit;
1415 return std::min<double>(result, OklchValues::maximumChroma);
1416}
1417
1418/** @brief Gets the rendering intents supported by the LittleCMS library.
1419 *
1420 * @returns The rendering intents supported by the LittleCMS library.
1421 *
1422 * @note Do not use this function. Instead, use @ref intentList. */
1423QMap<cmsUInt32Number, QString> RgbColorSpacePrivate::getIntentList()
1424{
1425 // TODO xxx Actually use this (for translation, for example), or remove it…
1427 const cmsUInt32Number intentCount = //
1428 cmsGetSupportedIntents(0, nullptr, nullptr);
1429 cmsUInt32Number *codeArray = new cmsUInt32Number[intentCount];
1430 char **descriptionArray = new char *[intentCount];
1431 cmsGetSupportedIntents(intentCount, codeArray, descriptionArray);
1432 for (cmsUInt32Number i = 0; i < intentCount; ++i) {
1433 result.insert(codeArray[i], QString::fromUtf8(descriptionArray[i]));
1434 }
1435 delete[] codeArray;
1436 delete[] descriptionArray;
1437 return result;
1438}
1439
1440} // namespace PerceptualColor
KGUIADDONS_EXPORT qreal hue(const QColor &)
QStringView countryCode(QStringView coachNumber)
KIOCORE_EXPORT QStringList list(const QString &fileClass)
The namespace of this library.
const char * versionString()
QByteArray & append(QByteArrayView data)
const char * constData() const const
void reserve(qsizetype size)
qsizetype size() const const
QColor fromHsvF(float h, float s, float v, float a)
QColor fromRgbF(float r, float g, float b, float a)
QRgb rgb() const const
QRgba64 rgba64() const const
QCoreApplication * instance()
QString absoluteFilePath() const const
void append(QList< T > &&value)
const_reference at(qsizetype i) const const
qsizetype count() const const
void reserve(qsizetype size)
QString name() const const
iterator insert(const Key &key, const T &value)
quint16 blue() const const
quint16 green() const const
quint16 red() const const
QString fromLatin1(QByteArrayView str)
QString fromUtf8(QByteArrayView str)
QString fromWCharArray(const wchar_t *string, qsizetype size)
QString number(double n, char format, int precision)
qsizetype size() const const
QStringList split(QChar sep, Qt::SplitBehavior behavior, Qt::CaseSensitivity cs) const const
const_pointer constData() const const
qsizetype size() const const
QVersionNumber fromString(QAnyStringView string, qsizetype *suffixIndex)
This file is part of the KDE documentation.
Documentation copyright © 1996-2025 The KDE developers.
Generated on Fri Apr 4 2025 11:54:42 by doxygen 1.13.2 written by Dimitri van Heesch, © 1997-2006

KDE's Doxygen guidelines are available online.