prefix
stringlengths
82
32.6k
middle
stringlengths
5
470
suffix
stringlengths
0
81.2k
file_path
stringlengths
6
168
repo_name
stringlengths
16
77
context
listlengths
5
5
lang
stringclasses
4 values
ground_truth
stringlengths
5
470
package dev.klepto.unreflect.reflection; import dev.klepto.unreflect.bytecode.asm.AccessorGenerator; import dev.klepto.unreflect.property.Reflectable; import dev.klepto.unreflect.bytecode.BytecodeContructorAccess; import dev.klepto.unreflect.UnreflectType; import dev.klepto.unreflect.ConstructorAccess; import dev.klepto.unreflect.ParameterAccess; import dev.klepto.unreflect.util.Parameters; import lombok.RequiredArgsConstructor; import lombok.SneakyThrows; import lombok.With; import lombok.val; import one.util.streamex.StreamEx; import java.lang.annotation.Annotation; import java.lang.reflect.Constructor; /** * Reflection-based implementation of {@link ConstructorAccess}. * * @author <a href="http://github.com/klepto">Augustinas R.</a> */ @With @RequiredArgsConstructor public class ReflectionConstructorAccess<T> implements ConstructorAccess<T> { private final Reflectable parent; private final Constructor<T> source; @Override public ConstructorAccess<T> unreflect() { val accessor = AccessorGenerator.getInstance().generateInvokableAccessor(source); return new BytecodeContructorAccess<>(this, accessor); } @Override public ConstructorAccess<T> reflect() { return this; } @Override public ConstructorAccess<T> bind(Object object) { return this; } @Override public int modifiers() { return source.getModifiers(); } @Override public StreamEx<ParameterAccess> parameters() { return StreamEx.of(source.getParameters()) .map(parameter -> new ReflectionParameterAccess(this, parameter)); } @Override public Constructor<T> source() { return source; } @Override public T create(Object... args) { return invoke(args); } @Override @SneakyThrows public T invoke(Object... args) { return source.newInstance(args); } @Override public Reflectable parent() { return parent; } @Override public StreamEx<Annotation> annotations() { return StreamEx.of(source.getDeclaredAnnotations()); } @Override public UnreflectType type() { return parent.type(); } @Override public String toString() { return type
().toClass().getSimpleName() + Parameters.toString(parameters().toList());
} }
src/main/java/dev/klepto/unreflect/reflection/ReflectionConstructorAccess.java
klepto-unreflect-a818c39
[ { "filename": "src/main/java/dev/klepto/unreflect/reflection/ReflectionMethodAccess.java", "retrieved_chunk": " return StreamEx.of(source.getAnnotations());\n }\n @Override\n public UnreflectType type() {\n return UnreflectType.of(source.getGenericReturnType());\n }\n @Override\n public String name() {\n return source.getName();\n }", "score": 0.9446663856506348 }, { "filename": "src/main/java/dev/klepto/unreflect/reflection/ReflectionParameterAccess.java", "retrieved_chunk": " @Override\n public UnreflectType type() {\n return UnreflectType.of(source.getParameterizedType());\n }\n @Override\n public String toString() {\n return type().toString() + \" \" + name();\n }\n}", "score": 0.9064416885375977 }, { "filename": "src/main/java/dev/klepto/unreflect/reflection/ReflectionMethodAccess.java", "retrieved_chunk": " @Override\n public Method source() {\n return source;\n }\n public Object object() {\n return object;\n }\n @Override\n public String toString() {\n val signature = type().toClass().getSimpleName() + \" \" + name() + Parameters.toString(parameters().toList());", "score": 0.8941595554351807 }, { "filename": "src/main/java/dev/klepto/unreflect/reflection/ReflectionMethodAccess.java", "retrieved_chunk": " @Override\n public int modifiers() {\n return source.getModifiers();\n }\n @Override\n public StreamEx<ParameterAccess> parameters() {\n return StreamEx.of(source.getParameters())\n .map(parameter -> new ReflectionParameterAccess(this, parameter));\n }\n @Override", "score": 0.8895677924156189 }, { "filename": "src/main/java/dev/klepto/unreflect/reflection/ReflectionClassAccess.java", "retrieved_chunk": " @Override\n public Reflectable parent() {\n return new ReflectionClassAccess<>(source.getSuperclass(), object);\n }\n @Override\n public StreamEx<Annotation> annotations() {\n return StreamEx.of(source.getDeclaredAnnotations());\n }\n @Override\n public UnreflectType type() {", "score": 0.8834460973739624 } ]
java
().toClass().getSimpleName() + Parameters.toString(parameters().toList());
package com.github.kingschan1204.easycrawl.task; import com.github.kingschan1204.easycrawl.core.agent.WebAgent; import com.github.kingschan1204.easycrawl.helper.http.UrlHelper; import com.github.kingschan1204.easycrawl.helper.json.JsonHelper; import com.github.kingschan1204.easycrawl.helper.validation.Assert; import lombok.extern.slf4j.Slf4j; import java.util.*; import java.util.concurrent.CompletableFuture; import java.util.function.Consumer; import java.util.function.Function; @Slf4j public class EasyCrawl<R> { private WebAgent webAgent; private Function<WebAgent, R> parserFunction; public EasyCrawl<R> webAgent(WebAgent webAgent) { this.webAgent = webAgent; return this; } // public static EasyCrawlNew of(WebAgentNew webAgent){ // return new EasyCrawlNew(webAgent); // } public EasyCrawl<R> analyze(Function<WebAgent, R> parserFunction) { this.parserFunction = parserFunction; return this; } public R execute() { return execute(null); } public R execute(Map<String, Object> map) { Assert.notNull(webAgent, "agent对象不能为空!"); Assert.notNull(parserFunction, "解析函数不能为空!"); R result; CompletableFuture<R> cf = CompletableFuture.supplyAsync(() -> { try { return webAgent.execute(map); } catch (Exception e) { e.printStackTrace(); return null; } }).thenApply(parserFunction); try { result = cf.get(); } catch (Exception e) { throw new RuntimeException(e); } return result; } /** * restApi json格式自动获取所有分页 * @param map 运行参数 * @param pageIndexKey 页码key * @param totalKey 总记录条数key * @param pageSize * @return */ public List<R> executePage(Map<String, Object> map, String pageIndexKey, String totalKey, Integer pageSize) { List<R> list = Collections.synchronizedList(new ArrayList<>()); WebAgent data = webAgent.execute(map); JsonHelper json = data.getJson();
int totalRows = json.get(totalKey, Integer.class);
int totalPage = (totalRows + pageSize - 1) / pageSize; log.debug("共{}记录,每页展示{}条,共{}页", totalRows, pageSize, totalPage); List<CompletableFuture<R>> cfList = new ArrayList<>(); Consumer<R> consumer = (r) -> { if (r instanceof Collection) { list.addAll((Collection<? extends R>) r); } else { list.add(r); } }; cfList.add(CompletableFuture.supplyAsync(() -> data).thenApply(parserFunction)); cfList.get(0).thenAccept(consumer); for (int i = 2; i <= totalPage; i++) { String url = new UrlHelper(webAgent.getConfig().getUrl()).set(pageIndexKey, String.valueOf(i)).getUrl(); CompletableFuture<R> cf = CompletableFuture.supplyAsync(() -> { try { return webAgent.url(url).execute(map); } catch (Exception e) { e.printStackTrace(); return null; } }).thenApply(parserFunction); cf.thenAccept(consumer); cfList.add(cf); } CompletableFuture.allOf(cfList.toArray(new CompletableFuture[]{})).join(); return list; } }
src/main/java/com/github/kingschan1204/easycrawl/task/EasyCrawl.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " .analyze(WebAgent::getText)\n .execute(map);\n System.out.println(data);\n }\n @DisplayName(\"股东人数\")\n @Test\n public void gdrs() {\n String page = \"https://xueqiu.com/snowman/S/${code}/detail#/GDRS\";\n Map<String, Object> map = new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap();\n Map<String, String> cookies = getXQCookies();", "score": 0.8161894679069519 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " map.put(\"begin\", rows.getJSONArray(0).getLong(0));\n if (rows.size() < Math.abs(pageSize)) {\n System.out.println(\"没有数据了!\");\n hasNext = false;\n break;\n }\n }\n list.forEach(System.err::println);\n }\n @DisplayName(\"个股详情\")", "score": 0.8145825862884521 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " String dataUrl = \"https://stock.xueqiu.com/v5/stock/chart/kline.json?symbol=${code}&begin=${begin}&period=day&type=before&count=${count}&indicator=kline,pe,pb,ps,pcf,market_capital,agt,ggt,balance\";\n List<String> list = new ArrayList<>();\n boolean hasNext = true;\n while (hasNext) {\n JsonHelper jsonHelper = new EasyCrawl<JsonHelper>()\n .webAgent(WebAgent.defaultAgent().url(dataUrl).referer(referer).cookie(cookies))\n .analyze(WebAgent::getJson).execute(map);\n JSONArray columns = jsonHelper.get(\"data.column\", JSONArray.class);\n JSONArray rows = jsonHelper.get(\"data.item\", JSONArray.class);\n StringBuffer sqls = new StringBuffer();", "score": 0.8117432594299316 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " .analyze(WebAgent::getText)\n .execute(new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap());\n System.out.println(data);\n }\n @DisplayName(\"top10 股东\")\n @Test\n public void top10() {\n Map<String, Object> map = new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap();\n Map<String, String> cookies = getXQCookies();\n //获取最新的十大股东 及 所有时间列表", "score": 0.8020952343940735 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " String apiUrl = \"https://stock.xueqiu.com/v5/stock/f10/cn/bonus.json?symbol=${code}&size=100&page=1&extend=true\";\n String referer = \"https://xueqiu.com/snowman/S/SH600887/detail\";\n Map<String, Object> args = new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap();\n Map<String, String> cookies = getXQCookies();\n String data = new EasyCrawl<String>()\n .webAgent(WebAgent.defaultAgent().url(apiUrl).referer(referer).cookie(cookies))\n .analyze(WebAgent::getText)\n .execute(args);\n System.out.println(data);\n JSONArray rows = JsonHelper.of(data).get(\"data.items\", JSONArray.class);", "score": 0.7985637784004211 } ]
java
int totalRows = json.get(totalKey, Integer.class);
package com.github.kingschan1204.easycrawl.helper.http; import com.github.kingschan1204.easycrawl.core.agent.AgentResult; import lombok.extern.slf4j.Slf4j; /** * @author kingschan */ @Slf4j public class ResponseAssertHelper { private AgentResult result; public ResponseAssertHelper(AgentResult agentResult) { this.result = agentResult; } public static ResponseAssertHelper of(AgentResult agentResult) { return new ResponseAssertHelper(agentResult); } public void infer() { statusCode(); contentType(); } public void statusCode() { log.debug("http状态:{}", result.getStatusCode()); if (!result.getStatusCode().equals(200)) { if (result.getStatusCode() >= 500) { log.warn("服务器错误!"); } else if (result.getStatusCode() == 404) { log.warn("地址不存在!"); } else if
(result.getStatusCode() == 401) {
log.warn("401表示未经授权!或者证明登录信息的cookie,token已过期!"); } else if (result.getStatusCode() == 400) { log.warn("传参有问题!一般参数传少了或者不正确!"); }else{ log.warn("未支持的状态码: {}",result.getStatusCode()); } } } public void contentType() { String type = result.getContentType(); String content = "不知道是个啥!"; if (type.matches("text/html.*")) { content = "html"; } else if (type.matches("application/json.*")) { content = "json"; } else if (type.matches("application/vnd.ms-excel.*")) { content = "excel"; } else if (type.matches("text/css.*")) { content = "css"; } else if (type.matches("application/javascript.*")) { content = "js"; } else if (type.matches("image.*")) { content = "图片"; } else if (type.matches("application/pdf.*")) { content = "pdf"; } log.debug("推测 http 响应类型:{}", content); } }
src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " ResponseHeadHelper headHelper = ResponseHeadHelper.of(result.getHeaders());\n Assert.isTrue(headHelper.fileContent(), \"非文件流请求,无法输出文件!\");\n String defaultFileName = null;\n File file = null;\n if (result.getStatusCode() != 200) {\n log.error(\"文件下载失败:{}\", this.config.getUrl());\n throw new RuntimeException(String.format(\"文件下载失败:%s 返回码:%s\", this.config.getUrl(), result.getStatusCode()));\n }\n try {\n defaultFileName = headHelper.getFileName();", "score": 0.8315220475196838 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/StatusPrintInterceptorImpl.java", "retrieved_chunk": "@Slf4j\npublic class StatusPrintInterceptorImpl implements AfterInterceptor {\n @Override\n public AgentResult interceptor(Map<String, Object> data, WebAgent webAgent) {\n AgentResult result = webAgent.getResult();\n log.debug(\"ContentType : {}\", result.getContentType());\n log.debug(\"编码 {} \",result.getCharset());\n log.debug(\"Headers : {}\", result.getHeaders());\n log.debug(\"Cookies : {}\", result.getCookies());\n log.debug(\"耗时 {} 毫秒\",result.getTimeMillis());", "score": 0.8208735585212708 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " out.write(result.getBodyAsByes());\n } catch (Exception ex) {\n log.error(\"文件下载失败:{} {}\", this.config.getUrl(), ex);\n ex.printStackTrace();\n } finally {\n assert out != null;\n out.close();\n }\n } catch (Exception e) {\n e.printStackTrace();", "score": 0.8183494210243225 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/TranscodingInterceptorImpl.java", "retrieved_chunk": " log.warn(\"未获取到编码信息,有可能中文乱码!尝试自动提取编码!\");\n String text = RegexHelper.findFirst(result.getBody(), RegexHelper.REGEX_HTML_CHARSET);\n charset = RegexHelper.findFirst(text, \"(?i)charSet(\\\\s+)?=.*\\\"\").replaceAll(\"(?i)charSet|=|\\\"|\\\\s\", \"\");\n if (!charset.isEmpty()) {\n log.debug(\"编码提取成功,将自动转码:{}\", charset);\n result.setBody(transcoding(result.getBodyAsByes(), charset));\n } else {\n log.warn(\"自动提取编码失败!\");\n }\n }", "score": 0.8180091381072998 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/ProxyTest.java", "retrieved_chunk": " .webAgent(WebAgent.defaultAgent().referer(apiUrl).useAgent(useAgent).url(apiUrl).proxy(proxy))\n .analyze(r -> r.getResult().getBody()).execute();\n System.out.println(result);\n }\n}", "score": 0.8020176291465759 } ]
java
(result.getStatusCode() == 401) {
package com.github.kingschan1204.easycrawl.helper.http; import com.github.kingschan1204.easycrawl.core.agent.AgentResult; import lombok.extern.slf4j.Slf4j; /** * @author kingschan */ @Slf4j public class ResponseAssertHelper { private AgentResult result; public ResponseAssertHelper(AgentResult agentResult) { this.result = agentResult; } public static ResponseAssertHelper of(AgentResult agentResult) { return new ResponseAssertHelper(agentResult); } public void infer() { statusCode(); contentType(); } public void statusCode() { log.debug("http状态:{}", result.getStatusCode()); if (!result.getStatusCode().equals(200)) { if (result.getStatusCode() >= 500) { log.warn("服务器错误!"); } else if (result.getStatusCode() == 404) { log.warn("地址不存在!"); } else if (result.getStatusCode() == 401) { log.warn("401表示未经授权!或者证明登录信息的cookie,token已过期!"); } else if (result.getStatusCode() == 400) { log.warn("传参有问题!一般参数传少了或者不正确!"); }else{ log
.warn("未支持的状态码: {
}",result.getStatusCode()); } } } public void contentType() { String type = result.getContentType(); String content = "不知道是个啥!"; if (type.matches("text/html.*")) { content = "html"; } else if (type.matches("application/json.*")) { content = "json"; } else if (type.matches("application/vnd.ms-excel.*")) { content = "excel"; } else if (type.matches("text/css.*")) { content = "css"; } else if (type.matches("application/javascript.*")) { content = "js"; } else if (type.matches("image.*")) { content = "图片"; } else if (type.matches("application/pdf.*")) { content = "pdf"; } log.debug("推测 http 响应类型:{}", content); } }
src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/TranscodingInterceptorImpl.java", "retrieved_chunk": " log.warn(\"未获取到编码信息,有可能中文乱码!尝试自动提取编码!\");\n String text = RegexHelper.findFirst(result.getBody(), RegexHelper.REGEX_HTML_CHARSET);\n charset = RegexHelper.findFirst(text, \"(?i)charSet(\\\\s+)?=.*\\\"\").replaceAll(\"(?i)charSet|=|\\\"|\\\\s\", \"\");\n if (!charset.isEmpty()) {\n log.debug(\"编码提取成功,将自动转码:{}\", charset);\n result.setBody(transcoding(result.getBodyAsByes(), charset));\n } else {\n log.warn(\"自动提取编码失败!\");\n }\n }", "score": 0.8229652047157288 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " ResponseHeadHelper headHelper = ResponseHeadHelper.of(result.getHeaders());\n Assert.isTrue(headHelper.fileContent(), \"非文件流请求,无法输出文件!\");\n String defaultFileName = null;\n File file = null;\n if (result.getStatusCode() != 200) {\n log.error(\"文件下载失败:{}\", this.config.getUrl());\n throw new RuntimeException(String.format(\"文件下载失败:%s 返回码:%s\", this.config.getUrl(), result.getStatusCode()));\n }\n try {\n defaultFileName = headHelper.getFileName();", "score": 0.8119128942489624 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " out.write(result.getBodyAsByes());\n } catch (Exception ex) {\n log.error(\"文件下载失败:{} {}\", this.config.getUrl(), ex);\n ex.printStackTrace();\n } finally {\n assert out != null;\n out.close();\n }\n } catch (Exception e) {\n e.printStackTrace();", "score": 0.8051955699920654 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/utils/JsoupHelper.java", "retrieved_chunk": " log.error(\"【网络超时】 {} 执行时间:{} 毫秒\", pageUrl, System.currentTimeMillis() - start);\n throw new RuntimeException(ex.getMessage());\n } catch (Exception e) {\n e.printStackTrace();\n log.error(\"crawlPage {} {}\", pageUrl, e);\n throw new RuntimeException(e.getMessage());\n }\n }\n static HostnameVerifier hv = (urlHostName, session) -> {\n// log.warn(\"Warning: URL Host: {} vs. {}\", urlHostName, session.getPeerHost());", "score": 0.7891375422477722 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/StatusPrintInterceptorImpl.java", "retrieved_chunk": "@Slf4j\npublic class StatusPrintInterceptorImpl implements AfterInterceptor {\n @Override\n public AgentResult interceptor(Map<String, Object> data, WebAgent webAgent) {\n AgentResult result = webAgent.getResult();\n log.debug(\"ContentType : {}\", result.getContentType());\n log.debug(\"编码 {} \",result.getCharset());\n log.debug(\"Headers : {}\", result.getHeaders());\n log.debug(\"Cookies : {}\", result.getCookies());\n log.debug(\"耗时 {} 毫秒\",result.getTimeMillis());", "score": 0.7887853384017944 } ]
java
.warn("未支持的状态码: {
package com.github.kingschan1204.easycrawl.helper.sql; import com.alibaba.fastjson.JSONArray; import com.alibaba.fastjson.JSONObject; import com.github.kingschan1204.easycrawl.helper.regex.RegexHelper; import com.github.kingschan1204.easycrawl.helper.validation.Assert; import lombok.extern.slf4j.Slf4j; import java.math.BigDecimal; import java.util.*; import java.util.stream.Collectors; /** * @author kingschan */ @Slf4j public class SqlHelper { public static final Map<String, String> fieldType; static { fieldType = new HashMap<>(); fieldType.put("String", "varchar(50)"); fieldType.put("Integer", "int"); fieldType.put("Long", "bigint"); fieldType.put("Boolean", "bit"); fieldType.put("BigDecimal", "decimal(22,4)"); } public static String createTable(JSONObject json, String tableName) { List<String> fields = new ArrayList<>(); for (String key : json.keySet()) { String type = Optional.ofNullable(json.get(key)).map(r -> json.get(key).getClass().getSimpleName()).orElse("String"); fields.add(String.format(" `%s` %s", key, fieldType.get(type))); } return String.format("create table %s (%s)", tableName, String.join(",", fields)); } public static String createTable(String[] columns, String tableName) { String temp = "create table %s (%s)"; String fields = " `%s` varchar(50) not null default '' "; StringBuffer field = new StringBuffer(); for (int i = 0; i < columns.length; i++) { field.append(String.format(fields, columns[i])); if (i < columns.length - 1) { field.append(","); } } return String.format(temp, tableName, field.toString()); } public static String insert(Object[] columns, Object[] data, String tableName) { String temp = "insert into %s (%s) values (%s);"; return String.format(temp, tableName, Arrays.stream(columns).map(String::valueOf).collect(Collectors.joining(",")), Arrays.stream(data).map(v -> { String val = String.valueOf(v); //科学计数转换 if (val.matches(RegexHelper.REGEX_SCIENTIFIC_NOTATION)) { return String.format("'%s'", null == v ? "" : new BigDecimal(val).toPlainString()); } return String.format("'%s'", null == v ? "" : v); }).collect(Collectors.joining(",")) ); } public static String insertBatch(String[] columns, JSONArray data, String tableName) {
Assert.isTrue(data.get(0) instanceof JSONArray, "数据格式不匹配!");
String temp = "insert into %s (%s) values %s ;"; StringBuffer values = new StringBuffer(); for (int i = 0; i < data.size(); i++) { JSONArray row = data.getJSONArray(i); values.append(String.format("(%s)", Arrays.stream(row.toArray(new Object[]{})).map(v -> String.format("'%s'", null == v ? "" : v)).collect(Collectors.joining(",")) )); if (i < columns.length - 1) { values.append(","); } } return String.format(temp, tableName, Arrays.stream(columns).map(r -> String.format("`%s`", r)).collect(Collectors.joining(",")), values.toString() ); } }
src/main/java/com/github/kingschan1204/easycrawl/helper/sql/SqlHelper.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " StringBuffer sqls = new StringBuffer();\n for (int i = 0; i < rows.size(); i++) {\n JSONObject row = rows.getJSONObject(i);\n //把时间戳转为可读日期\n for (String key : row.keySet()) {\n if (row.get(key) instanceof Long) {\n row.put(key, DateHelper.of(row.getLong(key)).date());\n }\n }\n String insert = SqlHelper.insert(row.keySet().toArray(new String[]{}), row.values().toArray(new Object[]{}), \"dividend\");", "score": 0.8210960626602173 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " String insert = SqlHelper.insert(columns.toArray(), array.toArray(new Object[]{}), \"kline_600887\");\n sqls.append(insert);\n }\n list.add(sqls.toString());\n //设置下一次的参数\n System.out.println(\n String.format(\"时间范围: %s ~ %s\",\n DateHelper.of(rows.getJSONArray(0).getLong(0)).date(),\n DateHelper.of(rows.getJSONArray(rows.size() - 1).getLong(0)).date())\n );", "score": 0.8140206336975098 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/json/JsonHelper.java", "retrieved_chunk": " }\n @Override\n public String toString() {\n //按顺序输出,默认不输出为null的字段,设置为null也输出\n return JSON.toJSONString(null == json ? jsonArray : json, SerializerFeature.SortField,SerializerFeature.WriteMapNullValue);\n }\n public static void main(String[] args) {\n// String data = \"[0,1,2,3,4]\";\n// String data = \"[{'name':'a'},{'name':'b','array':[1,2,3,4,5]}]\";\n String data = \"{'name':'b','array':[1,2,3,4,5]}\";", "score": 0.8035596609115601 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/plugs/freemarker/FreemarkParser.java", "retrieved_chunk": " configuration.setDefaultEncoding(\"UTF-8\");\n configuration.setNumberFormat(\"#.####\");\n Template template = configuration.getTemplate(\"\");\n StringWriter writer = new StringWriter();\n try {\n template.process(valMap, writer);\n } catch (Exception e) {\n System.out.println(JSON.toJSONString(valMap));\n System.out.println(text);\n throw e;", "score": 0.7851752042770386 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " String dataUrl = \"https://stock.xueqiu.com/v5/stock/chart/kline.json?symbol=${code}&begin=${begin}&period=day&type=before&count=${count}&indicator=kline,pe,pb,ps,pcf,market_capital,agt,ggt,balance\";\n List<String> list = new ArrayList<>();\n boolean hasNext = true;\n while (hasNext) {\n JsonHelper jsonHelper = new EasyCrawl<JsonHelper>()\n .webAgent(WebAgent.defaultAgent().url(dataUrl).referer(referer).cookie(cookies))\n .analyze(WebAgent::getJson).execute(map);\n JSONArray columns = jsonHelper.get(\"data.column\", JSONArray.class);\n JSONArray rows = jsonHelper.get(\"data.item\", JSONArray.class);\n StringBuffer sqls = new StringBuffer();", "score": 0.7825682163238525 } ]
java
Assert.isTrue(data.get(0) instanceof JSONArray, "数据格式不匹配!");
package com.github.kingschan1204.easycrawl.helper.http; import com.github.kingschan1204.easycrawl.core.agent.AgentResult; import lombok.extern.slf4j.Slf4j; /** * @author kingschan */ @Slf4j public class ResponseAssertHelper { private AgentResult result; public ResponseAssertHelper(AgentResult agentResult) { this.result = agentResult; } public static ResponseAssertHelper of(AgentResult agentResult) { return new ResponseAssertHelper(agentResult); } public void infer() { statusCode(); contentType(); } public void statusCode() { log.debug("http状态:{}", result.getStatusCode()); if (!result.getStatusCode().equals(200)) { if (result.getStatusCode() >= 500) { log.warn("服务器错误!"); } else if (result.getStatusCode() == 404) { log.warn("地址不存在!"); } else if (result.getStatusCode() == 401) { log.warn("401表示未经授权!或者证明登录信息的cookie,token已过期!"); } else if (result.getStatusCode() == 400) { log.warn("传参有问题!一般参数传少了或者不正确!"); }else{ log.warn("未支持的状态码: {}",result.getStatusCode()); } } } public void contentType() {
String type = result.getContentType();
String content = "不知道是个啥!"; if (type.matches("text/html.*")) { content = "html"; } else if (type.matches("application/json.*")) { content = "json"; } else if (type.matches("application/vnd.ms-excel.*")) { content = "excel"; } else if (type.matches("text/css.*")) { content = "css"; } else if (type.matches("application/javascript.*")) { content = "js"; } else if (type.matches("image.*")) { content = "图片"; } else if (type.matches("application/pdf.*")) { content = "pdf"; } log.debug("推测 http 响应类型:{}", content); } }
src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/TranscodingInterceptorImpl.java", "retrieved_chunk": " log.warn(\"未获取到编码信息,有可能中文乱码!尝试自动提取编码!\");\n String text = RegexHelper.findFirst(result.getBody(), RegexHelper.REGEX_HTML_CHARSET);\n charset = RegexHelper.findFirst(text, \"(?i)charSet(\\\\s+)?=.*\\\"\").replaceAll(\"(?i)charSet|=|\\\"|\\\\s\", \"\");\n if (!charset.isEmpty()) {\n log.debug(\"编码提取成功,将自动转码:{}\", charset);\n result.setBody(transcoding(result.getBodyAsByes(), charset));\n } else {\n log.warn(\"自动提取编码失败!\");\n }\n }", "score": 0.8588388562202454 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " ResponseHeadHelper headHelper = ResponseHeadHelper.of(result.getHeaders());\n Assert.isTrue(headHelper.fileContent(), \"非文件流请求,无法输出文件!\");\n String defaultFileName = null;\n File file = null;\n if (result.getStatusCode() != 200) {\n log.error(\"文件下载失败:{}\", this.config.getUrl());\n throw new RuntimeException(String.format(\"文件下载失败:%s 返回码:%s\", this.config.getUrl(), result.getStatusCode()));\n }\n try {\n defaultFileName = headHelper.getFileName();", "score": 0.8474960327148438 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/StatusPrintInterceptorImpl.java", "retrieved_chunk": "@Slf4j\npublic class StatusPrintInterceptorImpl implements AfterInterceptor {\n @Override\n public AgentResult interceptor(Map<String, Object> data, WebAgent webAgent) {\n AgentResult result = webAgent.getResult();\n log.debug(\"ContentType : {}\", result.getContentType());\n log.debug(\"编码 {} \",result.getCharset());\n log.debug(\"Headers : {}\", result.getHeaders());\n log.debug(\"Cookies : {}\", result.getCookies());\n log.debug(\"耗时 {} 毫秒\",result.getTimeMillis());", "score": 0.8372642397880554 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseHeadHelper.java", "retrieved_chunk": " try {\n String key = responseHeaders.keySet().stream().filter(r -> r.matches(\"(?i)Content-disposition\")).findFirst().get();\n String cd = responseHeaders.get(key);\n //有可能要转码\n String decode = URLDecoder.decode(cd, \"UTF-8\");\n fileName = decode.replaceAll(\".*=\", \"\");\n log.debug(\"提取到的文件名 : {}\",fileName);\n } catch (Exception e) {\n e.printStackTrace();\n throw new RuntimeException(e);", "score": 0.8282690048217773 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/TranscodingInterceptorImpl.java", "retrieved_chunk": "@Slf4j\npublic class TranscodingInterceptorImpl implements AfterInterceptor {\n @Override\n public AgentResult interceptor(Map<String, Object> data, WebAgent webAgent) {\n AgentResult result = webAgent.getResult();\n String charset = result.getCharset();\n String contentType = result.getContentType();\n //\t<meta http-equiv=\"Content-Type\" content=\"text/html; charset=gbk\"/>\n // <meta charSet=\"utf-8\"/>\n if (null == charset && contentType.matches(\"text/html.*\")) {", "score": 0.8175557851791382 } ]
java
String type = result.getContentType();
package com.github.kingschan1204.easycrawl.task; import com.github.kingschan1204.easycrawl.core.agent.WebAgent; import com.github.kingschan1204.easycrawl.helper.http.UrlHelper; import com.github.kingschan1204.easycrawl.helper.json.JsonHelper; import com.github.kingschan1204.easycrawl.helper.validation.Assert; import lombok.extern.slf4j.Slf4j; import java.util.*; import java.util.concurrent.CompletableFuture; import java.util.function.Consumer; import java.util.function.Function; @Slf4j public class EasyCrawl<R> { private WebAgent webAgent; private Function<WebAgent, R> parserFunction; public EasyCrawl<R> webAgent(WebAgent webAgent) { this.webAgent = webAgent; return this; } // public static EasyCrawlNew of(WebAgentNew webAgent){ // return new EasyCrawlNew(webAgent); // } public EasyCrawl<R> analyze(Function<WebAgent, R> parserFunction) { this.parserFunction = parserFunction; return this; } public R execute() { return execute(null); } public R execute(Map<String, Object> map) { Assert.notNull(webAgent, "agent对象不能为空!"); Assert.notNull(parserFunction, "解析函数不能为空!"); R result; CompletableFuture<R> cf = CompletableFuture.supplyAsync(() -> { try {
return webAgent.execute(map);
} catch (Exception e) { e.printStackTrace(); return null; } }).thenApply(parserFunction); try { result = cf.get(); } catch (Exception e) { throw new RuntimeException(e); } return result; } /** * restApi json格式自动获取所有分页 * @param map 运行参数 * @param pageIndexKey 页码key * @param totalKey 总记录条数key * @param pageSize * @return */ public List<R> executePage(Map<String, Object> map, String pageIndexKey, String totalKey, Integer pageSize) { List<R> list = Collections.synchronizedList(new ArrayList<>()); WebAgent data = webAgent.execute(map); JsonHelper json = data.getJson(); int totalRows = json.get(totalKey, Integer.class); int totalPage = (totalRows + pageSize - 1) / pageSize; log.debug("共{}记录,每页展示{}条,共{}页", totalRows, pageSize, totalPage); List<CompletableFuture<R>> cfList = new ArrayList<>(); Consumer<R> consumer = (r) -> { if (r instanceof Collection) { list.addAll((Collection<? extends R>) r); } else { list.add(r); } }; cfList.add(CompletableFuture.supplyAsync(() -> data).thenApply(parserFunction)); cfList.get(0).thenAccept(consumer); for (int i = 2; i <= totalPage; i++) { String url = new UrlHelper(webAgent.getConfig().getUrl()).set(pageIndexKey, String.valueOf(i)).getUrl(); CompletableFuture<R> cf = CompletableFuture.supplyAsync(() -> { try { return webAgent.url(url).execute(map); } catch (Exception e) { e.printStackTrace(); return null; } }).thenApply(parserFunction); cf.thenAccept(consumer); cfList.add(cf); } CompletableFuture.allOf(cfList.toArray(new CompletableFuture[]{})).join(); return list; } }
src/main/java/com/github/kingschan1204/easycrawl/task/EasyCrawl.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/WebAgent.java", "retrieved_chunk": " WebAgent method(HttpRequestConfig.Method method);\n WebAgent head(Map<String, String> head);\n WebAgent useAgent(String useAgent);\n WebAgent cookie(Map<String, String> cookie);\n WebAgent timeOut(Integer timeOut);\n WebAgent proxy(Proxy proxy);\n WebAgent body(String body);\n WebAgent folder(String folder);\n WebAgent fileName(String fileName);\n WebAgent execute(Map<String, Object> data);", "score": 0.831627368927002 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1AgentProxy.java", "retrieved_chunk": " }\n @Override\n public AgentResult getResult() {\n //优先拿自身对象的agentResult\n return null == result ? this.webAgent.getResult() : result;\n }\n @Override\n public JsonHelper getJson() {\n return this.webAgent.getJson();\n }", "score": 0.8258841037750244 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1AgentProxy.java", "retrieved_chunk": " this.webAgent.fileName(fileName);\n return this;\n }\n @Override\n public WebAgent execute(Map<String, Object> data) {\n WebAgent wa = this.webAgent.execute(data);\n for (AfterInterceptor interceport : interceptors) {\n result = interceport.interceptor(data, wa);\n }\n return this;", "score": 0.81956946849823 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/ProxyTest.java", "retrieved_chunk": " .webAgent(WebAgent.defaultAgent().referer(apiUrl).useAgent(useAgent).url(apiUrl).proxy(proxy))\n .analyze(r -> r.getResult().getBody()).execute();\n System.out.println(result);\n }\n}", "score": 0.8158937692642212 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/SzseTest.java", "retrieved_chunk": " TreeMap<String, Boolean> result = new EasyCrawl< TreeMap<String, Boolean>>()\n .webAgent(WebAgent.defaultAgent().referer(url).useAgent(useAgent).url(apiUrl))\n .analyze(r -> parserData(r.getResult().getBody()))\n .execute();\n System.out.println(result);\n }\n}", "score": 0.807415246963501 } ]
java
return webAgent.execute(map);
package com.github.kingschan1204.easycrawl.helper.http; import com.github.kingschan1204.easycrawl.core.agent.AgentResult; import lombok.extern.slf4j.Slf4j; /** * @author kingschan */ @Slf4j public class ResponseAssertHelper { private AgentResult result; public ResponseAssertHelper(AgentResult agentResult) { this.result = agentResult; } public static ResponseAssertHelper of(AgentResult agentResult) { return new ResponseAssertHelper(agentResult); } public void infer() { statusCode(); contentType(); } public void statusCode() { log.debug("http状态:{}", result.getStatusCode()); if (!result.getStatusCode().equals(200)) {
if (result.getStatusCode() >= 500) {
log.warn("服务器错误!"); } else if (result.getStatusCode() == 404) { log.warn("地址不存在!"); } else if (result.getStatusCode() == 401) { log.warn("401表示未经授权!或者证明登录信息的cookie,token已过期!"); } else if (result.getStatusCode() == 400) { log.warn("传参有问题!一般参数传少了或者不正确!"); }else{ log.warn("未支持的状态码: {}",result.getStatusCode()); } } } public void contentType() { String type = result.getContentType(); String content = "不知道是个啥!"; if (type.matches("text/html.*")) { content = "html"; } else if (type.matches("application/json.*")) { content = "json"; } else if (type.matches("application/vnd.ms-excel.*")) { content = "excel"; } else if (type.matches("text/css.*")) { content = "css"; } else if (type.matches("application/javascript.*")) { content = "js"; } else if (type.matches("image.*")) { content = "图片"; } else if (type.matches("application/pdf.*")) { content = "pdf"; } log.debug("推测 http 响应类型:{}", content); } }
src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/StatusPrintInterceptorImpl.java", "retrieved_chunk": " ResponseAssertHelper.of(result).infer();\n return result;\n }\n}", "score": 0.8403250575065613 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " this.config.getTimeOut(), this.config.getUseAgent(), referer, this.config.getHead(),\n this.config.getCookie(), this.config.getProxy(),\n true, true, this.config.getBody());\n return this;\n }\n @Override\n public AgentResult getResult() {\n return this.result;\n }\n @Override", "score": 0.8301064372062683 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/StatusPrintInterceptorImpl.java", "retrieved_chunk": "@Slf4j\npublic class StatusPrintInterceptorImpl implements AfterInterceptor {\n @Override\n public AgentResult interceptor(Map<String, Object> data, WebAgent webAgent) {\n AgentResult result = webAgent.getResult();\n log.debug(\"ContentType : {}\", result.getContentType());\n log.debug(\"编码 {} \",result.getCharset());\n log.debug(\"Headers : {}\", result.getHeaders());\n log.debug(\"Cookies : {}\", result.getCookies());\n log.debug(\"耗时 {} 毫秒\",result.getTimeMillis());", "score": 0.8264591097831726 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " ResponseHeadHelper headHelper = ResponseHeadHelper.of(result.getHeaders());\n Assert.isTrue(headHelper.fileContent(), \"非文件流请求,无法输出文件!\");\n String defaultFileName = null;\n File file = null;\n if (result.getStatusCode() != 200) {\n log.error(\"文件下载失败:{}\", this.config.getUrl());\n throw new RuntimeException(String.format(\"文件下载失败:%s 返回码:%s\", this.config.getUrl(), result.getStatusCode()));\n }\n try {\n defaultFileName = headHelper.getFileName();", "score": 0.826288640499115 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/StatusPrintInterceptorImpl.java", "retrieved_chunk": "package com.github.kingschan1204.easycrawl.core.agent.interceptor.impl;\nimport com.github.kingschan1204.easycrawl.core.agent.AgentResult;\nimport com.github.kingschan1204.easycrawl.core.agent.WebAgent;\nimport com.github.kingschan1204.easycrawl.core.agent.interceptor.AfterInterceptor;\nimport com.github.kingschan1204.easycrawl.helper.http.ResponseAssertHelper;\nimport lombok.extern.slf4j.Slf4j;\nimport java.util.Map;\n/**\n * @author kingschan\n */", "score": 0.8225697875022888 } ]
java
if (result.getStatusCode() >= 500) {
package com.github.kingschan1204.easycrawl.task; import com.github.kingschan1204.easycrawl.core.agent.WebAgent; import com.github.kingschan1204.easycrawl.helper.http.UrlHelper; import com.github.kingschan1204.easycrawl.helper.json.JsonHelper; import com.github.kingschan1204.easycrawl.helper.validation.Assert; import lombok.extern.slf4j.Slf4j; import java.util.*; import java.util.concurrent.CompletableFuture; import java.util.function.Consumer; import java.util.function.Function; @Slf4j public class EasyCrawl<R> { private WebAgent webAgent; private Function<WebAgent, R> parserFunction; public EasyCrawl<R> webAgent(WebAgent webAgent) { this.webAgent = webAgent; return this; } // public static EasyCrawlNew of(WebAgentNew webAgent){ // return new EasyCrawlNew(webAgent); // } public EasyCrawl<R> analyze(Function<WebAgent, R> parserFunction) { this.parserFunction = parserFunction; return this; } public R execute() { return execute(null); } public R execute(Map<String, Object> map) { Assert.notNull(webAgent, "agent对象不能为空!"); Assert.notNull(parserFunction, "解析函数不能为空!"); R result; CompletableFuture<R> cf = CompletableFuture.supplyAsync(() -> { try { return webAgent.execute(map); } catch (Exception e) { e.printStackTrace(); return null; } }).thenApply(parserFunction); try { result = cf.get(); } catch (Exception e) { throw new RuntimeException(e); } return result; } /** * restApi json格式自动获取所有分页 * @param map 运行参数 * @param pageIndexKey 页码key * @param totalKey 总记录条数key * @param pageSize * @return */ public List<R> executePage(Map<String, Object> map, String pageIndexKey, String totalKey, Integer pageSize) { List<R> list = Collections.synchronizedList(new ArrayList<>()); WebAgent data = webAgent.execute(map);
JsonHelper json = data.getJson();
int totalRows = json.get(totalKey, Integer.class); int totalPage = (totalRows + pageSize - 1) / pageSize; log.debug("共{}记录,每页展示{}条,共{}页", totalRows, pageSize, totalPage); List<CompletableFuture<R>> cfList = new ArrayList<>(); Consumer<R> consumer = (r) -> { if (r instanceof Collection) { list.addAll((Collection<? extends R>) r); } else { list.add(r); } }; cfList.add(CompletableFuture.supplyAsync(() -> data).thenApply(parserFunction)); cfList.get(0).thenAccept(consumer); for (int i = 2; i <= totalPage; i++) { String url = new UrlHelper(webAgent.getConfig().getUrl()).set(pageIndexKey, String.valueOf(i)).getUrl(); CompletableFuture<R> cf = CompletableFuture.supplyAsync(() -> { try { return webAgent.url(url).execute(map); } catch (Exception e) { e.printStackTrace(); return null; } }).thenApply(parserFunction); cf.thenAccept(consumer); cfList.add(cf); } CompletableFuture.allOf(cfList.toArray(new CompletableFuture[]{})).join(); return list; } }
src/main/java/com/github/kingschan1204/easycrawl/task/EasyCrawl.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " .analyze(WebAgent::getText)\n .execute(map);\n System.out.println(data);\n }\n @DisplayName(\"股东人数\")\n @Test\n public void gdrs() {\n String page = \"https://xueqiu.com/snowman/S/${code}/detail#/GDRS\";\n Map<String, Object> map = new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap();\n Map<String, String> cookies = getXQCookies();", "score": 0.8186929225921631 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " .analyze(WebAgent::getText)\n .execute(new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap());\n System.out.println(data);\n }\n @DisplayName(\"top10 股东\")\n @Test\n public void top10() {\n Map<String, Object> map = new MapUtil<String, Object>().put(\"code\", \"SH600887\").getMap();\n Map<String, String> cookies = getXQCookies();\n //获取最新的十大股东 及 所有时间列表", "score": 0.811227560043335 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " String dataUrl = \"https://stock.xueqiu.com/v5/stock/chart/kline.json?symbol=${code}&begin=${begin}&period=day&type=before&count=${count}&indicator=kline,pe,pb,ps,pcf,market_capital,agt,ggt,balance\";\n List<String> list = new ArrayList<>();\n boolean hasNext = true;\n while (hasNext) {\n JsonHelper jsonHelper = new EasyCrawl<JsonHelper>()\n .webAgent(WebAgent.defaultAgent().url(dataUrl).referer(referer).cookie(cookies))\n .analyze(WebAgent::getJson).execute(map);\n JSONArray columns = jsonHelper.get(\"data.column\", JSONArray.class);\n JSONArray rows = jsonHelper.get(\"data.item\", JSONArray.class);\n StringBuffer sqls = new StringBuffer();", "score": 0.8079231977462769 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " map.put(\"begin\", rows.getJSONArray(0).getLong(0));\n if (rows.size() < Math.abs(pageSize)) {\n System.out.println(\"没有数据了!\");\n hasNext = false;\n break;\n }\n }\n list.forEach(System.err::println);\n }\n @DisplayName(\"个股详情\")", "score": 0.8035570383071899 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/XueQiuTest.java", "retrieved_chunk": " jsonObjects.add(jsonArray.getJSONObject(j));\n }\n return jsonObjects;\n }).executePage(null, \"page\", \"data.count\", 200);\n log.info(\"共{}支股票\", list.size());\n list.forEach(System.out::println);\n }\n @DisplayName(\"历史分红\")\n @Test\n public void getBonus() {", "score": 0.798943281173706 } ]
java
JsonHelper json = data.getJson();
package com.github.kingschan1204.easycrawl.core.agent; import com.github.kingschan1204.easycrawl.core.agent.utils.JsoupHelper; import com.github.kingschan1204.easycrawl.core.variable.ScanVariable; import com.github.kingschan1204.easycrawl.helper.http.ResponseHeadHelper; import com.github.kingschan1204.easycrawl.helper.json.JsonHelper; import com.github.kingschan1204.easycrawl.helper.regex.RegexHelper; import com.github.kingschan1204.easycrawl.helper.validation.Assert; import lombok.extern.slf4j.Slf4j; import java.io.File; import java.io.FileOutputStream; import java.net.Proxy; import java.util.Map; /** * @author kingschan * 2023-4-24 */ @Slf4j public class GenericHttp1Agent implements WebAgent { private HttpRequestConfig config; private AgentResult result; public GenericHttp1Agent(HttpRequestConfig config) { this.config = config; } public GenericHttp1Agent() { this.config = new HttpRequestConfig(); } public static WebAgent of(HttpRequestConfig config) { return new GenericHttp1Agent(config); } // // @Override // public WebAgentNew of(HttpRequestConfig config) { // this.config = config; // return this; // } @Override public HttpRequestConfig getConfig() { return this.config; } @Override public WebAgent url(String url) { this.config.setUrl(url); return this; } @Override public WebAgent referer(String referer) { this.config.setReferer(referer); return this; } @Override public WebAgent method(HttpRequestConfig.Method method) { this.config.setMethod(method); return this; } @Override public WebAgent head(Map<String, String> head) { this.config.setHead(head); return this; } @Override public WebAgent useAgent(String useAgent) { this.config.setUseAgent(useAgent); return this; } @Override public WebAgent cookie(Map<String, String> cookie) { this.config.setCookie(cookie); return this; } @Override public WebAgent timeOut(Integer timeOut) { this.config.setTimeOut(timeOut); return this; } @Override public WebAgent proxy(Proxy proxy) { this.config.setProxy(proxy); return this; } @Override public WebAgent body(String body) { this.config.setBody(body); return this; } @Override public WebAgent folder(String folder) { this.config.setFolder(folder); return this; } @Override public WebAgent fileName(String fileName) { this.config.setFileName(fileName); return this; } @Override public WebAgent execute(Map<String, Object> data) { String httpUrl = ScanVariable.parser(this.config.getUrl(), data).trim(); String referer = null != this.config.getReferer() ? ScanVariable.parser(this.config.getReferer(), data).trim() : null; this.result = JsoupHelper.request( httpUrl, this.config.method(), this.config.getTimeOut(), this.config.getUseAgent(), referer, this.config.getHead(), this.config.getCookie(), this.config.getProxy(), true, true, this.config.getBody()); return this; } @Override public AgentResult getResult() { return this.result; } @Override public JsonHelper getJson() { return JsonHelper.of(this.result.getBody()); } @Override public String getText() { return getResult().getBody(); } @Override public File getFile() { Assert.notNull(this.result, "返回对象为空!或者程序还未执行execute方法!"); ResponseHeadHelper headHelper = ResponseHeadHelper.of(result.getHeaders()); Assert.
isTrue(headHelper.fileContent(), "非文件流请求,无法输出文件!");
String defaultFileName = null; File file = null; if (result.getStatusCode() != 200) { log.error("文件下载失败:{}", this.config.getUrl()); throw new RuntimeException(String.format("文件下载失败:%s 返回码:%s", this.config.getUrl(), result.getStatusCode())); } try { defaultFileName = headHelper.getFileName(); //文件名优先使用指定的文件名,如果没有指定 则获取自动识别的文件名 this.config.setFileName(String.valueOf(this.config.getFileName()).matches(RegexHelper.REGEX_FILE_NAME) ? this.config.getFileName() : defaultFileName); Assert.notNull(this.config.getFileName(), "文件名不能为空!"); String path = String.format("%s%s", this.config.getFolder(), this.config.getFileName()); // output here log.info("输出文件:{}", path); FileOutputStream out = null; file = new File(path); try { out = (new FileOutputStream(file)); out.write(result.getBodyAsByes()); } catch (Exception ex) { log.error("文件下载失败:{} {}", this.config.getUrl(), ex); ex.printStackTrace(); } finally { assert out != null; out.close(); } } catch (Exception e) { e.printStackTrace(); throw new RuntimeException(e); } return file; } }
src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1AgentProxy.java", "retrieved_chunk": " @Override\n public String getText() {\n return this.webAgent.getText();\n }\n @Override\n public File getFile() {\n return this.webAgent.getFile();\n }\n}", "score": 0.8752532005310059 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/WebAgent.java", "retrieved_chunk": " AgentResult getResult();\n JsonHelper getJson();\n String getText();\n File getFile();\n}", "score": 0.8525699377059937 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java", "retrieved_chunk": " }else{\n log.warn(\"未支持的状态码: {}\",result.getStatusCode());\n }\n }\n }\n public void contentType() {\n String type = result.getContentType();\n String content = \"不知道是个啥!\";\n if (type.matches(\"text/html.*\")) {\n content = \"html\";", "score": 0.8250151872634888 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1AgentProxy.java", "retrieved_chunk": " }\n @Override\n public AgentResult getResult() {\n //优先拿自身对象的agentResult\n return null == result ? this.webAgent.getResult() : result;\n }\n @Override\n public JsonHelper getJson() {\n return this.webAgent.getJson();\n }", "score": 0.8244264125823975 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseHeadHelper.java", "retrieved_chunk": " }\n public static ResponseHeadHelper of(Map<String, String> responseHeaders) {\n return new ResponseHeadHelper(responseHeaders);\n }\n /**\n * 从Content-disposition头里获取文件名\n * @return\n */\n public String getFileName() {\n String fileName;", "score": 0.8156344890594482 } ]
java
isTrue(headHelper.fileContent(), "非文件流请求,无法输出文件!");
package com.github.kingschan1204.easycrawl.core.agent.interceptor.impl; import com.github.kingschan1204.easycrawl.core.agent.AgentResult; import com.github.kingschan1204.easycrawl.core.agent.WebAgent; import com.github.kingschan1204.easycrawl.core.agent.interceptor.AfterInterceptor; import com.github.kingschan1204.easycrawl.helper.regex.RegexHelper; import lombok.extern.slf4j.Slf4j; import java.util.Map; /** * @author kingschan */ @Slf4j public class TranscodingInterceptorImpl implements AfterInterceptor { @Override public AgentResult interceptor(Map<String, Object> data, WebAgent webAgent) { AgentResult result = webAgent.getResult(); String charset = result.getCharset(); String contentType = result.getContentType(); // <meta http-equiv="Content-Type" content="text/html; charset=gbk"/> // <meta charSet="utf-8"/> if (null == charset && contentType.matches("text/html.*")) { log.warn("未获取到编码信息,有可能中文乱码!尝试自动提取编码!"); String text = RegexHelper.findFirst(result.getBody(), RegexHelper.REGEX_HTML_CHARSET); charset = RegexHelper.findFirst(text, "(?i)charSet(\\s+)?=.*\"").replaceAll("(?i)charSet|=|\"|\\s", ""); if (!charset.isEmpty()) { log.debug("编码提取成功,将自动转码:{}", charset); result.
setBody(transcoding(result.getBodyAsByes(), charset));
} else { log.warn("自动提取编码失败!"); } } return result; } /** * 转码 * * @param charset 将byte数组按传入编码转码 * @return getContent */ String transcoding(byte[] bytes, String charset) { try { return new String(bytes, charset); } catch (Exception e) { e.printStackTrace(); } return null; } }
src/main/java/com/github/kingschan1204/easycrawl/core/agent/interceptor/impl/TranscodingInterceptorImpl.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java", "retrieved_chunk": " }else{\n log.warn(\"未支持的状态码: {}\",result.getStatusCode());\n }\n }\n }\n public void contentType() {\n String type = result.getContentType();\n String content = \"不知道是个啥!\";\n if (type.matches(\"text/html.*\")) {\n content = \"html\";", "score": 0.8841751217842102 }, { "filename": "src/test/java/com/github/kingschan1204/text/RegexTest.java", "retrieved_chunk": " String content = \"\\t<meta http-equiv=\\\"Content-Type\\\" content=\\\"text/html; charset =gbk \\\"/>\\n<html lang=\\\"zh\\\" data-hairline=\\\"true\\\" class=\\\"itcauecng\\\" data-theme=\\\"light\\\"><head><META CHARSET=\\\"utf-8 \\\"/><title data-rh=\\\"true\\\">这是一个测试</title>\";\n List<String> list = RegexHelper.find(content, \"<(?i)meta(\\\\s+|.*)(?i)charSet(\\\\s+)?=.*/>\");\n System.out.println(list);\n list.forEach(r -> {\n System.out.println(RegexHelper.find(r, \"(?i)charSet(\\\\s+)?=.*\\\"\").stream().map(s -> s.replaceAll(\"(?i)charSet|=|\\\"|\\\\s\", \"\")).collect(Collectors.joining(\",\")));\n });\n System.err.println(RegexHelper.findFirst(content, \"<(?i)meta(\\\\s+|.*)(?i)charSet(\\\\s+)?=.*/>\"));\n }\n}", "score": 0.8476109504699707 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java", "retrieved_chunk": " } else if (type.matches(\"application/pdf.*\")) {\n content = \"pdf\";\n }\n log.debug(\"推测 http 响应类型:{}\", content);\n }\n}", "score": 0.8310392498970032 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseHeadHelper.java", "retrieved_chunk": " try {\n String key = responseHeaders.keySet().stream().filter(r -> r.matches(\"(?i)Content-disposition\")).findFirst().get();\n String cd = responseHeaders.get(key);\n //有可能要转码\n String decode = URLDecoder.decode(cd, \"UTF-8\");\n fileName = decode.replaceAll(\".*=\", \"\");\n log.debug(\"提取到的文件名 : {}\",fileName);\n } catch (Exception e) {\n e.printStackTrace();\n throw new RuntimeException(e);", "score": 0.8297463059425354 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/helper/http/ResponseAssertHelper.java", "retrieved_chunk": " } else if (type.matches(\"application/json.*\")) {\n content = \"json\";\n } else if (type.matches(\"application/vnd.ms-excel.*\")) {\n content = \"excel\";\n } else if (type.matches(\"text/css.*\")) {\n content = \"css\";\n } else if (type.matches(\"application/javascript.*\")) {\n content = \"js\";\n } else if (type.matches(\"image.*\")) {\n content = \"图片\";", "score": 0.8165217638015747 } ]
java
setBody(transcoding(result.getBodyAsByes(), charset));
package com.github.kingschan1204.easycrawl.core.agent; import com.github.kingschan1204.easycrawl.core.agent.interceptor.AfterInterceptor; import com.github.kingschan1204.easycrawl.helper.json.JsonHelper; import lombok.extern.slf4j.Slf4j; import java.io.File; import java.net.Proxy; import java.util.Arrays; import java.util.List; import java.util.Map; /** * 通用http1.1代理模式 * * @author kingschan * 2023-4-25 */ @Slf4j public class GenericHttp1AgentProxy implements WebAgent { private WebAgent webAgent; private AgentResult result; private List<AfterInterceptor> interceptors; public GenericHttp1AgentProxy(WebAgent webAgent, AfterInterceptor... afterInterceptors) { this.webAgent = webAgent; this.interceptors = Arrays.asList(afterInterceptors); } @Override public HttpRequestConfig getConfig() { return this.webAgent.getConfig(); } @Override public WebAgent url(String url) { this.webAgent.url(url); return this; } @Override public WebAgent referer(String referer) { this.webAgent.referer(referer); return this; } @Override public WebAgent method(HttpRequestConfig.Method method) { this.webAgent.method(method); return this; } @Override public WebAgent head(Map<String, String> head) { this.webAgent.head(head); return this; } @Override public WebAgent useAgent(String useAgent) { this.webAgent.useAgent(useAgent); return this; } @Override public WebAgent cookie(Map<String, String> cookie) { this.webAgent.cookie(cookie); return this; } @Override public WebAgent timeOut(Integer timeOut) { this.webAgent.timeOut(timeOut); return this; } @Override public WebAgent proxy(Proxy proxy) { this.webAgent.proxy(proxy); return this; } @Override public WebAgent body(String body) { this.webAgent.body(body); return this; } @Override public WebAgent folder(String folder) { this.webAgent.folder(folder); return this; } @Override public WebAgent fileName(String fileName) { this.webAgent.fileName(fileName); return this; } @Override public WebAgent execute(Map<String, Object> data) { WebAgent
wa = this.webAgent.execute(data);
for (AfterInterceptor interceport : interceptors) { result = interceport.interceptor(data, wa); } return this; } @Override public AgentResult getResult() { //优先拿自身对象的agentResult return null == result ? this.webAgent.getResult() : result; } @Override public JsonHelper getJson() { return this.webAgent.getJson(); } @Override public String getText() { return this.webAgent.getText(); } @Override public File getFile() { return this.webAgent.getFile(); } }
src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1AgentProxy.java
kingschan1204-easycrawl-a5aade8
[ { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " public WebAgent fileName(String fileName) {\n this.config.setFileName(fileName);\n return this;\n }\n @Override\n public WebAgent execute(Map<String, Object> data) {\n String httpUrl = ScanVariable.parser(this.config.getUrl(), data).trim();\n String referer = null != this.config.getReferer() ? ScanVariable.parser(this.config.getReferer(), data).trim() : null;\n this.result = JsoupHelper.request(\n httpUrl, this.config.method(),", "score": 0.9297714233398438 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/WebAgent.java", "retrieved_chunk": " WebAgent method(HttpRequestConfig.Method method);\n WebAgent head(Map<String, String> head);\n WebAgent useAgent(String useAgent);\n WebAgent cookie(Map<String, String> cookie);\n WebAgent timeOut(Integer timeOut);\n WebAgent proxy(Proxy proxy);\n WebAgent body(String body);\n WebAgent folder(String folder);\n WebAgent fileName(String fileName);\n WebAgent execute(Map<String, Object> data);", "score": 0.8581448793411255 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " public WebAgent body(String body) {\n this.config.setBody(body);\n return this;\n }\n @Override\n public WebAgent folder(String folder) {\n this.config.setFolder(folder);\n return this;\n }\n @Override", "score": 0.8363116979598999 }, { "filename": "src/main/java/com/github/kingschan1204/easycrawl/core/agent/GenericHttp1Agent.java", "retrieved_chunk": " public WebAgent useAgent(String useAgent) {\n this.config.setUseAgent(useAgent);\n return this;\n }\n @Override\n public WebAgent cookie(Map<String, String> cookie) {\n this.config.setCookie(cookie);\n return this;\n }\n @Override", "score": 0.8300389051437378 }, { "filename": "src/test/java/com/github/kingschan1204/easycrawl/CsIndexTest.java", "retrieved_chunk": " File file = new EasyCrawl<File>()\n .webAgent(WebAgent.defaultAgent().folder(\"C:\\\\temp\\\\\")\n .url(reqUrl)\n .head(new MapUtil<String, String>().put(\"Content-Type\", \"application/json; charset=utf-8\").getMap())\n .referer(referer)\n .cookie(cookies)\n .method(HttpRequestConfig.Method.POST)\n .body(\"{\\\"searchInput\\\":\\\"\\\",\\\"pageNum\\\":1,\\\"pageSize\\\":10,\\\"sortField\\\":null,\\\"sortOrder\\\":null}\"))\n .analyze(WebAgent::getFile)\n .execute();", "score": 0.8111304044723511 } ]
java
wa = this.webAgent.execute(data);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.dislike; import com.kyant.m3color.hct.Hct; /** * Check and/or fix universally disliked colors. * * <p>Color science studies of color preference indicate universal distaste for dark yellow-greens, * and also show this is correlated to distate for biological waste and rotting food. * * <p>See Palmer and Schloss, 2010 or Schloss and Palmer's Chapter 21 in Handbook of Color * Psychology (2015). */ public final class DislikeAnalyzer { private DislikeAnalyzer() { throw new UnsupportedOperationException(); } /** * Returns true if color is disliked. * * <p>Disliked is defined as a dark yellow-green that is not neutral. */ public static boolean isDisliked(Hct hct) { final boolean huePasses = Math.round(
hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0;
final boolean chromaPasses = Math.round(hct.getChroma()) > 16.0; final boolean tonePasses = Math.round(hct.getTone()) < 65.0; return huePasses && chromaPasses && tonePasses; } /** If color is disliked, lighten it to make it likable. */ public static Hct fixIfDisliked(Hct hct) { if (isDisliked(hct)) { return Hct.from(hct.getHue(), hct.getChroma(), 70.0); } return hct; } }
m3color/src/main/java/com/kyant/m3color/dislike/DislikeAnalyzer.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8535572290420532 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (isMonochrome(s)) {\n return s.isDark ? 60.0 : 49.0;\n }\n if (!isFidelity(s)) {\n return s.isDark ? 30.0 : 90.0;\n }\n final Hct proposedHct = s.tertiaryPalette.getHct(s.sourceColorHct.getTone());\n return DislikeAnalyzer.fixIfDisliked(proposedHct).getTone();\n },\n /* isBackground= */ true,", "score": 0.8511837720870972 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8312838077545166 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.829383373260498 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8273458480834961 } ]
java
hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0;
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma);
this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.);
this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.8983529806137085 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8695350885391235 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8603610992431641 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.8501273989677429 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n private void setInternalState(int argb) {\n this.argb = argb;\n Cam16 cam = Cam16.fromInt(argb);\n hue = cam.getHue();\n chroma = cam.getChroma();\n this.tone = ColorUtils.lstarFromArgb(argb);\n }\n}", "score": 0.8458057641983032 } ]
java
this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.contrast; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * Color science for contrast utilities. * * <p>Utility methods for calculating contrast given two colors, or calculating a color given one * color and a contrast ratio. * * <p>Contrast ratio is calculated using XYZ's Y. When linearized to match human perception, Y * becomes HCT's tone and L*a*b*'s' L*. */ public final class Contrast { // The minimum contrast ratio of two colors. // Contrast ratio equation = lighter + 5 / darker + 5, if lighter == darker, ratio == 1. public static final double RATIO_MIN = 1.0; // The maximum contrast ratio of two colors. // Contrast ratio equation = lighter + 5 / darker + 5. Lighter and darker scale from 0 to 100. // If lighter == 100, darker = 0, ratio == 21. public static final double RATIO_MAX = 21.0; public static final double RATIO_30 = 3.0; public static final double RATIO_45 = 4.5; public static final double RATIO_70 = 7.0; // Given a color and a contrast ratio to reach, the luminance of a color that reaches that ratio // with the color can be calculated. However, that luminance may not contrast as desired, i.e. the // contrast ratio of the input color and the returned luminance may not reach the contrast ratio // asked for. // // When the desired contrast ratio and the result contrast ratio differ by more than this amount, // an error value should be returned, or the method should be documented as 'unsafe', meaning, // it will return a valid luminance but that luminance may not meet the requested contrast ratio. // // 0.04 selected because it ensures the resulting ratio rounds to the same tenth. private static final double CONTRAST_RATIO_EPSILON = 0.04; // Color spaces that measure luminance, such as Y in XYZ, L* in L*a*b*, or T in HCT, are known as // perceptually accurate color spaces. // // To be displayed, they must gamut map to a "display space", one that has a defined limit on the // number of colors. Display spaces include sRGB, more commonly understood as RGB/HSL/HSV/HSB. // Gamut mapping is undefined and not defined by the color space. Any gamut mapping algorithm must // choose how to sacrifice accuracy in hue, saturation, and/or lightness. // // A principled solution is to maintain lightness, thus maintaining contrast/a11y, maintain hue, // thus maintaining aesthetic intent, and reduce chroma until the color is in gamut. // // HCT chooses this solution, but, that doesn't mean it will _exactly_ matched desired lightness, // if only because RGB is quantized: RGB is expressed as a set of integers: there may be an RGB // color with, for example, 47.892 lightness, but not 47.891. // // To allow for this inherent incompatibility between perceptually accurate color spaces and // display color spaces, methods that take a contrast ratio and luminance, and return a luminance // that reaches that contrast ratio for the input luminance, purposefully darken/lighten their // result such that the desired contrast ratio will be reached even if inaccuracy is introduced. // // 0.4 is generous, ex. HCT requires much less delta. It was chosen because it provides a rough // guarantee that as long as a perceptual color space gamut maps lightness such that the resulting // lightness rounds to the same as the requested, the desired contrast ratio will be reached. private static final double LUMINANCE_GAMUT_MAP_TOLERANCE = 0.4; private Contrast() {} /** * Contrast ratio is a measure of legibility, its used to compare the lightness of two colors. * This method is used commonly in industry due to its use by WCAG. * * <p>To compare lightness, the colors are expressed in the XYZ color space, where Y is lightness, * also known as relative luminance. * * <p>The equation is ratio = lighter Y + 5 / darker Y + 5. */ public static double ratioOfYs(double y1, double y2) { final double lighter = max(y1, y2); final double darker = (lighter == y2) ? y1 : y2; return (lighter + 5.0) / (darker + 5.0); } /** * Contrast ratio of two tones. T in HCT, L* in L*a*b*. Also known as luminance or perpectual * luminance. * * <p>Contrast ratio is defined using Y in XYZ, relative luminance. However, relative luminance is * linear to number of photons, not to perception of lightness. Perceptual luminance, L* in * L*a*b*, T in HCT, is. Designers prefer color spaces with perceptual luminance since they're * accurate to the eye. * * <p>Y and L* are pure functions of each other, so it possible to use perceptually accurate color * spaces, and measure contrast, and measure contrast in a much more understandable way: instead * of a ratio, a linear difference. This allows a designer to determine what they need to adjust a * color's lightness to in order to reach their desired contrast, instead of guessing & checking * with hex codes. */ public static double ratioOfTones(double t1, double t2) { return ratioOfYs(ColorUtils.yFromLstar(t1), ColorUtils.yFromLstar(t2)); } /** * Returns T in HCT, L* in L*a*b* >= tone parameter that ensures ratio with input T/L*. Returns -1 * if ratio cannot be achieved. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double lighter(double tone, double ratio) { if (tone < 0.0 || tone > 100.0) { return -1.0; } // Invert the contrast ratio equation to determine lighter Y given a ratio and darker Y. final double darkY =
ColorUtils.yFromLstar(tone);
final double lightY = ratio * (darkY + 5.0) - 5.0; if (lightY < 0.0 || lightY > 100.0) { return -1.0; } final double realContrast = ratioOfYs(lightY, darkY); final double delta = Math.abs(realContrast - ratio); if (realContrast < ratio && delta > CONTRAST_RATIO_EPSILON) { return -1.0; } final double returnValue = ColorUtils.lstarFromY(lightY) + LUMINANCE_GAMUT_MAP_TOLERANCE; // NOMUTANTS--important validation step; functions it is calling may change implementation. if (returnValue < 0 || returnValue > 100) { return -1.0; } return returnValue; } /** * Tone >= tone parameter that ensures ratio. 100 if ratio cannot be achieved. * * <p>This method is unsafe because the returned value is guaranteed to be in bounds, but, the in * bounds return value may not reach the desired ratio. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double lighterUnsafe(double tone, double ratio) { double lighterSafe = lighter(tone, ratio); return lighterSafe < 0.0 ? 100.0 : lighterSafe; } /** * Returns T in HCT, L* in L*a*b* <= tone parameter that ensures ratio with input T/L*. Returns -1 * if ratio cannot be achieved. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double darker(double tone, double ratio) { if (tone < 0.0 || tone > 100.0) { return -1.0; } // Invert the contrast ratio equation to determine darker Y given a ratio and lighter Y. final double lightY = ColorUtils.yFromLstar(tone); final double darkY = ((lightY + 5.0) / ratio) - 5.0; if (darkY < 0.0 || darkY > 100.0) { return -1.0; } final double realContrast = ratioOfYs(lightY, darkY); final double delta = Math.abs(realContrast - ratio); if (realContrast < ratio && delta > CONTRAST_RATIO_EPSILON) { return -1.0; } // For information on 0.4 constant, see comment in lighter(tone, ratio). final double returnValue = ColorUtils.lstarFromY(darkY) - LUMINANCE_GAMUT_MAP_TOLERANCE; // NOMUTANTS--important validation step; functions it is calling may change implementation. if (returnValue < 0 || returnValue > 100) { return -1.0; } return returnValue; } /** * Tone <= tone parameter that ensures ratio. 0 if ratio cannot be achieved. * * <p>This method is unsafe because the returned value is guaranteed to be in bounds, but, the in * bounds return value may not reach the desired ratio. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double darkerUnsafe(double tone, double ratio) { double darkerSafe = darker(tone, ratio); return max(0.0, darkerSafe); } }
m3color/src/main/java/com/kyant/m3color/contrast/Contrast.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " public static double foregroundTone(double bgTone, double ratio) {\n double lighterTone = Contrast.lighterUnsafe(bgTone, ratio);\n double darkerTone = Contrast.darkerUnsafe(bgTone, ratio);\n double lighterRatio = Contrast.ratioOfTones(lighterTone, bgTone);\n double darkerRatio = Contrast.ratioOfTones(darkerTone, bgTone);\n boolean preferLighter = tonePrefersLightForeground(bgTone);\n if (preferLighter) {\n // \"Neglible difference\" handles an edge case where the initial contrast ratio is high\n // (ex. 13.0), and the ratio passed to the function is that high ratio, and both the lighter\n // and darker ratio fails to pass that ratio.", "score": 0.8935401439666748 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " //\n // This was observed with Tonal Spot's On Primary Container turning black momentarily between\n // high and max contrast in light mode. PC's standard tone was T90, OPC's was T10, it was\n // light mode, and the contrast level was 0.6568521221032331.\n boolean negligibleDifference =\n Math.abs(lighterRatio - darkerRatio) < 0.1 && lighterRatio < ratio && darkerRatio < ratio;\n if (lighterRatio >= ratio || lighterRatio >= darkerRatio || negligibleDifference) {\n return lighterTone;\n } else {\n return darkerTone;", "score": 0.8869225382804871 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " }\n } else {\n return darkerRatio >= ratio || darkerRatio >= lighterRatio ? darkerTone : lighterTone;\n }\n }\n /**\n * Adjust a tone down such that white has 4.5 contrast, if the tone is reasonably close to\n * supporting it.\n */\n public static double enableLightForeground(double tone) {", "score": 0.8866276741027832 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " double lightOption = Contrast.lighter(upper, desiredRatio);\n // The lightest dark tone that satisfies the desired ratio,\n // or -1 if such ratio cannot be reached.\n double darkOption = Contrast.darker(lower, desiredRatio);\n // Tones suitable for the foreground.\n ArrayList<Double> availables = new ArrayList<>();\n if (lightOption != -1) {\n availables.add(lightOption);\n }\n if (darkOption != -1) {", "score": 0.8652128577232361 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " * to ensure light foregrounds.\n *\n * <p>Since `tertiaryContainer` in dark monochrome scheme requires a tone of 60, it should not be\n * adjusted. Therefore, 60 is excluded here.\n */\n public static boolean tonePrefersLightForeground(double tone) {\n return Math.round(tone) < 60;\n }\n /** Tones less than ~T50 always permit white at 4.5 contrast. */\n public static boolean toneAllowsLightForeground(double tone) {", "score": 0.8455692529678345 } ]
java
ColorUtils.yFromLstar(tone);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.contrast; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * Color science for contrast utilities. * * <p>Utility methods for calculating contrast given two colors, or calculating a color given one * color and a contrast ratio. * * <p>Contrast ratio is calculated using XYZ's Y. When linearized to match human perception, Y * becomes HCT's tone and L*a*b*'s' L*. */ public final class Contrast { // The minimum contrast ratio of two colors. // Contrast ratio equation = lighter + 5 / darker + 5, if lighter == darker, ratio == 1. public static final double RATIO_MIN = 1.0; // The maximum contrast ratio of two colors. // Contrast ratio equation = lighter + 5 / darker + 5. Lighter and darker scale from 0 to 100. // If lighter == 100, darker = 0, ratio == 21. public static final double RATIO_MAX = 21.0; public static final double RATIO_30 = 3.0; public static final double RATIO_45 = 4.5; public static final double RATIO_70 = 7.0; // Given a color and a contrast ratio to reach, the luminance of a color that reaches that ratio // with the color can be calculated. However, that luminance may not contrast as desired, i.e. the // contrast ratio of the input color and the returned luminance may not reach the contrast ratio // asked for. // // When the desired contrast ratio and the result contrast ratio differ by more than this amount, // an error value should be returned, or the method should be documented as 'unsafe', meaning, // it will return a valid luminance but that luminance may not meet the requested contrast ratio. // // 0.04 selected because it ensures the resulting ratio rounds to the same tenth. private static final double CONTRAST_RATIO_EPSILON = 0.04; // Color spaces that measure luminance, such as Y in XYZ, L* in L*a*b*, or T in HCT, are known as // perceptually accurate color spaces. // // To be displayed, they must gamut map to a "display space", one that has a defined limit on the // number of colors. Display spaces include sRGB, more commonly understood as RGB/HSL/HSV/HSB. // Gamut mapping is undefined and not defined by the color space. Any gamut mapping algorithm must // choose how to sacrifice accuracy in hue, saturation, and/or lightness. // // A principled solution is to maintain lightness, thus maintaining contrast/a11y, maintain hue, // thus maintaining aesthetic intent, and reduce chroma until the color is in gamut. // // HCT chooses this solution, but, that doesn't mean it will _exactly_ matched desired lightness, // if only because RGB is quantized: RGB is expressed as a set of integers: there may be an RGB // color with, for example, 47.892 lightness, but not 47.891. // // To allow for this inherent incompatibility between perceptually accurate color spaces and // display color spaces, methods that take a contrast ratio and luminance, and return a luminance // that reaches that contrast ratio for the input luminance, purposefully darken/lighten their // result such that the desired contrast ratio will be reached even if inaccuracy is introduced. // // 0.4 is generous, ex. HCT requires much less delta. It was chosen because it provides a rough // guarantee that as long as a perceptual color space gamut maps lightness such that the resulting // lightness rounds to the same as the requested, the desired contrast ratio will be reached. private static final double LUMINANCE_GAMUT_MAP_TOLERANCE = 0.4; private Contrast() {} /** * Contrast ratio is a measure of legibility, its used to compare the lightness of two colors. * This method is used commonly in industry due to its use by WCAG. * * <p>To compare lightness, the colors are expressed in the XYZ color space, where Y is lightness, * also known as relative luminance. * * <p>The equation is ratio = lighter Y + 5 / darker Y + 5. */ public static double ratioOfYs(double y1, double y2) { final double lighter = max(y1, y2); final double darker = (lighter == y2) ? y1 : y2; return (lighter + 5.0) / (darker + 5.0); } /** * Contrast ratio of two tones. T in HCT, L* in L*a*b*. Also known as luminance or perpectual * luminance. * * <p>Contrast ratio is defined using Y in XYZ, relative luminance. However, relative luminance is * linear to number of photons, not to perception of lightness. Perceptual luminance, L* in * L*a*b*, T in HCT, is. Designers prefer color spaces with perceptual luminance since they're * accurate to the eye. * * <p>Y and L* are pure functions of each other, so it possible to use perceptually accurate color * spaces, and measure contrast, and measure contrast in a much more understandable way: instead * of a ratio, a linear difference. This allows a designer to determine what they need to adjust a * color's lightness to in order to reach their desired contrast, instead of guessing & checking * with hex codes. */ public static double ratioOfTones(double t1, double t2) { return
ratioOfYs(ColorUtils.yFromLstar(t1), ColorUtils.yFromLstar(t2));
} /** * Returns T in HCT, L* in L*a*b* >= tone parameter that ensures ratio with input T/L*. Returns -1 * if ratio cannot be achieved. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double lighter(double tone, double ratio) { if (tone < 0.0 || tone > 100.0) { return -1.0; } // Invert the contrast ratio equation to determine lighter Y given a ratio and darker Y. final double darkY = ColorUtils.yFromLstar(tone); final double lightY = ratio * (darkY + 5.0) - 5.0; if (lightY < 0.0 || lightY > 100.0) { return -1.0; } final double realContrast = ratioOfYs(lightY, darkY); final double delta = Math.abs(realContrast - ratio); if (realContrast < ratio && delta > CONTRAST_RATIO_EPSILON) { return -1.0; } final double returnValue = ColorUtils.lstarFromY(lightY) + LUMINANCE_GAMUT_MAP_TOLERANCE; // NOMUTANTS--important validation step; functions it is calling may change implementation. if (returnValue < 0 || returnValue > 100) { return -1.0; } return returnValue; } /** * Tone >= tone parameter that ensures ratio. 100 if ratio cannot be achieved. * * <p>This method is unsafe because the returned value is guaranteed to be in bounds, but, the in * bounds return value may not reach the desired ratio. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double lighterUnsafe(double tone, double ratio) { double lighterSafe = lighter(tone, ratio); return lighterSafe < 0.0 ? 100.0 : lighterSafe; } /** * Returns T in HCT, L* in L*a*b* <= tone parameter that ensures ratio with input T/L*. Returns -1 * if ratio cannot be achieved. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double darker(double tone, double ratio) { if (tone < 0.0 || tone > 100.0) { return -1.0; } // Invert the contrast ratio equation to determine darker Y given a ratio and lighter Y. final double lightY = ColorUtils.yFromLstar(tone); final double darkY = ((lightY + 5.0) / ratio) - 5.0; if (darkY < 0.0 || darkY > 100.0) { return -1.0; } final double realContrast = ratioOfYs(lightY, darkY); final double delta = Math.abs(realContrast - ratio); if (realContrast < ratio && delta > CONTRAST_RATIO_EPSILON) { return -1.0; } // For information on 0.4 constant, see comment in lighter(tone, ratio). final double returnValue = ColorUtils.lstarFromY(darkY) - LUMINANCE_GAMUT_MAP_TOLERANCE; // NOMUTANTS--important validation step; functions it is calling may change implementation. if (returnValue < 0 || returnValue > 100) { return -1.0; } return returnValue; } /** * Tone <= tone parameter that ensures ratio. 0 if ratio cannot be achieved. * * <p>This method is unsafe because the returned value is guaranteed to be in bounds, but, the in * bounds return value may not reach the desired ratio. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double darkerUnsafe(double tone, double ratio) { double darkerSafe = darker(tone, ratio); return max(0.0, darkerSafe); } }
m3color/src/main/java/com/kyant/m3color/contrast/Contrast.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " //\n // This was observed with Tonal Spot's On Primary Container turning black momentarily between\n // high and max contrast in light mode. PC's standard tone was T90, OPC's was T10, it was\n // light mode, and the contrast level was 0.6568521221032331.\n boolean negligibleDifference =\n Math.abs(lighterRatio - darkerRatio) < 0.1 && lighterRatio < ratio && darkerRatio < ratio;\n if (lighterRatio >= ratio || lighterRatio >= darkerRatio || negligibleDifference) {\n return lighterTone;\n } else {\n return darkerTone;", "score": 0.82927405834198 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " *\n * <p>L* in L*a*b* and Y in XYZ measure the same quantity, luminance.\n *\n * <p>L* measures perceptual luminance, a linear scale. Y in XYZ measures relative luminance, a\n * logarithmic scale.\n *\n * @param y Y in XYZ\n * @return L* in L*a*b*\n */\n public static double lstarFromY(double y) {", "score": 0.8249096870422363 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " public static double foregroundTone(double bgTone, double ratio) {\n double lighterTone = Contrast.lighterUnsafe(bgTone, ratio);\n double darkerTone = Contrast.darkerUnsafe(bgTone, ratio);\n double lighterRatio = Contrast.ratioOfTones(lighterTone, bgTone);\n double darkerRatio = Contrast.ratioOfTones(darkerTone, bgTone);\n boolean preferLighter = tonePrefersLightForeground(bgTone);\n if (preferLighter) {\n // \"Neglible difference\" handles an edge case where the initial contrast ratio is high\n // (ex. 13.0), and the ratio passed to the function is that high ratio, and both the lighter\n // and darker ratio fails to pass that ratio.", "score": 0.8141108751296997 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " new double[] {rCScaled, gCScaled, bCScaled}, LINRGB_FROM_SCALED_DISCOUNT);\n // ===========================================================\n // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n if (linrgb[0] < 0 || linrgb[1] < 0 || linrgb[2] < 0) {\n return 0;\n }\n double kR = Y_FROM_LINRGB[0];\n double kG = Y_FROM_LINRGB[1];\n double kB = Y_FROM_LINRGB[2];", "score": 0.8038875460624695 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " double hue =\n atanDegrees < 0\n ? atanDegrees + 360.0\n : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees;\n double hueRadians = Math.toRadians(hue);\n // achromatic response to color\n double ac = p2 * viewingConditions.getNbb();\n // CAM16 lightness and brightness\n double j =\n 100.0", "score": 0.8038796782493591 } ]
java
ratioOfYs(ColorUtils.yFromLstar(t1), ColorUtils.yFromLstar(t2));
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.dislike; import com.kyant.m3color.hct.Hct; /** * Check and/or fix universally disliked colors. * * <p>Color science studies of color preference indicate universal distaste for dark yellow-greens, * and also show this is correlated to distate for biological waste and rotting food. * * <p>See Palmer and Schloss, 2010 or Schloss and Palmer's Chapter 21 in Handbook of Color * Psychology (2015). */ public final class DislikeAnalyzer { private DislikeAnalyzer() { throw new UnsupportedOperationException(); } /** * Returns true if color is disliked. * * <p>Disliked is defined as a dark yellow-green that is not neutral. */ public static boolean isDisliked(Hct hct) { final boolean huePasses =
Math.round(hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0;
final boolean chromaPasses = Math.round(hct.getChroma()) > 16.0; final boolean tonePasses = Math.round(hct.getTone()) < 65.0; return huePasses && chromaPasses && tonePasses; } /** If color is disliked, lighten it to make it likable. */ public static Hct fixIfDisliked(Hct hct) { if (isDisliked(hct)) { return Hct.from(hct.getHue(), hct.getChroma(), 70.0); } return hct; } }
m3color/src/main/java/com/kyant/m3color/dislike/DislikeAnalyzer.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8506612181663513 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (isMonochrome(s)) {\n return s.isDark ? 60.0 : 49.0;\n }\n if (!isFidelity(s)) {\n return s.isDark ? 30.0 : 90.0;\n }\n final Hct proposedHct = s.tertiaryPalette.getHct(s.sourceColorHct.getTone());\n return DislikeAnalyzer.fixIfDisliked(proposedHct).getTone();\n },\n /* isBackground= */ true,", "score": 0.8493069410324097 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8294030427932739 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.826814591884613 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.8265854120254517 } ]
java
Math.round(hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0;
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.dislike; import com.kyant.m3color.hct.Hct; /** * Check and/or fix universally disliked colors. * * <p>Color science studies of color preference indicate universal distaste for dark yellow-greens, * and also show this is correlated to distate for biological waste and rotting food. * * <p>See Palmer and Schloss, 2010 or Schloss and Palmer's Chapter 21 in Handbook of Color * Psychology (2015). */ public final class DislikeAnalyzer { private DislikeAnalyzer() { throw new UnsupportedOperationException(); } /** * Returns true if color is disliked. * * <p>Disliked is defined as a dark yellow-green that is not neutral. */ public static boolean isDisliked(Hct hct) { final boolean huePasses = Math.round(hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0; final boolean chromaPasses = Math.round(hct.getChroma()) > 16.0; final boolean tonePasses = Math.round(hct.getTone()) < 65.0; return huePasses && chromaPasses && tonePasses; } /** If color is disliked, lighten it to make it likable. */ public static Hct fixIfDisliked(Hct hct) { if (isDisliked(hct)) { return Hct
.from(hct.getHue(), hct.getChroma(), 70.0);
} return hct; } }
m3color/src/main/java/com/kyant/m3color/dislike/DislikeAnalyzer.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8883208632469177 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8647400736808777 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8591699004173279 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8579664826393127 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.8566883206367493 } ]
java
.from(hct.getHue(), hct.getChroma(), 70.0);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.dislike; import com.kyant.m3color.hct.Hct; /** * Check and/or fix universally disliked colors. * * <p>Color science studies of color preference indicate universal distaste for dark yellow-greens, * and also show this is correlated to distate for biological waste and rotting food. * * <p>See Palmer and Schloss, 2010 or Schloss and Palmer's Chapter 21 in Handbook of Color * Psychology (2015). */ public final class DislikeAnalyzer { private DislikeAnalyzer() { throw new UnsupportedOperationException(); } /** * Returns true if color is disliked. * * <p>Disliked is defined as a dark yellow-green that is not neutral. */ public static boolean isDisliked(Hct hct) { final boolean huePasses = Math.round(hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0; final boolean chromaPasses = Math.
round(hct.getChroma()) > 16.0;
final boolean tonePasses = Math.round(hct.getTone()) < 65.0; return huePasses && chromaPasses && tonePasses; } /** If color is disliked, lighten it to make it likable. */ public static Hct fixIfDisliked(Hct hct) { if (isDisliked(hct)) { return Hct.from(hct.getHue(), hct.getChroma(), 70.0); } return hct; } }
m3color/src/main/java/com/kyant/m3color/dislike/DislikeAnalyzer.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8613570332527161 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (isMonochrome(s)) {\n return s.isDark ? 60.0 : 49.0;\n }\n if (!isFidelity(s)) {\n return s.isDark ? 30.0 : 90.0;\n }\n final Hct proposedHct = s.tertiaryPalette.getHct(s.sourceColorHct.getTone());\n return DislikeAnalyzer.fixIfDisliked(proposedHct).getTone();\n },\n /* isBackground= */ true,", "score": 0.8527524471282959 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.8403550386428833 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8372420072555542 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " public double getHue() {\n return this.hue;\n }\n /** The key color is the first tone, starting from T50, that matches the palette's chroma. */\n public Hct getKeyColor() {\n return this.keyColor;\n }\n}", "score": 0.8292834758758545 } ]
java
round(hct.getChroma()) > 16.0;
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma =
hct.getChroma();
if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.8996516466140747 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8760172128677368 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8711603879928589 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.868343710899353 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n private void setInternalState(int argb) {\n this.argb = argb;\n Cam16 cam = Cam16.fromInt(argb);\n hue = cam.getHue();\n chroma = cam.getChroma();\n this.tone = ColorUtils.lstarFromArgb(argb);\n }\n}", "score": 0.8428057432174683 } ]
java
hct.getChroma();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.
a1 = TonalPalette.fromHueAndChroma(hue, chroma);
this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.898942768573761 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8665796518325806 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.863455057144165 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.8554795980453491 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n private void setInternalState(int argb) {\n this.argb = argb;\n Cam16 cam = Cam16.fromInt(argb);\n hue = cam.getHue();\n chroma = cam.getChroma();\n this.tone = ColorUtils.lstarFromArgb(argb);\n }\n}", "score": 0.8485021591186523 } ]
java
a1 = TonalPalette.fromHueAndChroma(hue, chroma);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.dislike; import com.kyant.m3color.hct.Hct; /** * Check and/or fix universally disliked colors. * * <p>Color science studies of color preference indicate universal distaste for dark yellow-greens, * and also show this is correlated to distate for biological waste and rotting food. * * <p>See Palmer and Schloss, 2010 or Schloss and Palmer's Chapter 21 in Handbook of Color * Psychology (2015). */ public final class DislikeAnalyzer { private DislikeAnalyzer() { throw new UnsupportedOperationException(); } /** * Returns true if color is disliked. * * <p>Disliked is defined as a dark yellow-green that is not neutral. */ public static boolean isDisliked(Hct hct) { final boolean huePasses = Math.round(hct.getHue()) >= 90.0 && Math.round(hct.getHue()) <= 111.0; final boolean chromaPasses = Math.round(hct.getChroma()) > 16.0; final boolean tonePasses = Math.round(
hct.getTone()) < 65.0;
return huePasses && chromaPasses && tonePasses; } /** If color is disliked, lighten it to make it likable. */ public static Hct fixIfDisliked(Hct hct) { if (isDisliked(hct)) { return Hct.from(hct.getHue(), hct.getChroma(), 70.0); } return hct; } }
m3color/src/main/java/com/kyant/m3color/dislike/DislikeAnalyzer.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8560017347335815 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (isMonochrome(s)) {\n return s.isDark ? 60.0 : 49.0;\n }\n if (!isFidelity(s)) {\n return s.isDark ? 30.0 : 90.0;\n }\n final Hct proposedHct = s.tertiaryPalette.getHct(s.sourceColorHct.getTone());\n return DislikeAnalyzer.fixIfDisliked(proposedHct).getTone();\n },\n /* isBackground= */ true,", "score": 0.8506308794021606 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.8398224115371704 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.832103431224823 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.822650671005249 } ]
java
hct.getTone()) < 65.0;
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this
.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.);
this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.8879941701889038 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8745518922805786 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8606857061386108 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8594897985458374 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n private void setInternalState(int argb) {\n this.argb = argb;\n Cam16 cam = Cam16.fromInt(argb);\n hue = cam.getHue();\n chroma = cam.getChroma();\n this.tone = ColorUtils.lstarFromArgb(argb);\n }\n}", "score": 0.8569893836975098 } ]
java
.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.contrast; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * Color science for contrast utilities. * * <p>Utility methods for calculating contrast given two colors, or calculating a color given one * color and a contrast ratio. * * <p>Contrast ratio is calculated using XYZ's Y. When linearized to match human perception, Y * becomes HCT's tone and L*a*b*'s' L*. */ public final class Contrast { // The minimum contrast ratio of two colors. // Contrast ratio equation = lighter + 5 / darker + 5, if lighter == darker, ratio == 1. public static final double RATIO_MIN = 1.0; // The maximum contrast ratio of two colors. // Contrast ratio equation = lighter + 5 / darker + 5. Lighter and darker scale from 0 to 100. // If lighter == 100, darker = 0, ratio == 21. public static final double RATIO_MAX = 21.0; public static final double RATIO_30 = 3.0; public static final double RATIO_45 = 4.5; public static final double RATIO_70 = 7.0; // Given a color and a contrast ratio to reach, the luminance of a color that reaches that ratio // with the color can be calculated. However, that luminance may not contrast as desired, i.e. the // contrast ratio of the input color and the returned luminance may not reach the contrast ratio // asked for. // // When the desired contrast ratio and the result contrast ratio differ by more than this amount, // an error value should be returned, or the method should be documented as 'unsafe', meaning, // it will return a valid luminance but that luminance may not meet the requested contrast ratio. // // 0.04 selected because it ensures the resulting ratio rounds to the same tenth. private static final double CONTRAST_RATIO_EPSILON = 0.04; // Color spaces that measure luminance, such as Y in XYZ, L* in L*a*b*, or T in HCT, are known as // perceptually accurate color spaces. // // To be displayed, they must gamut map to a "display space", one that has a defined limit on the // number of colors. Display spaces include sRGB, more commonly understood as RGB/HSL/HSV/HSB. // Gamut mapping is undefined and not defined by the color space. Any gamut mapping algorithm must // choose how to sacrifice accuracy in hue, saturation, and/or lightness. // // A principled solution is to maintain lightness, thus maintaining contrast/a11y, maintain hue, // thus maintaining aesthetic intent, and reduce chroma until the color is in gamut. // // HCT chooses this solution, but, that doesn't mean it will _exactly_ matched desired lightness, // if only because RGB is quantized: RGB is expressed as a set of integers: there may be an RGB // color with, for example, 47.892 lightness, but not 47.891. // // To allow for this inherent incompatibility between perceptually accurate color spaces and // display color spaces, methods that take a contrast ratio and luminance, and return a luminance // that reaches that contrast ratio for the input luminance, purposefully darken/lighten their // result such that the desired contrast ratio will be reached even if inaccuracy is introduced. // // 0.4 is generous, ex. HCT requires much less delta. It was chosen because it provides a rough // guarantee that as long as a perceptual color space gamut maps lightness such that the resulting // lightness rounds to the same as the requested, the desired contrast ratio will be reached. private static final double LUMINANCE_GAMUT_MAP_TOLERANCE = 0.4; private Contrast() {} /** * Contrast ratio is a measure of legibility, its used to compare the lightness of two colors. * This method is used commonly in industry due to its use by WCAG. * * <p>To compare lightness, the colors are expressed in the XYZ color space, where Y is lightness, * also known as relative luminance. * * <p>The equation is ratio = lighter Y + 5 / darker Y + 5. */ public static double ratioOfYs(double y1, double y2) { final double lighter = max(y1, y2); final double darker = (lighter == y2) ? y1 : y2; return (lighter + 5.0) / (darker + 5.0); } /** * Contrast ratio of two tones. T in HCT, L* in L*a*b*. Also known as luminance or perpectual * luminance. * * <p>Contrast ratio is defined using Y in XYZ, relative luminance. However, relative luminance is * linear to number of photons, not to perception of lightness. Perceptual luminance, L* in * L*a*b*, T in HCT, is. Designers prefer color spaces with perceptual luminance since they're * accurate to the eye. * * <p>Y and L* are pure functions of each other, so it possible to use perceptually accurate color * spaces, and measure contrast, and measure contrast in a much more understandable way: instead * of a ratio, a linear difference. This allows a designer to determine what they need to adjust a * color's lightness to in order to reach their desired contrast, instead of guessing & checking * with hex codes. */ public static double ratioOfTones(double t1, double t2) { return ratioOfYs(ColorUtils.yFromLstar(t1), ColorUtils.yFromLstar(t2)); } /** * Returns T in HCT, L* in L*a*b* >= tone parameter that ensures ratio with input T/L*. Returns -1 * if ratio cannot be achieved. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double lighter(double tone, double ratio) { if (tone < 0.0 || tone > 100.0) { return -1.0; } // Invert the contrast ratio equation to determine lighter Y given a ratio and darker Y. final double darkY = ColorUtils.yFromLstar(tone); final double lightY = ratio * (darkY + 5.0) - 5.0; if (lightY < 0.0 || lightY > 100.0) { return -1.0; } final double realContrast = ratioOfYs(lightY, darkY); final double delta = Math.abs(realContrast - ratio); if (realContrast < ratio && delta > CONTRAST_RATIO_EPSILON) { return -1.0; } final double returnValue =
ColorUtils.lstarFromY(lightY) + LUMINANCE_GAMUT_MAP_TOLERANCE;
// NOMUTANTS--important validation step; functions it is calling may change implementation. if (returnValue < 0 || returnValue > 100) { return -1.0; } return returnValue; } /** * Tone >= tone parameter that ensures ratio. 100 if ratio cannot be achieved. * * <p>This method is unsafe because the returned value is guaranteed to be in bounds, but, the in * bounds return value may not reach the desired ratio. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double lighterUnsafe(double tone, double ratio) { double lighterSafe = lighter(tone, ratio); return lighterSafe < 0.0 ? 100.0 : lighterSafe; } /** * Returns T in HCT, L* in L*a*b* <= tone parameter that ensures ratio with input T/L*. Returns -1 * if ratio cannot be achieved. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double darker(double tone, double ratio) { if (tone < 0.0 || tone > 100.0) { return -1.0; } // Invert the contrast ratio equation to determine darker Y given a ratio and lighter Y. final double lightY = ColorUtils.yFromLstar(tone); final double darkY = ((lightY + 5.0) / ratio) - 5.0; if (darkY < 0.0 || darkY > 100.0) { return -1.0; } final double realContrast = ratioOfYs(lightY, darkY); final double delta = Math.abs(realContrast - ratio); if (realContrast < ratio && delta > CONTRAST_RATIO_EPSILON) { return -1.0; } // For information on 0.4 constant, see comment in lighter(tone, ratio). final double returnValue = ColorUtils.lstarFromY(darkY) - LUMINANCE_GAMUT_MAP_TOLERANCE; // NOMUTANTS--important validation step; functions it is calling may change implementation. if (returnValue < 0 || returnValue > 100) { return -1.0; } return returnValue; } /** * Tone <= tone parameter that ensures ratio. 0 if ratio cannot be achieved. * * <p>This method is unsafe because the returned value is guaranteed to be in bounds, but, the in * bounds return value may not reach the desired ratio. * * @param tone Tone return value must contrast with. * @param ratio Desired contrast ratio of return value and tone parameter. */ public static double darkerUnsafe(double tone, double ratio) { double darkerSafe = darker(tone, ratio); return max(0.0, darkerSafe); } }
m3color/src/main/java/com/kyant/m3color/contrast/Contrast.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " //\n // This was observed with Tonal Spot's On Primary Container turning black momentarily between\n // high and max contrast in light mode. PC's standard tone was T90, OPC's was T10, it was\n // light mode, and the contrast level was 0.6568521221032331.\n boolean negligibleDifference =\n Math.abs(lighterRatio - darkerRatio) < 0.1 && lighterRatio < ratio && darkerRatio < ratio;\n if (lighterRatio >= ratio || lighterRatio >= darkerRatio || negligibleDifference) {\n return lighterTone;\n } else {\n return darkerTone;", "score": 0.8560223579406738 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " double lightOption = Contrast.lighter(upper, desiredRatio);\n // The lightest dark tone that satisfies the desired ratio,\n // or -1 if such ratio cannot be reached.\n double darkOption = Contrast.darker(lower, desiredRatio);\n // Tones suitable for the foreground.\n ArrayList<Double> availables = new ArrayList<>();\n if (lightOption != -1) {\n availables.add(lightOption);\n }\n if (darkOption != -1) {", "score": 0.8553406596183777 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.844436764717102 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/ContrastCurve.java", "retrieved_chunk": " } else if (contrastLevel < 0.5) {\n return MathUtils.lerp(this.normal, this.medium, (contrastLevel - 0) / 0.5);\n } else if (contrastLevel < 1.0) {\n return MathUtils.lerp(this.medium, this.high, (contrastLevel - 0.5) / 0.5);\n } else {\n return this.high;\n }\n }\n}", "score": 0.844150185585022 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " public static double foregroundTone(double bgTone, double ratio) {\n double lighterTone = Contrast.lighterUnsafe(bgTone, ratio);\n double darkerTone = Contrast.darkerUnsafe(bgTone, ratio);\n double lighterRatio = Contrast.ratioOfTones(lighterTone, bgTone);\n double darkerRatio = Contrast.ratioOfTones(darkerTone, bgTone);\n boolean preferLighter = tonePrefersLightForeground(bgTone);\n if (preferLighter) {\n // \"Neglible difference\" handles an edge case where the initial contrast ratio is high\n // (ex. 13.0), and the ratio passed to the function is that high ratio, and both the lighter\n // and darker ratio fails to pass that ratio.", "score": 0.8371802568435669 } ]
java
ColorUtils.lstarFromY(lightY) + LUMINANCE_GAMUT_MAP_TOLERANCE;
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double
hue = hct.getHue();
double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.9002687335014343 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8689541816711426 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8680824041366577 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.8670662045478821 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " this.inverseSurface = inverseSurface;\n this.inverseOnSurface = inverseOnSurface;\n this.inversePrimary = inversePrimary;\n }\n /** Creates a light theme Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme light(int argb) {\n return lightFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a dark theme Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme dark(int argb) {", "score": 0.8406158685684204 } ]
java
hue = hct.getHue();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1
= TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.));
this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.8825392127037048 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.870130181312561 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8612161874771118 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.855431854724884 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n private void setInternalState(int argb) {\n this.argb = argb;\n Cam16 cam = Cam16.fromInt(argb);\n hue = cam.getHue();\n chroma = cam.getChroma();\n this.tone = ColorUtils.lstarFromArgb(argb);\n }\n}", "score": 0.8517876863479614 } ]
java
= TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.
a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma));
this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8950028419494629 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8901805877685547 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8779407739639282 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeNeutral.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 2.0));\n }\n}", "score": 0.87455815076828 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8739062547683716 } ]
java
a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.));
this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.));
} else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/Scheme.java", "retrieved_chunk": " return darkFromCorePalette(CorePalette.of(argb));\n }\n /** Creates a light theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme lightContent(int argb) {\n return lightFromCorePalette(CorePalette.contentOf(argb));\n }\n /** Creates a dark theme content-based Scheme from a source color in ARGB, i.e. a hex code. */\n public static Scheme darkContent(int argb) {\n return darkFromCorePalette(CorePalette.contentOf(argb));\n }", "score": 0.8822774887084961 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8715074062347412 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8626280426979065 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8520712852478027 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n private void setInternalState(int argb) {\n this.argb = argb;\n Cam16 cam = Cam16.fromInt(argb);\n hue = cam.getHue();\n chroma = cam.getChroma();\n this.tone = ColorUtils.lstarFromArgb(argb);\n }\n}", "score": 0.8512609004974365 } ]
java
this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2
= TonalPalette.fromHueAndChroma(hue, 16.);
this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8841484189033508 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8716489672660828 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " contrastLevel,\n TonalPalette.fromHueAndChroma(\n MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 240.0), 40.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(\n MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 8.0),\n TonalPalette.fromHueAndChroma(", "score": 0.8628471493721008 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8599933981895447 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeVibrant.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 12.0));\n }\n}", "score": 0.856786847114563 } ]
java
= TonalPalette.fromHueAndChroma(hue, 16.);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.utils; /** Utility methods for string representations of colors. */ final class StringUtils { private StringUtils() {} /** * Hex string representing color, ex. #ff0000 for red. * * @param argb ARGB representation of a color. */ public static String hexFromArgb(int argb) { int red = ColorUtils.redFromArgb(argb); int blue =
ColorUtils.blueFromArgb(argb);
int green = ColorUtils.greenFromArgb(argb); return String.format("#%02x%02x%02x", red, green, blue); } }
m3color/src/main/java/com/kyant/m3color/utils/StringUtils.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " public static int redFromArgb(int argb) {\n return (argb >> 16) & 255;\n }\n /** Returns the green component of a color in ARGB format. */\n public static int greenFromArgb(int argb) {\n return (argb >> 8) & 255;\n }\n /** Returns the blue component of a color in ARGB format. */\n public static int blueFromArgb(int argb) {\n return argb & 255;", "score": 0.8811824321746826 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " * @param argb the ARGB representation of a color\n * @return a Lab object representing the color\n */\n public static double[] labFromArgb(int argb) {\n double linearR = linearized(redFromArgb(argb));\n double linearG = linearized(greenFromArgb(argb));\n double linearB = linearized(blueFromArgb(argb));\n double[][] matrix = SRGB_TO_XYZ;\n double x = matrix[0][0] * linearR + matrix[0][1] * linearG + matrix[0][2] * linearB;\n double y = matrix[1][0] * linearR + matrix[1][1] * linearG + matrix[1][2] * linearB;", "score": 0.8341064453125 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " }\n /**\n * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions.\n *\n * @param argb ARGB representation of a color.\n */\n public static Cam16 fromInt(int argb) {\n return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT);\n }\n /**", "score": 0.8281936645507812 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " int r = delinearized(linrgb[0]);\n int g = delinearized(linrgb[1]);\n int b = delinearized(linrgb[2]);\n return argbFromRgb(r, g, b);\n }\n /** Returns the alpha component of a color in ARGB format. */\n public static int alphaFromArgb(int argb) {\n return (argb >> 24) & 255;\n }\n /** Returns the red component of a color in ARGB format. */", "score": 0.8234165906906128 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8214684724807739 } ]
java
ColorUtils.blueFromArgb(argb);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.
a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.);
this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.9009472131729126 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8733496069908142 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8701660633087158 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeVibrant.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 12.0));\n }\n}", "score": 0.8660168647766113 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeNeutral.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 2.0));\n }\n}", "score": 0.8630205392837524 } ]
java
a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.utils; /** * Color science utilities. * * <p>Utility methods for color science constants and color space conversions that aren't HCT or * CAM16. */ public class ColorUtils { private ColorUtils() {} static final double[][] SRGB_TO_XYZ = new double[][] { new double[] {0.41233895, 0.35762064, 0.18051042}, new double[] {0.2126, 0.7152, 0.0722}, new double[] {0.01932141, 0.11916382, 0.95034478}, }; static final double[][] XYZ_TO_SRGB = new double[][] { new double[] { 3.2413774792388685, -1.5376652402851851, -0.49885366846268053, }, new double[] { -0.9691452513005321, 1.8758853451067872, 0.04156585616912061, }, new double[] { 0.05562093689691305, -0.20395524564742123, 1.0571799111220335, }, }; static final double[] WHITE_POINT_D65 = new double[] {95.047, 100.0, 108.883}; /** Converts a color from RGB components to ARGB format. */ public static int argbFromRgb(int red, int green, int blue) { return (255 << 24) | ((red & 255) << 16) | ((green & 255) << 8) | (blue & 255); } /** Converts a color from linear RGB components to ARGB format. */ public static int argbFromLinrgb(double[] linrgb) { int r = delinearized(linrgb[0]); int g = delinearized(linrgb[1]); int b = delinearized(linrgb[2]); return argbFromRgb(r, g, b); } /** Returns the alpha component of a color in ARGB format. */ public static int alphaFromArgb(int argb) { return (argb >> 24) & 255; } /** Returns the red component of a color in ARGB format. */ public static int redFromArgb(int argb) { return (argb >> 16) & 255; } /** Returns the green component of a color in ARGB format. */ public static int greenFromArgb(int argb) { return (argb >> 8) & 255; } /** Returns the blue component of a color in ARGB format. */ public static int blueFromArgb(int argb) { return argb & 255; } /** Returns whether a color in ARGB format is opaque. */ public static boolean isOpaque(int argb) { return alphaFromArgb(argb) >= 255; } /** Converts a color from ARGB to XYZ. */ public static int argbFromXyz(double x, double y, double z) { double[][] matrix = XYZ_TO_SRGB; double linearR = matrix[0][0] * x + matrix[0][1] * y + matrix[0][2] * z; double linearG = matrix[1][0] * x + matrix[1][1] * y + matrix[1][2] * z; double linearB = matrix[2][0] * x + matrix[2][1] * y + matrix[2][2] * z; int r = delinearized(linearR); int g = delinearized(linearG); int b = delinearized(linearB); return argbFromRgb(r, g, b); } /** Converts a color from XYZ to ARGB. */ public static double[] xyzFromArgb(int argb) { double r = linearized(redFromArgb(argb)); double g = linearized(greenFromArgb(argb)); double b = linearized(blueFromArgb(argb)); return MathUtils.matrixMultiply(new double[] {r, g, b}, SRGB_TO_XYZ); } /** Converts a color represented in Lab color space into an ARGB integer. */ public static int argbFromLab(double l, double a, double b) { double[] whitePoint = WHITE_POINT_D65; double fy = (l + 16.0) / 116.0; double fx = a / 500.0 + fy; double fz = fy - b / 200.0; double xNormalized = labInvf(fx); double yNormalized = labInvf(fy); double zNormalized = labInvf(fz); double x = xNormalized * whitePoint[0]; double y = yNormalized * whitePoint[1]; double z = zNormalized * whitePoint[2]; return argbFromXyz(x, y, z); } /** * Converts a color from ARGB representation to L*a*b* representation. * * @param argb the ARGB representation of a color * @return a Lab object representing the color */ public static double[] labFromArgb(int argb) { double linearR = linearized(redFromArgb(argb)); double linearG = linearized(greenFromArgb(argb)); double linearB = linearized(blueFromArgb(argb)); double[][] matrix = SRGB_TO_XYZ; double x = matrix[0][0] * linearR + matrix[0][1] * linearG + matrix[0][2] * linearB; double y = matrix[1][0] * linearR + matrix[1][1] * linearG + matrix[1][2] * linearB; double z = matrix[2][0] * linearR + matrix[2][1] * linearG + matrix[2][2] * linearB; double[] whitePoint = WHITE_POINT_D65; double xNormalized = x / whitePoint[0]; double yNormalized = y / whitePoint[1]; double zNormalized = z / whitePoint[2]; double fx = labF(xNormalized); double fy = labF(yNormalized); double fz = labF(zNormalized); double l = 116.0 * fy - 16; double a = 500.0 * (fx - fy); double b = 200.0 * (fy - fz); return new double[] {l, a, b}; } /** * Converts an L* value to an ARGB representation. * * @param lstar L* in L*a*b* * @return ARGB representation of grayscale color with lightness matching L* */ public static int argbFromLstar(double lstar) { double y = yFromLstar(lstar); int component = delinearized(y); return argbFromRgb(component, component, component); } /** * Computes the L* value of a color in ARGB representation. * * @param argb ARGB representation of a color * @return L*, from L*a*b*, coordinate of the color */ public static double lstarFromArgb(int argb) { double y = xyzFromArgb(argb)[1]; return 116.0 * labF(y / 100.0) - 16.0; } /** * Converts an L* value to a Y value. * * <p>L* in L*a*b* and Y in XYZ measure the same quantity, luminance. * * <p>L* measures perceptual luminance, a linear scale. Y in XYZ measures relative luminance, a * logarithmic scale. * * @param lstar L* in L*a*b* * @return Y in XYZ */ public static double yFromLstar(double lstar) { return 100.0 * labInvf((lstar + 16.0) / 116.0); } /** * Converts a Y value to an L* value. * * <p>L* in L*a*b* and Y in XYZ measure the same quantity, luminance. * * <p>L* measures perceptual luminance, a linear scale. Y in XYZ measures relative luminance, a * logarithmic scale. * * @param y Y in XYZ * @return L* in L*a*b* */ public static double lstarFromY(double y) { return labF(y / 100.0) * 116.0 - 16.0; } /** * Linearizes an RGB component. * * @param rgbComponent 0 <= rgb_component <= 255, represents R/G/B channel * @return 0.0 <= output <= 100.0, color channel converted to linear RGB space */ public static double linearized(int rgbComponent) { double normalized = rgbComponent / 255.0; if (normalized <= 0.040449936) { return normalized / 12.92 * 100.0; } else { return Math.pow((normalized + 0.055) / 1.055, 2.4) * 100.0; } } /** * Delinearizes an RGB component. * * @param rgbComponent 0.0 <= rgb_component <= 100.0, represents linear R/G/B channel * @return 0 <= output <= 255, color channel converted to regular RGB space */ public static int delinearized(double rgbComponent) { double normalized = rgbComponent / 100.0; double delinearized = 0.0; if (normalized <= 0.0031308) { delinearized = normalized * 12.92; } else { delinearized = 1.055 * Math.pow(normalized, 1.0 / 2.4) - 0.055; } return
MathUtils.clampInt(0, 255, (int) Math.round(delinearized * 255.0));
} /** * Returns the standard white point; white on a sunny day. * * @return The white point */ public static double[] whitePointD65() { return WHITE_POINT_D65; } static double labF(double t) { double e = 216.0 / 24389.0; double kappa = 24389.0 / 27.0; if (t > e) { return Math.pow(t, 1.0 / 3.0); } else { return (kappa * t + 16) / 116; } } static double labInvf(double ft) { double e = 216.0 / 24389.0; double kappa = 24389.0 / 27.0; double ft3 = ft * ft * ft; if (ft3 > e) { return ft3; } else { return (116 * ft - 16) / kappa; } } }
m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " static double trueDelinearized(double rgbComponent) {\n double normalized = rgbComponent / 100.0;\n double delinearized = 0.0;\n if (normalized <= 0.0031308) {\n delinearized = normalized * 12.92;\n } else {\n delinearized = 1.055 * Math.pow(normalized, 1.0 / 2.4) - 0.055;\n }\n return delinearized * 255.0;\n }", "score": 0.952252984046936 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " */\n static double sanitizeRadians(double angle) {\n return (angle + Math.PI * 8) % (Math.PI * 2);\n }\n /**\n * Delinearizes an RGB component, returning a floating-point number.\n *\n * @param rgbComponent 0.0 <= rgb_component <= 100.0, represents linear R/G/B channel\n * @return 0.0 <= output <= 255.0, color channel converted to regular RGB space\n */", "score": 0.8521667718887329 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " static double hueOf(double[] linrgb) {\n double[] scaledDiscount = MathUtils.matrixMultiply(linrgb, SCALED_DISCOUNT_FROM_LINRGB);\n double rA = chromaticAdaptation(scaledDiscount[0]);\n double gA = chromaticAdaptation(scaledDiscount[1]);\n double bA = chromaticAdaptation(scaledDiscount[2]);\n // redness-greenness\n double a = (11.0 * rA + -12.0 * gA + bA) / 11.0;\n // yellowness-blueness\n double b = (rA + gA - 2.0 * bA) / 9.0;\n return Math.atan2(b, a);", "score": 0.834662914276123 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double fnj = kR * linrgb[0] + kG * linrgb[1] + kB * linrgb[2];\n if (fnj <= 0) {\n return 0;\n }\n if (iterationRound == 4 || Math.abs(fnj - y) < 0.002) {\n if (linrgb[0] > 100.01 || linrgb[1] > 100.01 || linrgb[2] > 100.01) {\n return 0;\n }\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8280545473098755 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8260737657546997 } ]
java
MathUtils.clampInt(0, 255, (int) Math.round(delinearized * 255.0));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) {
return new TonalPalette(hct.getHue(), hct.getChroma(), hct);
} /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct smallestDeltaHct = Hct.from(hue, chroma, startTone); double smallestDelta = Math.abs(smallestDeltaHct.getChroma() - chroma); // Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) { return smallestDeltaHct; } final Hct hctAdd = Hct.from(hue, chroma, startTone + delta); final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) { color = Hct.from(this.hue, this.chroma, tone).toInt(); cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.9062093496322632 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " return new Hct(argb);\n }\n private Hct(int argb) {\n setInternalState(argb);\n }\n public double getHue() {\n return hue;\n }\n public double getChroma() {\n return chroma;", "score": 0.8886171579360962 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java", "retrieved_chunk": " *\n * @param argb ARGB representation of a color\n */\n public static CorePalette contentOf(int argb) {\n return new CorePalette(argb, true);\n }\n private CorePalette(int argb, boolean isContent) {\n Hct hct = Hct.fromInt(argb);\n double hue = hct.getHue();\n double chroma = hct.getChroma();", "score": 0.8697559833526611 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeMonochrome.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8666720390319824 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeNeutral.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 2.0));\n }\n}", "score": 0.8653643727302551 } ]
java
return new TonalPalette(hct.getHue(), hct.getChroma(), hct);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this
.n1 = TonalPalette.fromHueAndChroma(hue, 4.);
this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error = TonalPalette.fromHueAndChroma(25, 84.); } }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8933798670768738 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.870201826095581 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.867056667804718 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeVibrant.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 12.0));\n }\n}", "score": 0.8653656244277954 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeNeutral.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 2.0));\n }\n}", "score": 0.86073237657547 } ]
java
.n1 = TonalPalette.fromHueAndChroma(hue, 4.);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.utils; /** * Color science utilities. * * <p>Utility methods for color science constants and color space conversions that aren't HCT or * CAM16. */ public class ColorUtils { private ColorUtils() {} static final double[][] SRGB_TO_XYZ = new double[][] { new double[] {0.41233895, 0.35762064, 0.18051042}, new double[] {0.2126, 0.7152, 0.0722}, new double[] {0.01932141, 0.11916382, 0.95034478}, }; static final double[][] XYZ_TO_SRGB = new double[][] { new double[] { 3.2413774792388685, -1.5376652402851851, -0.49885366846268053, }, new double[] { -0.9691452513005321, 1.8758853451067872, 0.04156585616912061, }, new double[] { 0.05562093689691305, -0.20395524564742123, 1.0571799111220335, }, }; static final double[] WHITE_POINT_D65 = new double[] {95.047, 100.0, 108.883}; /** Converts a color from RGB components to ARGB format. */ public static int argbFromRgb(int red, int green, int blue) { return (255 << 24) | ((red & 255) << 16) | ((green & 255) << 8) | (blue & 255); } /** Converts a color from linear RGB components to ARGB format. */ public static int argbFromLinrgb(double[] linrgb) { int r = delinearized(linrgb[0]); int g = delinearized(linrgb[1]); int b = delinearized(linrgb[2]); return argbFromRgb(r, g, b); } /** Returns the alpha component of a color in ARGB format. */ public static int alphaFromArgb(int argb) { return (argb >> 24) & 255; } /** Returns the red component of a color in ARGB format. */ public static int redFromArgb(int argb) { return (argb >> 16) & 255; } /** Returns the green component of a color in ARGB format. */ public static int greenFromArgb(int argb) { return (argb >> 8) & 255; } /** Returns the blue component of a color in ARGB format. */ public static int blueFromArgb(int argb) { return argb & 255; } /** Returns whether a color in ARGB format is opaque. */ public static boolean isOpaque(int argb) { return alphaFromArgb(argb) >= 255; } /** Converts a color from ARGB to XYZ. */ public static int argbFromXyz(double x, double y, double z) { double[][] matrix = XYZ_TO_SRGB; double linearR = matrix[0][0] * x + matrix[0][1] * y + matrix[0][2] * z; double linearG = matrix[1][0] * x + matrix[1][1] * y + matrix[1][2] * z; double linearB = matrix[2][0] * x + matrix[2][1] * y + matrix[2][2] * z; int r = delinearized(linearR); int g = delinearized(linearG); int b = delinearized(linearB); return argbFromRgb(r, g, b); } /** Converts a color from XYZ to ARGB. */ public static double[] xyzFromArgb(int argb) { double r = linearized(redFromArgb(argb)); double g = linearized(greenFromArgb(argb)); double b = linearized(blueFromArgb(argb));
return MathUtils.matrixMultiply(new double[] {
r, g, b}, SRGB_TO_XYZ); } /** Converts a color represented in Lab color space into an ARGB integer. */ public static int argbFromLab(double l, double a, double b) { double[] whitePoint = WHITE_POINT_D65; double fy = (l + 16.0) / 116.0; double fx = a / 500.0 + fy; double fz = fy - b / 200.0; double xNormalized = labInvf(fx); double yNormalized = labInvf(fy); double zNormalized = labInvf(fz); double x = xNormalized * whitePoint[0]; double y = yNormalized * whitePoint[1]; double z = zNormalized * whitePoint[2]; return argbFromXyz(x, y, z); } /** * Converts a color from ARGB representation to L*a*b* representation. * * @param argb the ARGB representation of a color * @return a Lab object representing the color */ public static double[] labFromArgb(int argb) { double linearR = linearized(redFromArgb(argb)); double linearG = linearized(greenFromArgb(argb)); double linearB = linearized(blueFromArgb(argb)); double[][] matrix = SRGB_TO_XYZ; double x = matrix[0][0] * linearR + matrix[0][1] * linearG + matrix[0][2] * linearB; double y = matrix[1][0] * linearR + matrix[1][1] * linearG + matrix[1][2] * linearB; double z = matrix[2][0] * linearR + matrix[2][1] * linearG + matrix[2][2] * linearB; double[] whitePoint = WHITE_POINT_D65; double xNormalized = x / whitePoint[0]; double yNormalized = y / whitePoint[1]; double zNormalized = z / whitePoint[2]; double fx = labF(xNormalized); double fy = labF(yNormalized); double fz = labF(zNormalized); double l = 116.0 * fy - 16; double a = 500.0 * (fx - fy); double b = 200.0 * (fy - fz); return new double[] {l, a, b}; } /** * Converts an L* value to an ARGB representation. * * @param lstar L* in L*a*b* * @return ARGB representation of grayscale color with lightness matching L* */ public static int argbFromLstar(double lstar) { double y = yFromLstar(lstar); int component = delinearized(y); return argbFromRgb(component, component, component); } /** * Computes the L* value of a color in ARGB representation. * * @param argb ARGB representation of a color * @return L*, from L*a*b*, coordinate of the color */ public static double lstarFromArgb(int argb) { double y = xyzFromArgb(argb)[1]; return 116.0 * labF(y / 100.0) - 16.0; } /** * Converts an L* value to a Y value. * * <p>L* in L*a*b* and Y in XYZ measure the same quantity, luminance. * * <p>L* measures perceptual luminance, a linear scale. Y in XYZ measures relative luminance, a * logarithmic scale. * * @param lstar L* in L*a*b* * @return Y in XYZ */ public static double yFromLstar(double lstar) { return 100.0 * labInvf((lstar + 16.0) / 116.0); } /** * Converts a Y value to an L* value. * * <p>L* in L*a*b* and Y in XYZ measure the same quantity, luminance. * * <p>L* measures perceptual luminance, a linear scale. Y in XYZ measures relative luminance, a * logarithmic scale. * * @param y Y in XYZ * @return L* in L*a*b* */ public static double lstarFromY(double y) { return labF(y / 100.0) * 116.0 - 16.0; } /** * Linearizes an RGB component. * * @param rgbComponent 0 <= rgb_component <= 255, represents R/G/B channel * @return 0.0 <= output <= 100.0, color channel converted to linear RGB space */ public static double linearized(int rgbComponent) { double normalized = rgbComponent / 255.0; if (normalized <= 0.040449936) { return normalized / 12.92 * 100.0; } else { return Math.pow((normalized + 0.055) / 1.055, 2.4) * 100.0; } } /** * Delinearizes an RGB component. * * @param rgbComponent 0.0 <= rgb_component <= 100.0, represents linear R/G/B channel * @return 0 <= output <= 255, color channel converted to regular RGB space */ public static int delinearized(double rgbComponent) { double normalized = rgbComponent / 100.0; double delinearized = 0.0; if (normalized <= 0.0031308) { delinearized = normalized * 12.92; } else { delinearized = 1.055 * Math.pow(normalized, 1.0 / 2.4) - 0.055; } return MathUtils.clampInt(0, 255, (int) Math.round(delinearized * 255.0)); } /** * Returns the standard white point; white on a sunny day. * * @return The white point */ public static double[] whitePointD65() { return WHITE_POINT_D65; } static double labF(double t) { double e = 216.0 / 24389.0; double kappa = 24389.0 / 27.0; if (t > e) { return Math.pow(t, 1.0 / 3.0); } else { return (kappa * t + 16) / 116; } } static double labInvf(double ft) { double e = 216.0 / 24389.0; double kappa = 24389.0 / 27.0; double ft3 = ft * ft * ft; if (ft3 > e) { return ft3; } else { return (116 * ft - 16) / kappa; } } }
m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " // Transform ARGB int to XYZ\n int red = (argb & 0x00ff0000) >> 16;\n int green = (argb & 0x0000ff00) >> 8;\n int blue = (argb & 0x000000ff);\n double redL = ColorUtils.linearized(red);\n double greenL = ColorUtils.linearized(green);\n double blueL = ColorUtils.linearized(blue);\n double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL;\n double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL;\n double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL;", "score": 0.884737491607666 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " static double hueOf(double[] linrgb) {\n double[] scaledDiscount = MathUtils.matrixMultiply(linrgb, SCALED_DISCOUNT_FROM_LINRGB);\n double rA = chromaticAdaptation(scaledDiscount[0]);\n double gA = chromaticAdaptation(scaledDiscount[1]);\n double bA = chromaticAdaptation(scaledDiscount[2]);\n // redness-greenness\n double a = (11.0 * rA + -12.0 * gA + bA) / 11.0;\n // yellowness-blueness\n double b = (rA + gA - 2.0 * bA) / 9.0;\n return Math.atan2(b, a);", "score": 0.8402140140533447 }, { "filename": "m3color/src/main/java/com/kyant/m3color/quantize/PointProviderLab.java", "retrieved_chunk": " */\npublic final class PointProviderLab implements PointProvider {\n /**\n * Convert a color represented in ARGB to a 3-element array of L*a*b* coordinates of the color.\n */\n @Override\n public double[] fromInt(int argb) {\n double[] lab = ColorUtils.labFromArgb(argb);\n return new double[] {lab[0], lab[1], lab[2]};\n }", "score": 0.8326847553253174 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]);\n }\n double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) {\n double alpha =\n (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0);\n double t =\n Math.pow(\n alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9);\n double hRad = Math.toRadians(getHue());\n double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8);", "score": 0.8296073079109192 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " // redness-greenness\n double a = (11.0 * rA + -12.0 * gA + bA) / 11.0;\n // yellowness-blueness\n double b = (rA + gA - 2.0 * bA) / 9.0;\n // auxiliary components\n double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0;\n double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0;\n // hue\n double atan2 = Math.atan2(b, a);\n double atanDegrees = Math.toDegrees(atan2);", "score": 0.8274120092391968 } ]
java
return MathUtils.matrixMultiply(new double[] {
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.
differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {
hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8705395460128784 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " Hct answer = getHctsByHue().get((int) Math.round(input.getHue()));\n double complementRelativeTemp = (1. - getRelativeTemperature(input));\n // Find the color in the other section, closest to the inverse percentile\n // of the input color. This is the complement.\n for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) {\n double hue = MathUtils.sanitizeDegreesDouble(\n startHue + directionOfRotation * hueAddend);\n if (!isBetween(hue, startHue, endHue)) {\n continue;\n }", "score": 0.8548319935798645 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep);\n indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n indexAddend++;\n }\n lastTemp = temp;\n hueAddend++;\n if (hueAddend > 360) {\n while (allColors.size() < divisions) {\n allColors.add(hct);\n }", "score": 0.850386381149292 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue));\n double relativeTemp =\n (getTempsByHct().get(possibleAnswer) - coldestTemp) / range;\n double error = Math.abs(complementRelativeTemp - relativeTemp);\n if (error < smallestError) {\n smallestError = error;\n answer = possibleAnswer;\n }\n }\n precomputedComplement = answer;", "score": 0.8492864966392517 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " */\n public List<Hct> getAnalogousColors(int count, int divisions) {\n // The starting hue is the hue of the input color.\n int startHue = (int) Math.round(input.getHue());\n Hct startHct = getHctsByHue().get(startHue);\n double lastTemp = getRelativeTemperature(startHct);\n List<Hct> allColors = new ArrayList<>();\n allColors.add(startHct);\n double absoluteTotalTempDelta = 0.f;\n for (int i = 0; i < 360; i++) {", "score": 0.8484017252922058 } ]
java
differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int
) Math.floor(hct.getHue());
huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/quantize/QuantizerWsmeans.java", "retrieved_chunk": " }\n double a = componentASums[i] / count;\n double b = componentBSums[i] / count;\n double c = componentCSums[i] / count;\n clusters[i][0] = a;\n clusters[i][1] = b;\n clusters[i][2] = c;\n }\n }\n Map<Integer, Integer> argbToPopulation = new LinkedHashMap<>();", "score": 0.8561053276062012 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " return precomputedHctsByHue;\n }\n List<Hct> hcts = new ArrayList<>();\n for (double hue = 0.; hue <= 360.; hue += 1.) {\n Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone());\n hcts.add(colorAtHue);\n }\n precomputedHctsByHue = Collections.unmodifiableList(hcts);\n return precomputedHctsByHue;\n }", "score": 0.8543035984039307 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " */\n public List<Hct> getAnalogousColors(int count, int divisions) {\n // The starting hue is the hue of the input color.\n int startHue = (int) Math.round(input.getHue());\n Hct startHct = getHctsByHue().get(startHue);\n double lastTemp = getRelativeTemperature(startHct);\n List<Hct> allColors = new ArrayList<>();\n allColors.add(startHct);\n double absoluteTotalTempDelta = 0.f;\n for (int i = 0; i < 360; i++) {", "score": 0.8444390296936035 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8442480564117432 }, { "filename": "m3color/src/main/java/com/kyant/m3color/quantize/QuantizerWsmeans.java", "retrieved_chunk": " for (int i = 0; i < clusterCount; i++) {\n int count = pixelCountSums[i];\n if (count == 0) {\n continue;\n }\n int possibleNewCluster = pointProvider.toInt(clusters[i]);\n if (argbToPopulation.containsKey(possibleNewCluster)) {\n continue;\n }\n argbToPopulation.put(possibleNewCluster, count);", "score": 0.8422925472259521 } ]
java
) Math.floor(hct.getHue());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) { return new TonalPalette(hct.getHue(), hct.getChroma(), hct); } /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct smallestDeltaHct = Hct.from(hue, chroma, startTone); double smallestDelta
= Math.abs(smallestDeltaHct.getChroma() - chroma);
// Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) { return smallestDeltaHct; } final Hct hctAdd = Hct.from(hue, chroma, startTone + delta); final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) { color = Hct.from(this.hue, this.chroma, tone).toInt(); cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8753081560134888 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java", "retrieved_chunk": " this.n1 = TonalPalette.fromHueAndChroma(hue, 4.);\n this.n2 = TonalPalette.fromHueAndChroma(hue, 8.);\n }\n this.error = TonalPalette.fromHueAndChroma(25, 84.);\n }\n}", "score": 0.8668732047080994 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java", "retrieved_chunk": " if (isContent) {\n this.a1 = TonalPalette.fromHueAndChroma(hue, chroma);\n this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.);\n this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.);\n this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.));\n this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.));\n } else {\n this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma));\n this.a2 = TonalPalette.fromHueAndChroma(hue, 16.);\n this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.);", "score": 0.865511417388916 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": "/**\n * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color\n * measurement system that can also accurately render what colors will appear as in different\n * lighting environments.\n */\npublic final class Hct {\n private double hue;\n private double chroma;\n private double tone;\n private int argb;", "score": 0.8651551008224487 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.860573947429657 } ]
java
= Math.abs(smallestDeltaHct.getChroma() - chroma);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue
= MathUtils.sanitizeDegreesInt(i);
hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " int hue = MathUtils.sanitizeDegreesInt(startHue + i);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n lastTemp = temp;\n absoluteTotalTempDelta += tempDelta;\n }\n int hueAddend = 1;\n double tempStep = absoluteTotalTempDelta / (double) divisions;\n double totalTempDelta = 0.0;", "score": 0.8325352668762207 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8245035409927368 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.8239700794219971 }, { "filename": "m3color/src/main/java/com/kyant/m3color/quantize/QuantizerWsmeans.java", "retrieved_chunk": " for (int i = 0; i < clusterCount; i++) {\n int count = pixelCountSums[i];\n if (count == 0) {\n continue;\n }\n int possibleNewCluster = pointProvider.toInt(clusters[i]);\n if (argbToPopulation.containsKey(possibleNewCluster)) {\n continue;\n }\n argbToPopulation.put(possibleNewCluster, count);", "score": 0.8160371780395508 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/DynamicScheme.java", "retrieved_chunk": " if (rotations.length == 1) {\n return MathUtils.sanitizeDegreesDouble(sourceHue + rotations[0]);\n }\n final int size = hues.length;\n for (int i = 0; i <= (size - 2); i++) {\n final double thisHue = hues[i];\n final double nextHue = hues[i + 1];\n if (thisHue < sourceHue && sourceHue < nextHue) {\n return MathUtils.sanitizeDegreesDouble(sourceHue + rotations[i]);\n }", "score": 0.8152446746826172 } ]
java
= MathUtils.sanitizeDegreesInt(i);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) {
if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {
hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8628617525100708 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " Hct answer = getHctsByHue().get((int) Math.round(input.getHue()));\n double complementRelativeTemp = (1. - getRelativeTemperature(input));\n // Find the color in the other section, closest to the inverse percentile\n // of the input color. This is the complement.\n for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) {\n double hue = MathUtils.sanitizeDegreesDouble(\n startHue + directionOfRotation * hueAddend);\n if (!isBetween(hue, startHue, endHue)) {\n continue;\n }", "score": 0.8520902395248413 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (closestToChroma.getChroma() < chroma) {\n double chromaPeak = closestToChroma.getChroma();\n while (closestToChroma.getChroma() < chroma) {\n answer += byDecreasingTone ? -1.0 : 1.0;\n Hct potentialSolution = Hct.from(hue, chroma, answer);\n if (chromaPeak > potentialSolution.getChroma()) {\n break;\n }\n if (Math.abs(potentialSolution.getChroma() - chroma) < 0.4) {\n break;", "score": 0.8461449146270752 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep);\n indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n indexAddend++;\n }\n lastTemp = temp;\n hueAddend++;\n if (hueAddend > 360) {\n while (allColors.size() < divisions) {\n allColors.add(hct);\n }", "score": 0.8452463150024414 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " final Hct hctAdd = Hct.from(hue, chroma, startTone + delta);\n final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma);\n if (hctAddDelta < smallestDelta) {\n smallestDelta = hctAddDelta;\n smallestDeltaHct = hctAdd;\n }\n final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta);\n final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma);\n if (hctSubtractDelta < smallestDelta) {\n smallestDelta = hctSubtractDelta;", "score": 0.8431652188301086 } ]
java
if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (
filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) {
continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " return precomputedHctsByHue;\n }\n List<Hct> hcts = new ArrayList<>();\n for (double hue = 0.; hue <= 360.; hue += 1.) {\n Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone());\n hcts.add(colorAtHue);\n }\n precomputedHctsByHue = Collections.unmodifiableList(hcts);\n return precomputedHctsByHue;\n }", "score": 0.8274275660514832 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8274143934249878 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " private Hct getColdest() {\n return getHctsByTemp().get(0);\n }\n /**\n * HCTs for all colors with the same chroma/tone as the input.\n *\n * <p>Sorted by hue, ex. index 0 is hue 0.\n */\n private List<Hct> getHctsByHue() {\n if (precomputedHctsByHue != null) {", "score": 0.8244799375534058 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dislike/DislikeAnalyzer.java", "retrieved_chunk": " }\n /** If color is disliked, lighten it to make it likable. */\n public static Hct fixIfDisliked(Hct hct) {\n if (isDisliked(hct)) {\n return Hct.from(hct.getHue(), hct.getChroma(), 70.0);\n }\n return hct;\n }\n}", "score": 0.8213005661964417 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " Map<Hct, Double> temperaturesByHct = new HashMap<>();\n for (Hct hct : allHcts) {\n temperaturesByHct.put(hct, rawTemperature(hct));\n }\n precomputedTempsByHct = temperaturesByHct;\n return precomputedTempsByHct;\n }\n /** Warmest color with same chroma and tone as input. */\n private Hct getWarmest() {\n return getHctsByTemp().get(getHctsByTemp().size() - 1);", "score": 0.8197089433670044 } ]
java
filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) {
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue =
MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue()));
double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8528006076812744 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " int hue = MathUtils.sanitizeDegreesInt(startHue + i);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n lastTemp = temp;\n absoluteTotalTempDelta += tempDelta;\n }\n int hueAddend = 1;\n double tempStep = absoluteTotalTempDelta / (double) divisions;\n double totalTempDelta = 0.0;", "score": 0.8447797298431396 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep);\n indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n indexAddend++;\n }\n lastTemp = temp;\n hueAddend++;\n if (hueAddend > 360) {\n while (allColors.size() < divisions) {\n allColors.add(hct);\n }", "score": 0.8400139808654785 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " return precomputedHctsByHue;\n }\n List<Hct> hcts = new ArrayList<>();\n for (double hue = 0.; hue <= 360.; hue += 1.) {\n Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone());\n hcts.add(colorAtHue);\n }\n precomputedHctsByHue = Collections.unmodifiableList(hcts);\n return precomputedHctsByHue;\n }", "score": 0.8348636031150818 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8301900625228882 } ]
java
MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue()));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) { return new TonalPalette(hct.getHue(), hct.getChroma(), hct); } /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct
smallestDeltaHct = Hct.from(hue, chroma, startTone);
double smallestDelta = Math.abs(smallestDeltaHct.getChroma() - chroma); // Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) { return smallestDeltaHct; } final Hct hctAdd = Hct.from(hue, chroma, startTone + delta); final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) { color = Hct.from(this.hue, this.chroma, tone).toInt(); cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.864341139793396 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8633337020874023 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8619690537452698 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8613369464874268 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java", "retrieved_chunk": " if (isContent) {\n this.a1 = TonalPalette.fromHueAndChroma(hue, chroma);\n this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.);\n this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.);\n this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.));\n this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.));\n } else {\n this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma));\n this.a2 = TonalPalette.fromHueAndChroma(hue, 16.);\n this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.);", "score": 0.8602476716041565 } ]
java
smallestDeltaHct = Hct.from(hue, chroma, startTone);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue
= MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue()));
double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8544517159461975 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " int hue = MathUtils.sanitizeDegreesInt(startHue + i);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n lastTemp = temp;\n absoluteTotalTempDelta += tempDelta;\n }\n int hueAddend = 1;\n double tempStep = absoluteTotalTempDelta / (double) divisions;\n double totalTempDelta = 0.0;", "score": 0.846354067325592 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep);\n indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n indexAddend++;\n }\n lastTemp = temp;\n hueAddend++;\n if (hueAddend > 360) {\n while (allColors.size() < divisions) {\n allColors.add(hct);\n }", "score": 0.8413058519363403 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " return precomputedHctsByHue;\n }\n List<Hct> hcts = new ArrayList<>();\n for (double hue = 0.; hue <= 360.; hue += 1.) {\n Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone());\n hcts.add(colorAtHue);\n }\n precomputedHctsByHue = Collections.unmodifiableList(hcts);\n return precomputedHctsByHue;\n }", "score": 0.8358577489852905 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8306169509887695 } ]
java
= MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue()));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct
= Hct.fromInt(entry.getKey());
colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight = hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE; double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " */\n public List<Hct> getAnalogousColors(int count, int divisions) {\n // The starting hue is the hue of the input color.\n int startHue = (int) Math.round(input.getHue());\n Hct startHct = getHctsByHue().get(startHue);\n double lastTemp = getRelativeTemperature(startHct);\n List<Hct> allColors = new ArrayList<>();\n allColors.add(startHct);\n double absoluteTotalTempDelta = 0.f;\n for (int i = 0; i < 360; i++) {", "score": 0.8298442363739014 }, { "filename": "m3color/src/main/java/com/kyant/m3color/quantize/QuantizerWsmeans.java", "retrieved_chunk": " for (int i = 0; i < clusterCount; i++) {\n int count = pixelCountSums[i];\n if (count == 0) {\n continue;\n }\n int possibleNewCluster = pointProvider.toInt(clusters[i]);\n if (argbToPopulation.containsKey(possibleNewCluster)) {\n continue;\n }\n argbToPopulation.put(possibleNewCluster, count);", "score": 0.8288796544075012 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " private Hct getColdest() {\n return getHctsByTemp().get(0);\n }\n /**\n * HCTs for all colors with the same chroma/tone as the input.\n *\n * <p>Sorted by hue, ex. index 0 is hue 0.\n */\n private List<Hct> getHctsByHue() {\n if (precomputedHctsByHue != null) {", "score": 0.8278535604476929 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " return precomputedHctsByHue;\n }\n List<Hct> hcts = new ArrayList<>();\n for (double hue = 0.; hue <= 360.; hue += 1.) {\n Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone());\n hcts.add(colorAtHue);\n }\n precomputedHctsByHue = Collections.unmodifiableList(hcts);\n return precomputedHctsByHue;\n }", "score": 0.8274345993995667 }, { "filename": "m3color/src/main/java/com/kyant/m3color/quantize/QuantizerWsmeans.java", "retrieved_chunk": " }\n double a = componentASums[i] / count;\n double b = componentBSums[i] / count;\n double c = componentCSums[i] / count;\n clusters[i][0] = a;\n clusters[i][1] = b;\n clusters[i][2] = c;\n }\n }\n Map<Integer, Integer> argbToPopulation = new LinkedHashMap<>();", "score": 0.8270637392997742 } ]
java
= Hct.fromInt(entry.getKey());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import static java.lang.Math.max; import static java.lang.Math.min; import com.kyant.m3color.hct.Hct; /** * An intermediate concept between the key color for a UI theme, and a full color scheme. 5 sets of * tones are generated, all except one use the same hue as the key color, and all vary in chroma. */ public final class CorePalette { public TonalPalette a1; public TonalPalette a2; public TonalPalette a3; public TonalPalette n1; public TonalPalette n2; public TonalPalette error; /** * Create key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette of(int argb) { return new CorePalette(argb, false); } /** * Create content key tones from a color. * * @param argb ARGB representation of a color */ public static CorePalette contentOf(int argb) { return new CorePalette(argb, true); } private CorePalette(int argb, boolean isContent) { Hct hct = Hct.fromInt(argb); double hue = hct.getHue(); double chroma = hct.getChroma(); if (isContent) { this.a1 = TonalPalette.fromHueAndChroma(hue, chroma); this.a2 = TonalPalette.fromHueAndChroma(hue, chroma / 3.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., chroma / 2.); this.n1 = TonalPalette.fromHueAndChroma(hue, min(chroma / 12., 4.)); this.n2 = TonalPalette.fromHueAndChroma(hue, min(chroma / 6., 8.)); } else { this.a1 = TonalPalette.fromHueAndChroma(hue, max(48., chroma)); this.a2 = TonalPalette.fromHueAndChroma(hue, 16.); this.a3 = TonalPalette.fromHueAndChroma(hue + 60., 24.); this.n1 = TonalPalette.fromHueAndChroma(hue, 4.); this.n2 = TonalPalette.fromHueAndChroma(hue, 8.); } this.error
= TonalPalette.fromHueAndChroma(25, 84.);
} }
m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8790335655212402 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8591357469558716 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8544084429740906 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeVibrant.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 12.0));\n }\n}", "score": 0.8504683971405029 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " contrastLevel,\n TonalPalette.fromHueAndChroma(\n MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 240.0), 40.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(\n MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 8.0),\n TonalPalette.fromHueAndChroma(", "score": 0.8497968912124634 } ]
java
= TonalPalette.fromHueAndChroma(25, 84.);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.score; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.List; import java.util.Map; /** * Given a large set of colors, remove colors that are unsuitable for a UI theme, and rank the rest * based on suitability. * * <p>Enables use of a high cluster count for image quantization, thus ensuring colors aren't * muddied, while curating the high cluster count to a much smaller number of appropriate choices. */ public final class Score { private static final double TARGET_CHROMA = 48.; // A1 Chroma private static final double WEIGHT_PROPORTION = 0.7; private static final double WEIGHT_CHROMA_ABOVE = 0.3; private static final double WEIGHT_CHROMA_BELOW = 0.1; private static final double CUTOFF_CHROMA = 5.; private static final double CUTOFF_EXCITED_PROPORTION = 0.01; private Score() {} public static List<Integer> score(Map<Integer, Integer> colorsToPopulation) { // Fallback color is Google Blue. return score(colorsToPopulation, 4, 0xff4285f4, true); } public static List<Integer> score(Map<Integer, Integer> colorsToPopulation, int desired) { return score(colorsToPopulation, desired, 0xff4285f4, true); } public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb) { return score(colorsToPopulation, desired, fallbackColorArgb, true); } /** * Given a map with keys of colors and values of how often the color appears, rank the colors * based on suitability for being used for a UI theme. * * @param colorsToPopulation map with keys of colors and values of how often the color appears, * usually from a source image. * @param desired max count of colors to be returned in the list. * @param fallbackColorArgb color to be returned if no other options available. * @param filter whether to filter out undesireable combinations. * @return Colors sorted by suitability for a UI theme. The most suitable color is the first item, * the least suitable is the last. There will always be at least one color returned. If all * the input colors were not suitable for a theme, a default fallback color will be provided, * Google Blue. */ public static List<Integer> score( Map<Integer, Integer> colorsToPopulation, int desired, int fallbackColorArgb, boolean filter) { // Get the HCT color for each Argb value, while finding the per hue count and // total count. List<Hct> colorsHct = new ArrayList<>(); int[] huePopulation = new int[360]; double populationSum = 0.; for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) { Hct hct = Hct.fromInt(entry.getKey()); colorsHct.add(hct); int hue = (int) Math.floor(hct.getHue()); huePopulation[hue] += entry.getValue(); populationSum += entry.getValue(); } // Hues with more usage in neighboring 30 degree slice get a larger number. double[] hueExcitedProportions = new double[360]; for (int hue = 0; hue < 360; hue++) { double proportion = huePopulation[hue] / populationSum; for (int i = hue - 14; i < hue + 16; i++) { int neighborHue = MathUtils.sanitizeDegreesInt(i); hueExcitedProportions[neighborHue] += proportion; } } // Scores each HCT color based on usage and chroma, while optionally // filtering out values that do not have enough chroma or usage. List<ScoredHCT> scoredHcts = new ArrayList<>(); for (Hct hct : colorsHct) { int hue = MathUtils.sanitizeDegreesInt((int) Math.round(hct.getHue())); double proportion = hueExcitedProportions[hue]; if (filter && (hct.getChroma() < CUTOFF_CHROMA || proportion <= CUTOFF_EXCITED_PROPORTION)) { continue; } double proportionScore = proportion * 100.0 * WEIGHT_PROPORTION; double chromaWeight =
hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE;
double chromaScore = (hct.getChroma() - TARGET_CHROMA) * chromaWeight; double score = proportionScore + chromaScore; scoredHcts.add(new ScoredHCT(hct, score)); } // Sorted so that colors with higher scores come first. Collections.sort(scoredHcts, new ScoredComparator()); // Iterates through potential hue differences in degrees in order to select // the colors with the largest distribution of hues possible. Starting at // 90 degrees(maximum difference for 4 colors) then decreasing down to a // 15 degree minimum. List<Hct> chosenColors = new ArrayList<>(); for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) { chosenColors.clear(); for (ScoredHCT entry : scoredHcts) { Hct hct = entry.hct; boolean hasDuplicateHue = false; for (Hct chosenHct : chosenColors) { if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) { hasDuplicateHue = true; break; } } if (!hasDuplicateHue) { chosenColors.add(hct); } if (chosenColors.size() >= desired) { break; } } if (chosenColors.size() >= desired) { break; } } List<Integer> colors = new ArrayList<>(); if (chosenColors.isEmpty()) { colors.add(fallbackColorArgb); } for (Hct chosenHct : chosenColors) { colors.add(chosenHct.toInt()); } return colors; } private static class ScoredHCT { public final Hct hct; public final double score; public ScoredHCT(Hct hct, double score) { this.hct = hct; this.score = score; } } private static class ScoredComparator implements Comparator<ScoredHCT> { public ScoredComparator() {} @Override public int compare(ScoredHCT entry1, ScoredHCT entry2) { return Double.compare(entry2.score, entry1.score); } } }
m3color/src/main/java/com/kyant/m3color/score/Score.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8420589566230774 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " return precomputedHctsByHue;\n }\n List<Hct> hcts = new ArrayList<>();\n for (double hue = 0.; hue <= 360.; hue += 1.) {\n Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone());\n hcts.add(colorAtHue);\n }\n precomputedHctsByHue = Collections.unmodifiableList(hcts);\n return precomputedHctsByHue;\n }", "score": 0.8406845331192017 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (closestToChroma.getChroma() < chroma) {\n double chromaPeak = closestToChroma.getChroma();\n while (closestToChroma.getChroma() < chroma) {\n answer += byDecreasingTone ? -1.0 : 1.0;\n Hct potentialSolution = Hct.from(hue, chroma, answer);\n if (chromaPeak > potentialSolution.getChroma()) {\n break;\n }\n if (Math.abs(potentialSolution.getChroma() - chroma) < 0.4) {\n break;", "score": 0.8375142216682434 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " Map<Hct, Double> temperaturesByHct = new HashMap<>();\n for (Hct hct : allHcts) {\n temperaturesByHct.put(hct, rawTemperature(hct));\n }\n precomputedTempsByHct = temperaturesByHct;\n return precomputedTempsByHct;\n }\n /** Warmest color with same chroma and tone as input. */\n private Hct getWarmest() {\n return getHctsByTemp().get(getHctsByTemp().size() - 1);", "score": 0.8353357315063477 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " final Hct hctAdd = Hct.from(hue, chroma, startTone + delta);\n final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma);\n if (hctAddDelta < smallestDelta) {\n smallestDelta = hctAddDelta;\n smallestDeltaHct = hctAdd;\n }\n final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta);\n final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma);\n if (hctSubtractDelta < smallestDelta) {\n smallestDelta = hctSubtractDelta;", "score": 0.8327046632766724 } ]
java
hct.getChroma() < TARGET_CHROMA ? WEIGHT_CHROMA_BELOW : WEIGHT_CHROMA_ABOVE;
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) { return new TonalPalette(hct.getHue
(), hct.getChroma(), hct);
} /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct smallestDeltaHct = Hct.from(hue, chroma, startTone); double smallestDelta = Math.abs(smallestDeltaHct.getChroma() - chroma); // Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) { return smallestDeltaHct; } final Hct hctAdd = Hct.from(hue, chroma, startTone + delta); final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) { color = Hct.from(this.hue, this.chroma, tone).toInt(); cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8815751075744629 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeMonochrome.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.873950719833374 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeNeutral.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 2.0));\n }\n}", "score": 0.8722597360610962 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8715798854827881 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.867455244064331 } ]
java
(), hct.getChroma(), hct);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab =
ColorUtils.labFromArgb(color.toInt());
double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8268261551856995 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8167501091957092 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.812492847442627 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8113806247711182 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": "/**\n * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color\n * measurement system that can also accurately render what colors will appear as in different\n * lighting environments.\n */\npublic final class Hct {\n private double hue;\n private double chroma;\n private double tone;\n private int argb;", "score": 0.8105026483535767 } ]
java
ColorUtils.labFromArgb(color.toInt());
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from
(hue, input.getChroma(), input.getTone());
hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " List<Hct> colorsHct = new ArrayList<>();\n int[] huePopulation = new int[360];\n double populationSum = 0.;\n for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) {\n Hct hct = Hct.fromInt(entry.getKey());\n colorsHct.add(hct);\n int hue = (int) Math.floor(hct.getHue());\n huePopulation[hue] += entry.getValue();\n populationSum += entry.getValue();\n }", "score": 0.8454160690307617 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8453261852264404 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8423735499382019 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " public double getHue() {\n return this.hue;\n }\n /** The key color is the first tone, starting from T50, that matches the palette's chroma. */\n public Hct getKeyColor() {\n return this.keyColor;\n }\n}", "score": 0.8381108641624451 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromHct(Hct hct) {\n return new TonalPalette(hct.getHue(), hct.getChroma(), hct);\n }\n /**\n * Create tones from a defined HCT hue and chroma.\n *\n * @param hue HCT hue\n * @param chroma HCT chroma", "score": 0.83247309923172 } ]
java
(hue, input.getChroma(), input.getTone());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.utils; /** Utility methods for string representations of colors. */ final class StringUtils { private StringUtils() {} /** * Hex string representing color, ex. #ff0000 for red. * * @param argb ARGB representation of a color. */ public static String hexFromArgb(int argb) {
int red = ColorUtils.redFromArgb(argb);
int blue = ColorUtils.blueFromArgb(argb); int green = ColorUtils.greenFromArgb(argb); return String.format("#%02x%02x%02x", red, green, blue); } }
m3color/src/main/java/com/kyant/m3color/utils/StringUtils.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " public static int redFromArgb(int argb) {\n return (argb >> 16) & 255;\n }\n /** Returns the green component of a color in ARGB format. */\n public static int greenFromArgb(int argb) {\n return (argb >> 8) & 255;\n }\n /** Returns the blue component of a color in ARGB format. */\n public static int blueFromArgb(int argb) {\n return argb & 255;", "score": 0.8661776185035706 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " * @param argb the ARGB representation of a color\n * @return a Lab object representing the color\n */\n public static double[] labFromArgb(int argb) {\n double linearR = linearized(redFromArgb(argb));\n double linearG = linearized(greenFromArgb(argb));\n double linearB = linearized(blueFromArgb(argb));\n double[][] matrix = SRGB_TO_XYZ;\n double x = matrix[0][0] * linearR + matrix[0][1] * linearG + matrix[0][2] * linearB;\n double y = matrix[1][0] * linearR + matrix[1][1] * linearG + matrix[1][2] * linearB;", "score": 0.8208783268928528 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " int r = delinearized(linrgb[0]);\n int g = delinearized(linrgb[1]);\n int b = delinearized(linrgb[2]);\n return argbFromRgb(r, g, b);\n }\n /** Returns the alpha component of a color in ARGB format. */\n public static int alphaFromArgb(int argb) {\n return (argb >> 24) & 255;\n }\n /** Returns the red component of a color in ARGB format. */", "score": 0.8177822828292847 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " }\n /**\n * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions.\n *\n * @param argb ARGB representation of a color.\n */\n public static Cam16 fromInt(int argb) {\n return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT);\n }\n /**", "score": 0.8157975673675537 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8147614598274231 } ]
java
int red = ColorUtils.redFromArgb(argb);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) { return new TonalPalette(hct.getHue(), hct.getChroma(), hct); } /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct smallestDeltaHct = Hct.from(hue, chroma, startTone); double smallestDelta = Math.abs(smallestDeltaHct.getChroma() - chroma); // Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) { return smallestDeltaHct; } final Hct
hctAdd = Hct.from(hue, chroma, startTone + delta);
final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) { color = Hct.from(this.hue, this.chroma, tone).toInt(); cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (closestToChroma.getChroma() < chroma) {\n double chromaPeak = closestToChroma.getChroma();\n while (closestToChroma.getChroma() < chroma) {\n answer += byDecreasingTone ? -1.0 : 1.0;\n Hct potentialSolution = Hct.from(hue, chroma, answer);\n if (chromaPeak > potentialSolution.getChroma()) {\n break;\n }\n if (Math.abs(potentialSolution.getChroma() - chroma) < 0.4) {\n break;", "score": 0.9087139368057251 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " lastTemp = getRelativeTemperature(startHct);\n while (allColors.size() < divisions) {\n int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend);\n Hct hct = getHctsByHue().get(hue);\n double temp = getRelativeTemperature(hct);\n double tempDelta = Math.abs(temp - lastTemp);\n totalTempDelta += tempDelta;\n double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep);\n boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex;\n int indexAddend = 1;", "score": 0.8709916472434998 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.8655965328216553 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8580581545829773 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8573004007339478 } ]
java
hctAdd = Hct.from(hue, chroma, startTone + delta);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) { return new TonalPalette(hct.getHue(), hct.getChroma(), hct); } /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct smallestDeltaHct = Hct.from(hue, chroma, startTone); double smallestDelta = Math.abs(smallestDeltaHct.getChroma() - chroma); // Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma)
== Math.round(smallestDeltaHct.getChroma())) {
return smallestDeltaHct; } final Hct hctAdd = Hct.from(hue, chroma, startTone + delta); final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) { color = Hct.from(this.hue, this.chroma, tone).toInt(); cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (closestToChroma.getChroma() < chroma) {\n double chromaPeak = closestToChroma.getChroma();\n while (closestToChroma.getChroma() < chroma) {\n answer += byDecreasingTone ? -1.0 : 1.0;\n Hct potentialSolution = Hct.from(hue, chroma, answer);\n if (chromaPeak > potentialSolution.getChroma()) {\n break;\n }\n if (Math.abs(potentialSolution.getChroma() - chroma) < 0.4) {\n break;", "score": 0.8935630917549133 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n double potentialDelta = Math.abs(potentialSolution.getChroma() - chroma);\n double currentDelta = Math.abs(closestToChroma.getChroma() - chroma);\n if (potentialDelta < currentDelta) {\n closestToChroma = potentialSolution;\n }\n chromaPeak = Math.max(chromaPeak, potentialSolution.getChroma());\n }\n }\n return answer;", "score": 0.8664650917053223 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " }\n return scheme.variant == Variant.FIDELITY || scheme.variant == Variant.CONTENT;\n }\n private static boolean isMonochrome(DynamicScheme scheme) {\n return scheme.variant == Variant.MONOCHROME;\n }\n static double findDesiredChromaByTone(\n double hue, double chroma, double tone, boolean byDecreasingTone) {\n double answer = tone;\n Hct closestToChroma = Hct.from(hue, chroma, tone);", "score": 0.8399748802185059 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8366053104400635 }, { "filename": "m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java", "retrieved_chunk": " Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue));\n double relativeTemp =\n (getTempsByHct().get(possibleAnswer) - coldestTemp) / range;\n double error = Math.abs(complementRelativeTemp - relativeTemp);\n if (error < smallestError) {\n smallestError = error;\n answer = possibleAnswer;\n }\n }\n precomputedComplement = answer;", "score": 0.8364499807357788 } ]
java
== Math.round(smallestDeltaHct.getChroma())) {
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(
input.getHue(), coldestHue, warmestHue);
double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8441789150238037 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.835188627243042 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8302491307258606 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8287268877029419 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8281753659248352 } ]
java
input.getHue(), coldestHue, warmestHue);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double
coldestHue = getColdest().getHue();
double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.825763463973999 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " public double getHue() {\n return this.hue;\n }\n /** The key color is the first tone, starting from T50, that matches the palette's chroma. */\n public Hct getKeyColor() {\n return this.keyColor;\n }\n}", "score": 0.8199670314788818 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8135709762573242 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.810633659362793 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8098962903022766 } ]
java
coldestHue = getColdest().getHue();
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.
round(input.getHue()));
double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/MaterialDynamicColors.java", "retrieved_chunk": " if (closestToChroma.getChroma() < chroma) {\n double chromaPeak = closestToChroma.getChroma();\n while (closestToChroma.getChroma() < chroma) {\n answer += byDecreasingTone ? -1.0 : 1.0;\n Hct potentialSolution = Hct.from(hue, chroma, answer);\n if (chromaPeak > potentialSolution.getChroma()) {\n break;\n }\n if (Math.abs(potentialSolution.getChroma() - chroma) < 0.4) {\n break;", "score": 0.8509591817855835 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8466755747795105 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " final Hct hctAdd = Hct.from(hue, chroma, startTone + delta);\n final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma);\n if (hctAddDelta < smallestDelta) {\n smallestDelta = hctAddDelta;\n smallestDeltaHct = hctAdd;\n }\n final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta);\n final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma);\n if (hctSubtractDelta < smallestDelta) {\n smallestDelta = hctSubtractDelta;", "score": 0.8408765196800232 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " List<Hct> colorsHct = new ArrayList<>();\n int[] huePopulation = new int[360];\n double populationSum = 0.;\n for (Map.Entry<Integer, Integer> entry : colorsToPopulation.entrySet()) {\n Hct hct = Hct.fromInt(entry.getKey());\n colorsHct.add(hct);\n int hue = (int) Math.floor(hct.getHue());\n huePopulation[hue] += entry.getValue();\n populationSum += entry.getValue();\n }", "score": 0.8372557163238525 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " // average. Thus it is most likely to have a direct answer and minimize\n // iteration.\n for (double delta = 1.0; delta < 50.0; delta += 1.0) {\n // Termination condition rounding instead of minimizing delta to avoid\n // case where requested chroma is 16.51, and the closest chroma is 16.49.\n // Error is minimized, but when rounded and displayed, requested chroma\n // is 17, key color's chroma is 16.\n if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) {\n return smallestDeltaHct;\n }", "score": 0.8370420932769775 } ]
java
round(input.getHue()));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.palettes; import com.kyant.m3color.hct.Hct; import java.util.HashMap; import java.util.Map; /** * A convenience class for retrieving colors that are constant in hue and chroma, but vary in tone. */ public final class TonalPalette { Map<Integer, Integer> cache; Hct keyColor; double hue; double chroma; /** * Create tones using the HCT hue and chroma from a color. * * @param argb ARGB representation of a color * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromInt(int argb) { return fromHct(Hct.fromInt(argb)); } /** * Create tones using a HCT color. * * @param hct HCT representation of a color. * @return Tones matching that color's hue and chroma. */ public static TonalPalette fromHct(Hct hct) { return new TonalPalette(hct.getHue(), hct.getChroma(), hct); } /** * Create tones from a defined HCT hue and chroma. * * @param hue HCT hue * @param chroma HCT chroma * @return Tones matching hue and chroma. */ public static TonalPalette fromHueAndChroma(double hue, double chroma) { return new TonalPalette(hue, chroma, createKeyColor(hue, chroma)); } private TonalPalette(double hue, double chroma, Hct keyColor) { cache = new HashMap<>(); this.hue = hue; this.chroma = chroma; this.keyColor = keyColor; } /** The key color is the first tone, starting from T50, matching the given hue and chroma. */ private static Hct createKeyColor(double hue, double chroma) { double startTone = 50.0; Hct smallestDeltaHct = Hct.from(hue, chroma, startTone); double smallestDelta = Math.abs(smallestDeltaHct.getChroma() - chroma); // Starting from T50, check T+/-delta to see if they match the requested // chroma. // // Starts from T50 because T50 has the most chroma available, on // average. Thus it is most likely to have a direct answer and minimize // iteration. for (double delta = 1.0; delta < 50.0; delta += 1.0) { // Termination condition rounding instead of minimizing delta to avoid // case where requested chroma is 16.51, and the closest chroma is 16.49. // Error is minimized, but when rounded and displayed, requested chroma // is 17, key color's chroma is 16. if (Math.round(chroma) == Math.round(smallestDeltaHct.getChroma())) { return smallestDeltaHct; } final Hct hctAdd = Hct.from(hue, chroma, startTone + delta); final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma); if (hctAddDelta < smallestDelta) { smallestDelta = hctAddDelta; smallestDeltaHct = hctAdd; } final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta); final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma); if (hctSubtractDelta < smallestDelta) { smallestDelta = hctSubtractDelta; smallestDeltaHct = hctSubtract; } } return smallestDeltaHct; } /** * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone. * * @param tone HCT tone, measured from 0 to 100. * @return ARGB representation of a color with that tone. */ // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923) @SuppressWarnings("ComputeIfAbsentUseValue") public int tone(int tone) { Integer color = cache.get(tone); if (color == null) {
color = Hct.from(this.hue, this.chroma, tone).toInt();
cache.put(tone, color); } return color; } /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */ public Hct getHct(double tone) { return Hct.from(this.hue, this.chroma, tone); } /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */ public double getChroma() { return this.chroma; } /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */ public double getHue() { return this.hue; } /** The key color is the first tone, starting from T50, that matches the palette's chroma. */ public Hct getKeyColor() { return this.keyColor; } }
m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8701276779174805 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " // and changing its tone for contrast. Rather, we find the tone for contrast, then\n // use the specified chroma from the palette to construct a new color.\n //\n // For example, this enables colors with standard tone of T90, which has limited chroma, to\n // \"recover\" intended chroma as contrast increases.\n double tone = getTone(scheme);\n Hct answer = palette.apply(scheme).getHct(tone);\n // NOMUTANTS--trivial test with onerous dependency injection requirement.\n if (hctCache.size() > 4) {\n hctCache.clear();", "score": 0.8643314838409424 }, { "filename": "m3color/src/main/java/com/kyant/m3color/dynamiccolor/DynamicColor.java", "retrieved_chunk": " }\n // NOMUTANTS--trivial test with onerous dependency injection requirement.\n hctCache.put(scheme, answer);\n return answer;\n }\n /** Returns the tone in HCT, ranging from 0 to 100, of the resolved color given scheme. */\n public double getTone(@NonNull DynamicScheme scheme) {\n boolean decreasingContrast = scheme.contrastLevel < 0;\n // Case 1: dual foreground, pair of colors with delta constraint.\n if (toneDeltaPair != null) {", "score": 0.8507646322250366 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " }\n public double getTone() {\n return tone;\n }\n public int toInt() {\n return argb;\n }\n /**\n * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any\n * given hue and tone.", "score": 0.845478355884552 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8439154028892517 } ]
java
color = Hct.from(this.hue, this.chroma, tone).toInt();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import com.kyant.m3color.utils.ColorUtils; /** * A color system built using CAM16 hue and chroma, and L* from L*a*b*. * * <p>Using L* creates a link between the color system, contrast, and thus accessibility. Contrast * ratio depends on relative luminance, or Y in the XYZ color space. L*, or perceptual luminance can * be calculated from Y. * * <p>Unlike Y, L* is linear to human perception, allowing trivial creation of accurate color tones. * * <p>Unlike contrast ratio, measuring contrast in L* is linear, and simple to calculate. A * difference of 40 in HCT tone guarantees a contrast ratio >= 3.0, and a difference of 50 * guarantees a contrast ratio >= 4.5. */ /** * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color * measurement system that can also accurately render what colors will appear as in different * lighting environments. */ public final class Hct { private double hue; private double chroma; private double tone; private int argb; /** * Create an HCT color from hue, chroma, and tone. * * @param hue 0 <= hue < 360; invalid values are corrected. * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than * the requested chroma. Chroma has a different maximum for any given hue and tone. * @param tone 0 <= tone <= 100; invalid values are corrected. * @return HCT representation of a color in default viewing conditions. */ public static Hct from(double hue, double chroma, double tone) { int argb = HctSolver.solveToInt(hue, chroma, tone); return new Hct(argb); } /** * Create an HCT color from a color. * * @param argb ARGB representation of a color. * @return HCT representation of a color in default viewing conditions */ public static Hct fromInt(int argb) { return new Hct(argb); } private Hct(int argb) { setInternalState(argb); } public double getHue() { return hue; } public double getChroma() { return chroma; } public double getTone() { return tone; } public int toInt() { return argb; } /** * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newHue 0 <= newHue < 360; invalid values are corrected. */ public void setHue(double newHue) { setInternalState(HctSolver.solveToInt(newHue, chroma, tone)); } /** * Set the chroma of this color. Chroma may decrease because chroma has a different maximum for * any given hue and tone. * * @param newChroma 0 <= newChroma < ? */ public void setChroma(double newChroma) { setInternalState(HctSolver.solveToInt(hue, newChroma, tone)); } /** * Set the tone of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newTone 0 <= newTone <= 100; invalid valids are corrected. */ public void setTone(double newTone) { setInternalState(HctSolver.solveToInt(hue, chroma, newTone)); } /** * Translate a color into different ViewingConditions. * * <p>Colors change appearance. They look different with lights on versus off, the same color, as * in hex code, on white looks different when on black. This is called color relativity, most * famously explicated by Josef Albers in Interaction of Color. * * <p>In color science, color appearance models can account for this and calculate the appearance * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it * to make these calculations. * * <p>See ViewingConditions.make for parameters affecting color appearance. */ public Hct inViewingConditions(ViewingConditions vc) { // 1. Use CAM16 to find XYZ coordinates of color in specified VC. Cam16 cam16 = Cam16.fromInt(toInt()); double[] viewedInVc = cam16.xyzInViewingConditions(vc, null); // 2. Create CAM16 of those XYZ coordinates in default VC. Cam16 recastInVc = Cam16.fromXyzInViewingConditions( viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT); // 3. Create HCT from: // - CAM16 using default VC with XYZ coordinates in specified VC. // - L* converted from Y in XYZ coordinates in specified VC. return Hct.from( recastInVc.getHue(), recastInVc
.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));
} private void setInternalState(int argb) { this.argb = argb; Cam16 cam = Cam16.fromInt(argb); hue = cam.getHue(); chroma = cam.getChroma(); this.tone = ColorUtils.lstarFromArgb(argb); } }
m3color/src/main/java/com/kyant/m3color/hct/Hct.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " double m = c * viewingConditions.getFlRoot();\n double alpha = c / Math.sqrt(j / 100.0);\n double s =\n 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));\n double hueRadians = Math.toRadians(h);\n double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j);\n double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m);\n double astar = mstar * Math.cos(hueRadians);\n double bstar = mstar * Math.sin(hueRadians);\n return new Cam16(h, c, j, q, m, s, jstar, astar, bstar);", "score": 0.8643825650215149 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param viewingConditions Information about the environment where the color was observed.\n */\n private static Cam16 fromJchInViewingConditions(\n double j, double c, double h, ViewingConditions viewingConditions) {\n double q =\n 4.0\n / viewingConditions.getC()\n * Math.sqrt(j / 100.0)\n * (viewingConditions.getAw() + 4.0)\n * viewingConditions.getFlRoot();", "score": 0.8595154285430908 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " return fromXyzInViewingConditions(x, y, z, viewingConditions);\n }\n static Cam16 fromXyzInViewingConditions(\n double x, double y, double z, ViewingConditions viewingConditions) {\n // Transform XYZ to 'cone'/'rgb' responses\n double[][] matrix = XYZ_TO_CAM16RGB;\n double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]);\n double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]);\n double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]);\n // Discount illuminant", "score": 0.8587566614151001 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param c CAM16 chroma\n * @param h CAM16 hue\n */\n static Cam16 fromJch(double j, double c, double h) {\n return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT);\n }\n /**\n * @param j CAM16 lightness\n * @param c CAM16 chroma\n * @param h CAM16 hue", "score": 0.8546298742294312 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]);\n }\n double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) {\n double alpha =\n (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0);\n double t =\n Math.pow(\n alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9);\n double hRad = Math.toRadians(getHue());\n double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8);", "score": 0.8455522656440735 } ]
java
.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int
hue = MathUtils.sanitizeDegreesInt(startHue + i);
Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8617843985557556 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8603383302688599 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8578510880470276 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8574254512786865 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8563952445983887 } ]
java
hue = MathUtils.sanitizeDegreesInt(startHue + i);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import com.kyant.m3color.utils.ColorUtils; /** * A color system built using CAM16 hue and chroma, and L* from L*a*b*. * * <p>Using L* creates a link between the color system, contrast, and thus accessibility. Contrast * ratio depends on relative luminance, or Y in the XYZ color space. L*, or perceptual luminance can * be calculated from Y. * * <p>Unlike Y, L* is linear to human perception, allowing trivial creation of accurate color tones. * * <p>Unlike contrast ratio, measuring contrast in L* is linear, and simple to calculate. A * difference of 40 in HCT tone guarantees a contrast ratio >= 3.0, and a difference of 50 * guarantees a contrast ratio >= 4.5. */ /** * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color * measurement system that can also accurately render what colors will appear as in different * lighting environments. */ public final class Hct { private double hue; private double chroma; private double tone; private int argb; /** * Create an HCT color from hue, chroma, and tone. * * @param hue 0 <= hue < 360; invalid values are corrected. * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than * the requested chroma. Chroma has a different maximum for any given hue and tone. * @param tone 0 <= tone <= 100; invalid values are corrected. * @return HCT representation of a color in default viewing conditions. */ public static Hct from(double hue, double chroma, double tone) { int argb = HctSolver.solveToInt(hue, chroma, tone); return new Hct(argb); } /** * Create an HCT color from a color. * * @param argb ARGB representation of a color. * @return HCT representation of a color in default viewing conditions */ public static Hct fromInt(int argb) { return new Hct(argb); } private Hct(int argb) { setInternalState(argb); } public double getHue() { return hue; } public double getChroma() { return chroma; } public double getTone() { return tone; } public int toInt() { return argb; } /** * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newHue 0 <= newHue < 360; invalid values are corrected. */ public void setHue(double newHue) { setInternalState(HctSolver.solveToInt(newHue, chroma, tone)); } /** * Set the chroma of this color. Chroma may decrease because chroma has a different maximum for * any given hue and tone. * * @param newChroma 0 <= newChroma < ? */ public void setChroma(double newChroma) { setInternalState(HctSolver.solveToInt(hue, newChroma, tone)); } /** * Set the tone of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newTone 0 <= newTone <= 100; invalid valids are corrected. */ public void setTone(double newTone) { setInternalState(HctSolver.solveToInt(hue, chroma, newTone)); } /** * Translate a color into different ViewingConditions. * * <p>Colors change appearance. They look different with lights on versus off, the same color, as * in hex code, on white looks different when on black. This is called color relativity, most * famously explicated by Josef Albers in Interaction of Color. * * <p>In color science, color appearance models can account for this and calculate the appearance * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it * to make these calculations. * * <p>See ViewingConditions.make for parameters affecting color appearance. */ public Hct inViewingConditions(ViewingConditions vc) { // 1. Use CAM16 to find XYZ coordinates of color in specified VC. Cam16 cam16 =
Cam16.fromInt(toInt());
double[] viewedInVc = cam16.xyzInViewingConditions(vc, null); // 2. Create CAM16 of those XYZ coordinates in default VC. Cam16 recastInVc = Cam16.fromXyzInViewingConditions( viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT); // 3. Create HCT from: // - CAM16 using default VC with XYZ coordinates in specified VC. // - L* converted from Y in XYZ coordinates in specified VC. return Hct.from( recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1])); } private void setInternalState(int argb) { this.argb = argb; Cam16 cam = Cam16.fromInt(argb); hue = cam.getHue(); chroma = cam.getChroma(); this.tone = ColorUtils.lstarFromArgb(argb); } }
m3color/src/main/java/com/kyant/m3color/hct/Hct.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param viewingConditions Information about the environment where the color was observed.\n */\n private static Cam16 fromJchInViewingConditions(\n double j, double c, double h, ViewingConditions viewingConditions) {\n double q =\n 4.0\n / viewingConditions.getC()\n * Math.sqrt(j / 100.0)\n * (viewingConditions.getAw() + 4.0)\n * viewingConditions.getFlRoot();", "score": 0.850217342376709 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " * the color. Color appearance models such as CAM16 also use information about the environment where\n * the color was observed, known as the viewing conditions.\n *\n * <p>For example, white under the traditional assumption of a midday sun white point is accurately\n * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100)\n *\n * <p>This class caches intermediate values of the CAM16 conversion process that depend only on\n * viewing conditions, enabling speed ups.\n */\npublic final class ViewingConditions {", "score": 0.8455784320831299 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param c CAM16 chroma\n * @param h CAM16 hue\n */\n static Cam16 fromJch(double j, double c, double h) {\n return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT);\n }\n /**\n * @param j CAM16 lightness\n * @param c CAM16 chroma\n * @param h CAM16 hue", "score": 0.8287323713302612 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * Create a CAM16 color from a color in defined viewing conditions.\n *\n * @param argb ARGB representation of a color.\n * @param viewingConditions Information about the environment where the color was observed.\n */\n // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values\n // may differ at runtime due to floating point imprecision, keeping the values the same, and\n // accurate, across implementations takes precedence.\n @SuppressWarnings(\"FloatingPointLiteralPrecision\")\n static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) {", "score": 0.827587902545929 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " }\n /**\n * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions.\n *\n * @param argb ARGB representation of a color.\n */\n public static Cam16 fromInt(int argb) {\n return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT);\n }\n /**", "score": 0.8246904611587524 } ]
java
Cam16.fromInt(toInt());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import com.kyant.m3color.utils.ColorUtils; /** * A color system built using CAM16 hue and chroma, and L* from L*a*b*. * * <p>Using L* creates a link between the color system, contrast, and thus accessibility. Contrast * ratio depends on relative luminance, or Y in the XYZ color space. L*, or perceptual luminance can * be calculated from Y. * * <p>Unlike Y, L* is linear to human perception, allowing trivial creation of accurate color tones. * * <p>Unlike contrast ratio, measuring contrast in L* is linear, and simple to calculate. A * difference of 40 in HCT tone guarantees a contrast ratio >= 3.0, and a difference of 50 * guarantees a contrast ratio >= 4.5. */ /** * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color * measurement system that can also accurately render what colors will appear as in different * lighting environments. */ public final class Hct { private double hue; private double chroma; private double tone; private int argb; /** * Create an HCT color from hue, chroma, and tone. * * @param hue 0 <= hue < 360; invalid values are corrected. * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than * the requested chroma. Chroma has a different maximum for any given hue and tone. * @param tone 0 <= tone <= 100; invalid values are corrected. * @return HCT representation of a color in default viewing conditions. */ public static Hct from(double hue, double chroma, double tone) { int argb = HctSolver.solveToInt(hue, chroma, tone); return new Hct(argb); } /** * Create an HCT color from a color. * * @param argb ARGB representation of a color. * @return HCT representation of a color in default viewing conditions */ public static Hct fromInt(int argb) { return new Hct(argb); } private Hct(int argb) { setInternalState(argb); } public double getHue() { return hue; } public double getChroma() { return chroma; } public double getTone() { return tone; } public int toInt() { return argb; } /** * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newHue 0 <= newHue < 360; invalid values are corrected. */ public void setHue(double newHue) { setInternalState(HctSolver.solveToInt(newHue, chroma, tone)); } /** * Set the chroma of this color. Chroma may decrease because chroma has a different maximum for * any given hue and tone. * * @param newChroma 0 <= newChroma < ? */ public void setChroma(double newChroma) { setInternalState(HctSolver.solveToInt(hue, newChroma, tone)); } /** * Set the tone of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newTone 0 <= newTone <= 100; invalid valids are corrected. */ public void setTone(double newTone) { setInternalState(HctSolver.solveToInt(hue, chroma, newTone)); } /** * Translate a color into different ViewingConditions. * * <p>Colors change appearance. They look different with lights on versus off, the same color, as * in hex code, on white looks different when on black. This is called color relativity, most * famously explicated by Josef Albers in Interaction of Color. * * <p>In color science, color appearance models can account for this and calculate the appearance * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it * to make these calculations. * * <p>See ViewingConditions.make for parameters affecting color appearance. */ public Hct inViewingConditions(ViewingConditions vc) { // 1. Use CAM16 to find XYZ coordinates of color in specified VC. Cam16 cam16 = Cam16.fromInt(toInt()); double[] viewedInVc = cam16.xyzInViewingConditions(vc, null); // 2. Create CAM16 of those XYZ coordinates in default VC. Cam16 recastInVc = Cam16.fromXyzInViewingConditions( viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT); // 3. Create HCT from: // - CAM16 using default VC with XYZ coordinates in specified VC. // - L* converted from Y in XYZ coordinates in specified VC. return Hct.from(
recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));
} private void setInternalState(int argb) { this.argb = argb; Cam16 cam = Cam16.fromInt(argb); hue = cam.getHue(); chroma = cam.getChroma(); this.tone = ColorUtils.lstarFromArgb(argb); } }
m3color/src/main/java/com/kyant/m3color/hct/Hct.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " double m = c * viewingConditions.getFlRoot();\n double alpha = c / Math.sqrt(j / 100.0);\n double s =\n 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));\n double hueRadians = Math.toRadians(h);\n double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j);\n double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m);\n double astar = mstar * Math.cos(hueRadians);\n double bstar = mstar * Math.sin(hueRadians);\n return new Cam16(h, c, j, q, m, s, jstar, astar, bstar);", "score": 0.8818012475967407 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param viewingConditions Information about the environment where the color was observed.\n */\n private static Cam16 fromJchInViewingConditions(\n double j, double c, double h, ViewingConditions viewingConditions) {\n double q =\n 4.0\n / viewingConditions.getC()\n * Math.sqrt(j / 100.0)\n * (viewingConditions.getAw() + 4.0)\n * viewingConditions.getFlRoot();", "score": 0.8751972913742065 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param c CAM16 chroma\n * @param h CAM16 hue\n */\n static Cam16 fromJch(double j, double c, double h) {\n return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT);\n }\n /**\n * @param j CAM16 lightness\n * @param c CAM16 chroma\n * @param h CAM16 hue", "score": 0.8679750561714172 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " return fromXyzInViewingConditions(x, y, z, viewingConditions);\n }\n static Cam16 fromXyzInViewingConditions(\n double x, double y, double z, ViewingConditions viewingConditions) {\n // Transform XYZ to 'cone'/'rgb' responses\n double[][] matrix = XYZ_TO_CAM16RGB;\n double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]);\n double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]);\n double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]);\n // Discount illuminant", "score": 0.8660045266151428 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * Math.pow(\n ac / viewingConditions.getAw(),\n viewingConditions.getC() * viewingConditions.getZ());\n double q =\n 4.0\n / viewingConditions.getC()\n * Math.sqrt(j / 100.0)\n * (viewingConditions.getAw() + 4.0)\n * viewingConditions.getFlRoot();\n // CAM16 chroma, colorfulness, and saturation.", "score": 0.8560818433761597 } ]
java
recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue
= MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend);
if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/DynamicScheme.java", "retrieved_chunk": " if (rotations.length == 1) {\n return MathUtils.sanitizeDegreesDouble(sourceHue + rotations[0]);\n }\n final int size = hues.length;\n for (int i = 0; i <= (size - 2); i++) {\n final double thisHue = hues[i];\n final double nextHue = hues[i + 1];\n if (thisHue < sourceHue && sourceHue < nextHue) {\n return MathUtils.sanitizeDegreesDouble(sourceHue + rotations[i]);\n }", "score": 0.866729736328125 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " final Hct hctAdd = Hct.from(hue, chroma, startTone + delta);\n final double hctAddDelta = Math.abs(hctAdd.getChroma() - chroma);\n if (hctAddDelta < smallestDelta) {\n smallestDelta = hctAddDelta;\n smallestDeltaHct = hctAdd;\n }\n final Hct hctSubtract = Hct.from(hue, chroma, startTone - delta);\n final double hctSubtractDelta = Math.abs(hctSubtract.getChroma() - chroma);\n if (hctSubtractDelta < smallestDelta) {\n smallestDelta = hctSubtractDelta;", "score": 0.8567331433296204 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8526063561439514 }, { "filename": "m3color/src/main/java/com/kyant/m3color/score/Score.java", "retrieved_chunk": " // 15 degree minimum.\n List<Hct> chosenColors = new ArrayList<>();\n for (int differenceDegrees = 90; differenceDegrees >= 15; differenceDegrees--) {\n chosenColors.clear();\n for (ScoredHCT entry : scoredHcts) {\n Hct hct = entry.hct;\n boolean hasDuplicateHue = false;\n for (Hct chosenHct : chosenColors) {\n if (MathUtils.differenceDegrees(hct.getHue(), chosenHct.getHue()) < differenceDegrees) {\n hasDuplicateHue = true;", "score": 0.8522977232933044 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8516947627067566 } ]
java
= MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16
fromCam = Cam16.fromInt(from);
Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8300266861915588 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8210910558700562 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8180906176567078 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8168313503265381 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8146064281463623 } ]
java
fromCam = Cam16.fromInt(from);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam
= Cam16.fromInt(ucs);
Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8285367488861084 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8175838589668274 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8156462907791138 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " public static Cam16 solveToCam(double hueDegrees, double chroma, double lstar) {\n return Cam16.fromInt(solveToInt(hueDegrees, chroma, lstar));\n }\n}", "score": 0.812248706817627 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.811933159828186 } ]
java
= Cam16.fromInt(ucs);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1]))); double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math
.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.)));
} /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8507943749427795 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8482078909873962 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8477398753166199 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8465309143066406 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8465027213096619 } ]
java
.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.)));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import com.kyant.m3color.utils.ColorUtils; /** * A color system built using CAM16 hue and chroma, and L* from L*a*b*. * * <p>Using L* creates a link between the color system, contrast, and thus accessibility. Contrast * ratio depends on relative luminance, or Y in the XYZ color space. L*, or perceptual luminance can * be calculated from Y. * * <p>Unlike Y, L* is linear to human perception, allowing trivial creation of accurate color tones. * * <p>Unlike contrast ratio, measuring contrast in L* is linear, and simple to calculate. A * difference of 40 in HCT tone guarantees a contrast ratio >= 3.0, and a difference of 50 * guarantees a contrast ratio >= 4.5. */ /** * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color * measurement system that can also accurately render what colors will appear as in different * lighting environments. */ public final class Hct { private double hue; private double chroma; private double tone; private int argb; /** * Create an HCT color from hue, chroma, and tone. * * @param hue 0 <= hue < 360; invalid values are corrected. * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than * the requested chroma. Chroma has a different maximum for any given hue and tone. * @param tone 0 <= tone <= 100; invalid values are corrected. * @return HCT representation of a color in default viewing conditions. */ public static Hct from(double hue, double chroma, double tone) { int argb = HctSolver.solveToInt(hue, chroma, tone); return new Hct(argb); } /** * Create an HCT color from a color. * * @param argb ARGB representation of a color. * @return HCT representation of a color in default viewing conditions */ public static Hct fromInt(int argb) { return new Hct(argb); } private Hct(int argb) { setInternalState(argb); } public double getHue() { return hue; } public double getChroma() { return chroma; } public double getTone() { return tone; } public int toInt() { return argb; } /** * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newHue 0 <= newHue < 360; invalid values are corrected. */ public void setHue(double newHue) { setInternalState(HctSolver.solveToInt(newHue, chroma, tone)); } /** * Set the chroma of this color. Chroma may decrease because chroma has a different maximum for * any given hue and tone. * * @param newChroma 0 <= newChroma < ? */ public void setChroma(double newChroma) { setInternalState(HctSolver.solveToInt(hue, newChroma, tone)); } /** * Set the tone of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newTone 0 <= newTone <= 100; invalid valids are corrected. */ public void setTone(double newTone) { setInternalState(HctSolver.solveToInt(hue, chroma, newTone)); } /** * Translate a color into different ViewingConditions. * * <p>Colors change appearance. They look different with lights on versus off, the same color, as * in hex code, on white looks different when on black. This is called color relativity, most * famously explicated by Josef Albers in Interaction of Color. * * <p>In color science, color appearance models can account for this and calculate the appearance * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it * to make these calculations. * * <p>See ViewingConditions.make for parameters affecting color appearance. */ public Hct inViewingConditions(ViewingConditions vc) { // 1. Use CAM16 to find XYZ coordinates of color in specified VC. Cam16 cam16 = Cam16.fromInt(toInt()); double[] viewedInVc = cam16.xyzInViewingConditions(vc, null); // 2. Create CAM16 of those XYZ coordinates in default VC. Cam16 recastInVc = Cam16.fromXyzInViewingConditions( viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT); // 3. Create HCT from: // - CAM16 using default VC with XYZ coordinates in specified VC. // - L* converted from Y in XYZ coordinates in specified VC. return Hct.from( recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1])); } private void setInternalState(int argb) { this.argb = argb; Cam16 cam = Cam16.fromInt(argb); hue = cam.getHue(); chroma = cam.getChroma(); this.
tone = ColorUtils.lstarFromArgb(argb);
} }
m3color/src/main/java/com/kyant/m3color/hct/Hct.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " }\n /**\n * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions.\n *\n * @param argb ARGB representation of a color.\n */\n public static Cam16 fromInt(int argb) {\n return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT);\n }\n /**", "score": 0.8584524393081665 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java", "retrieved_chunk": " *\n * @param argb ARGB representation of a color\n */\n public static CorePalette contentOf(int argb) {\n return new CorePalette(argb, true);\n }\n private CorePalette(int argb, boolean isContent) {\n Hct hct = Hct.fromInt(argb);\n double hue = hct.getHue();\n double chroma = hct.getChroma();", "score": 0.8492947816848755 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]);\n }\n double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) {\n double alpha =\n (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0);\n double t =\n Math.pow(\n alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9);\n double hRad = Math.toRadians(getHue());\n double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8);", "score": 0.8259612917900085 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " public static int redFromArgb(int argb) {\n return (argb >> 16) & 255;\n }\n /** Returns the green component of a color in ARGB format. */\n public static int greenFromArgb(int argb) {\n return (argb >> 8) & 255;\n }\n /** Returns the blue component of a color in ARGB format. */\n public static int blueFromArgb(int argb) {\n return argb & 255;", "score": 0.8175575137138367 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * Create a CAM16 color from a color in defined viewing conditions.\n *\n * @param argb ARGB representation of a color.\n * @param viewingConditions Information about the environment where the color was observed.\n */\n // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values\n // may differ at runtime due to floating point imprecision, keeping the values the same, and\n // accurate, across implementations takes precedence.\n @SuppressWarnings(\"FloatingPointLiteralPrecision\")\n static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) {", "score": 0.8163898587226868 } ]
java
tone = ColorUtils.lstarFromArgb(argb);
/* * Copyright 2022 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.temperature; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; import java.util.ArrayList; import java.util.Collections; import java.util.Comparator; import java.util.HashMap; import java.util.List; import java.util.Map; /** * Design utilities using color temperature theory. * * <p>Analogous colors, complementary color, and cache to efficiently, lazily, generate data for * calculations when needed. */ public final class TemperatureCache { private final Hct input; private Hct precomputedComplement; private List<Hct> precomputedHctsByTemp; private List<Hct> precomputedHctsByHue; private Map<Hct, Double> precomputedTempsByHct; private TemperatureCache() { throw new UnsupportedOperationException(); } /** * Create a cache that allows calculation of ex. complementary and analogous colors. * * @param input Color to find complement/analogous colors of. Any colors will have the same tone, * and chroma as the input color, modulo any restrictions due to the other hues having lower * limits on chroma. */ public TemperatureCache(Hct input) { this.input = input; } /** * A color that complements the input color aesthetically. * * <p>In art, this is usually described as being across the color wheel. History of this shows * intent as a color that is just as cool-warm as the input color is warm-cool. */ public Hct getComplement() { if (precomputedComplement != null) { return precomputedComplement; } double coldestHue = getColdest().getHue(); double coldestTemp = getTempsByHct().get(getColdest()); double warmestHue = getWarmest().getHue(); double warmestTemp = getTempsByHct().get(getWarmest()); double range = warmestTemp - coldestTemp; boolean startHueIsColdestToWarmest = isBetween(input.getHue(), coldestHue, warmestHue); double startHue = startHueIsColdestToWarmest ? warmestHue : coldestHue; double endHue = startHueIsColdestToWarmest ? coldestHue : warmestHue; double directionOfRotation = 1.; double smallestError = 1000.; Hct answer = getHctsByHue().get((int) Math.round(input.getHue())); double complementRelativeTemp = (1. - getRelativeTemperature(input)); // Find the color in the other section, closest to the inverse percentile // of the input color. This is the complement. for (double hueAddend = 0.; hueAddend <= 360.; hueAddend += 1.) { double hue = MathUtils.sanitizeDegreesDouble( startHue + directionOfRotation * hueAddend); if (!isBetween(hue, startHue, endHue)) { continue; } Hct possibleAnswer = getHctsByHue().get((int) Math.round(hue)); double relativeTemp = (getTempsByHct().get(possibleAnswer) - coldestTemp) / range; double error = Math.abs(complementRelativeTemp - relativeTemp); if (error < smallestError) { smallestError = error; answer = possibleAnswer; } } precomputedComplement = answer; return precomputedComplement; } /** * 5 colors that pair well with the input color. * * <p>The colors are equidistant in temperature and adjacent in hue. */ public List<Hct> getAnalogousColors() { return getAnalogousColors(5, 12); } /** * A set of colors with differing hues, equidistant in temperature. * * <p>In art, this is usually described as a set of 5 colors on a color wheel divided into 12 * sections. This method allows provision of either of those values. * * <p>Behavior is undefined when count or divisions is 0. When divisions < count, colors repeat. * * @param count The number of colors to return, includes the input color. * @param divisions The number of divisions on the color wheel. */ public List<Hct> getAnalogousColors(int count, int divisions) { // The starting hue is the hue of the input color. int startHue = (int) Math.round(input.getHue()); Hct startHct = getHctsByHue().get(startHue); double lastTemp = getRelativeTemperature(startHct); List<Hct> allColors = new ArrayList<>(); allColors.add(startHct); double absoluteTotalTempDelta = 0.f; for (int i = 0; i < 360; i++) { int hue = MathUtils.sanitizeDegreesInt(startHue + i); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); lastTemp = temp; absoluteTotalTempDelta += tempDelta; } int hueAddend = 1; double tempStep = absoluteTotalTempDelta / (double) divisions; double totalTempDelta = 0.0; lastTemp = getRelativeTemperature(startHct); while (allColors.size() < divisions) { int hue = MathUtils.sanitizeDegreesInt(startHue + hueAddend); Hct hct = getHctsByHue().get(hue); double temp = getRelativeTemperature(hct); double tempDelta = Math.abs(temp - lastTemp); totalTempDelta += tempDelta; double desiredTotalTempDeltaForIndex = (allColors.size() * tempStep); boolean indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; int indexAddend = 1; // Keep adding this hue to the answers until its temperature is // insufficient. This ensures consistent behavior when there aren't // `divisions` discrete steps between 0 and 360 in hue with `tempStep` // delta in temperature between them. // // For example, white and black have no analogues: there are no other // colors at T100/T0. Therefore, they should just be added to the array // as answers. while (indexSatisfied && allColors.size() < divisions) { allColors.add(hct); desiredTotalTempDeltaForIndex = ((allColors.size() + indexAddend) * tempStep); indexSatisfied = totalTempDelta >= desiredTotalTempDeltaForIndex; indexAddend++; } lastTemp = temp; hueAddend++; if (hueAddend > 360) { while (allColors.size() < divisions) { allColors.add(hct); } break; } } List<Hct> answers = new ArrayList<>(); answers.add(input); int ccwCount = (int) Math.floor(((double) count - 1.0) / 2.0); for (int i = 1; i < (ccwCount + 1); i++) { int index = 0 - i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(0, allColors.get(index)); } int cwCount = count - ccwCount - 1; for (int i = 1; i < (cwCount + 1); i++) { int index = i; while (index < 0) { index = allColors.size() + index; } if (index >= allColors.size()) { index = index % allColors.size(); } answers.add(allColors.get(index)); } return answers; } /** * Temperature relative to all colors with the same chroma and tone. * * @param hct HCT to find the relative temperature of. * @return Value on a scale from 0 to 1. */ public double getRelativeTemperature(Hct hct) { double range = getTempsByHct().get(getWarmest()) - getTempsByHct().get(getColdest()); double differenceFromColdest = getTempsByHct().get(hct) - getTempsByHct().get(getColdest()); // Handle when there's no difference in temperature between warmest and // coldest: for example, at T100, only one color is available, white. if (range == 0.) { return 0.5; } return differenceFromColdest / range; } /** * Value representing cool-warm factor of a color. Values below 0 are considered cool, above, * warm. * * <p>Color science has researched emotion and harmony, which art uses to select colors. Warm-cool * is the foundation of analogous and complementary colors. See: - Li-Chen Ou's Chapter 19 in * Handbook of Color Psychology (2015). - Josef Albers' Interaction of Color chapters 19 and 21. * * <p>Implementation of Ou, Woodcock and Wright's algorithm, which uses Lab/LCH color space. * Return value has these properties:<br> * - Values below 0 are cool, above 0 are warm.<br> * - Lower bound: -9.66. Chroma is infinite. Assuming max of Lab chroma 130.<br> * - Upper bound: 8.61. Chroma is infinite. Assuming max of Lab chroma 130. */ public static double rawTemperature(Hct color) { double[] lab = ColorUtils.labFromArgb(color.toInt()); double
hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1])));
double chroma = Math.hypot(lab[1], lab[2]); return -0.5 + 0.02 * Math.pow(chroma, 1.07) * Math.cos(Math.toRadians(MathUtils.sanitizeDegreesDouble(hue - 50.))); } /** Coldest color with same chroma and tone as input. */ private Hct getColdest() { return getHctsByTemp().get(0); } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted by hue, ex. index 0 is hue 0. */ private List<Hct> getHctsByHue() { if (precomputedHctsByHue != null) { return precomputedHctsByHue; } List<Hct> hcts = new ArrayList<>(); for (double hue = 0.; hue <= 360.; hue += 1.) { Hct colorAtHue = Hct.from(hue, input.getChroma(), input.getTone()); hcts.add(colorAtHue); } precomputedHctsByHue = Collections.unmodifiableList(hcts); return precomputedHctsByHue; } /** * HCTs for all colors with the same chroma/tone as the input. * * <p>Sorted from coldest first to warmest last. */ // Prevent lint for Comparator not being available on Android before API level 24, 7.0, 2016. // "AndroidJdkLibsChecker" for one linter, "NewApi" for another. // A java_library Bazel rule with an Android constraint cannot skip these warnings without this // annotation; another solution would be to create an android_library rule and supply // AndroidManifest with an SDK set higher than 23. @SuppressWarnings({"AndroidJdkLibsChecker", "NewApi"}) private List<Hct> getHctsByTemp() { if (precomputedHctsByTemp != null) { return precomputedHctsByTemp; } List<Hct> hcts = new ArrayList<>(getHctsByHue()); hcts.add(input); Comparator<Hct> temperaturesComparator = Comparator.comparing((Hct arg) -> getTempsByHct().get(arg), Double::compareTo); Collections.sort(hcts, temperaturesComparator); precomputedHctsByTemp = hcts; return precomputedHctsByTemp; } /** Keys of HCTs in getHctsByTemp, values of raw temperature. */ private Map<Hct, Double> getTempsByHct() { if (precomputedTempsByHct != null) { return precomputedTempsByHct; } List<Hct> allHcts = new ArrayList<>(getHctsByHue()); allHcts.add(input); Map<Hct, Double> temperaturesByHct = new HashMap<>(); for (Hct hct : allHcts) { temperaturesByHct.put(hct, rawTemperature(hct)); } precomputedTempsByHct = temperaturesByHct; return precomputedTempsByHct; } /** Warmest color with same chroma and tone as input. */ private Hct getWarmest() { return getHctsByTemp().get(getHctsByTemp().size() - 1); } /** Determines if an angle is between two other angles, rotating clockwise. */ private static boolean isBetween(double angle, double a, double b) { if (a < b) { return a <= angle && angle <= b; } return a <= angle || angle <= b; } }
m3color/src/main/java/com/kyant/m3color/temperature/TemperatureCache.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.832877516746521 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8238602876663208 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8209652900695801 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8180336356163025 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8159341216087341 } ]
java
hue = MathUtils.sanitizeDegreesDouble(Math.toDegrees(Math.atan2(lab[2], lab[1])));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(),
fromCam.getChroma(), ColorUtils.lstarFromArgb(from));
return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8389343619346619 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8315284848213196 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8288130164146423 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8287140130996704 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.8279544115066528 } ]
java
fromCam.getChroma(), ColorUtils.lstarFromArgb(from));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(
ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from));
return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8430206775665283 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8352597951889038 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.834291398525238 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.8325906991958618 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8304977416992188 } ]
java
ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import com.kyant.m3color.utils.ColorUtils; /** * A color system built using CAM16 hue and chroma, and L* from L*a*b*. * * <p>Using L* creates a link between the color system, contrast, and thus accessibility. Contrast * ratio depends on relative luminance, or Y in the XYZ color space. L*, or perceptual luminance can * be calculated from Y. * * <p>Unlike Y, L* is linear to human perception, allowing trivial creation of accurate color tones. * * <p>Unlike contrast ratio, measuring contrast in L* is linear, and simple to calculate. A * difference of 40 in HCT tone guarantees a contrast ratio >= 3.0, and a difference of 50 * guarantees a contrast ratio >= 4.5. */ /** * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color * measurement system that can also accurately render what colors will appear as in different * lighting environments. */ public final class Hct { private double hue; private double chroma; private double tone; private int argb; /** * Create an HCT color from hue, chroma, and tone. * * @param hue 0 <= hue < 360; invalid values are corrected. * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than * the requested chroma. Chroma has a different maximum for any given hue and tone. * @param tone 0 <= tone <= 100; invalid values are corrected. * @return HCT representation of a color in default viewing conditions. */ public static Hct from(double hue, double chroma, double tone) { int argb =
HctSolver.solveToInt(hue, chroma, tone);
return new Hct(argb); } /** * Create an HCT color from a color. * * @param argb ARGB representation of a color. * @return HCT representation of a color in default viewing conditions */ public static Hct fromInt(int argb) { return new Hct(argb); } private Hct(int argb) { setInternalState(argb); } public double getHue() { return hue; } public double getChroma() { return chroma; } public double getTone() { return tone; } public int toInt() { return argb; } /** * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newHue 0 <= newHue < 360; invalid values are corrected. */ public void setHue(double newHue) { setInternalState(HctSolver.solveToInt(newHue, chroma, tone)); } /** * Set the chroma of this color. Chroma may decrease because chroma has a different maximum for * any given hue and tone. * * @param newChroma 0 <= newChroma < ? */ public void setChroma(double newChroma) { setInternalState(HctSolver.solveToInt(hue, newChroma, tone)); } /** * Set the tone of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newTone 0 <= newTone <= 100; invalid valids are corrected. */ public void setTone(double newTone) { setInternalState(HctSolver.solveToInt(hue, chroma, newTone)); } /** * Translate a color into different ViewingConditions. * * <p>Colors change appearance. They look different with lights on versus off, the same color, as * in hex code, on white looks different when on black. This is called color relativity, most * famously explicated by Josef Albers in Interaction of Color. * * <p>In color science, color appearance models can account for this and calculate the appearance * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it * to make these calculations. * * <p>See ViewingConditions.make for parameters affecting color appearance. */ public Hct inViewingConditions(ViewingConditions vc) { // 1. Use CAM16 to find XYZ coordinates of color in specified VC. Cam16 cam16 = Cam16.fromInt(toInt()); double[] viewedInVc = cam16.xyzInViewingConditions(vc, null); // 2. Create CAM16 of those XYZ coordinates in default VC. Cam16 recastInVc = Cam16.fromXyzInViewingConditions( viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT); // 3. Create HCT from: // - CAM16 using default VC with XYZ coordinates in specified VC. // - L* converted from Y in XYZ coordinates in specified VC. return Hct.from( recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1])); } private void setInternalState(int argb) { this.argb = argb; Cam16 cam = Cam16.fromInt(argb); hue = cam.getHue(); chroma = cam.getChroma(); this.tone = ColorUtils.lstarFromArgb(argb); } }
m3color/src/main/java/com/kyant/m3color/hct/Hct.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.9008661508560181 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromHct(Hct hct) {\n return new TonalPalette(hct.getHue(), hct.getChroma(), hct);\n }\n /**\n * Create tones from a defined HCT hue and chroma.\n *\n * @param hue HCT hue\n * @param chroma HCT chroma", "score": 0.8747683167457581 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " smallestDeltaHct = hctSubtract;\n }\n }\n return smallestDeltaHct;\n }\n /**\n * Create an ARGB color with HCT hue and chroma of this Tones instance, and the provided HCT tone.\n *\n * @param tone HCT tone, measured from 0 to 100.\n * @return ARGB representation of a color with that tone.", "score": 0.8699564933776855 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @return Tones matching hue and chroma.\n */\n public static TonalPalette fromHueAndChroma(double hue, double chroma) {\n return new TonalPalette(hue, chroma, createKeyColor(hue, chroma));\n }\n private TonalPalette(double hue, double chroma, Hct keyColor) {\n cache = new HashMap<>();\n this.hue = hue;\n this.chroma = chroma;\n this.keyColor = keyColor;", "score": 0.8657478094100952 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " */\n // AndroidJdkLibsChecker is higher priority than ComputeIfAbsentUseValue (b/119581923)\n @SuppressWarnings(\"ComputeIfAbsentUseValue\")\n public int tone(int tone) {\n Integer color = cache.get(tone);\n if (color == null) {\n color = Hct.from(this.hue, this.chroma, tone).toInt();\n cache.put(tone, color);\n }\n return color;", "score": 0.8624876141548157 } ]
java
HctSolver.solveToInt(hue, chroma, tone);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA =
toCam.getAstar();
double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar,\n * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure\n * distances between colors.\n */\n double distance(Cam16 other) {\n double dJ = getJstar() - other.getJstar();\n double dA = getAstar() - other.getAstar();\n double dB = getBstar() - other.getBstar();\n double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB);\n double dE = 1.41 * Math.pow(dEPrime, 0.63);", "score": 0.8383979797363281 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " public static Cam16 solveToCam(double hueDegrees, double chroma, double lstar) {\n return Cam16.fromInt(solveToInt(hueDegrees, chroma, lstar));\n }\n}", "score": 0.8292809128761292 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " public static Cam16 fromUcs(double jstar, double astar, double bstar) {\n return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT);\n }\n /**\n * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions.\n *\n * @param jstar CAM16-UCS lightness.\n * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y\n * axis.\n * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X", "score": 0.8235145807266235 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * axis.\n * @param viewingConditions Information about the environment where the color was observed.\n */\n public static Cam16 fromUcsInViewingConditions(\n double jstar, double astar, double bstar, ViewingConditions viewingConditions) {\n double m = Math.hypot(astar, bstar);\n double m2 = Math.expm1(m * 0.0228) / 0.0228;\n double c = m2 / viewingConditions.getFlRoot();\n double h = Math.atan2(bstar, astar) * (180.0 / Math.PI);\n if (h < 0.0) {", "score": 0.8140707612037659 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " */\n private Cam16(\n double hue,\n double chroma,\n double j,\n double q,\n double m,\n double s,\n double jstar,\n double astar,", "score": 0.8091732859611511 } ]
java
toCam.getAstar();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import com.kyant.m3color.utils.ColorUtils; /** * A color system built using CAM16 hue and chroma, and L* from L*a*b*. * * <p>Using L* creates a link between the color system, contrast, and thus accessibility. Contrast * ratio depends on relative luminance, or Y in the XYZ color space. L*, or perceptual luminance can * be calculated from Y. * * <p>Unlike Y, L* is linear to human perception, allowing trivial creation of accurate color tones. * * <p>Unlike contrast ratio, measuring contrast in L* is linear, and simple to calculate. A * difference of 40 in HCT tone guarantees a contrast ratio >= 3.0, and a difference of 50 * guarantees a contrast ratio >= 4.5. */ /** * HCT, hue, chroma, and tone. A color system that provides a perceptually accurate color * measurement system that can also accurately render what colors will appear as in different * lighting environments. */ public final class Hct { private double hue; private double chroma; private double tone; private int argb; /** * Create an HCT color from hue, chroma, and tone. * * @param hue 0 <= hue < 360; invalid values are corrected. * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than * the requested chroma. Chroma has a different maximum for any given hue and tone. * @param tone 0 <= tone <= 100; invalid values are corrected. * @return HCT representation of a color in default viewing conditions. */ public static Hct from(double hue, double chroma, double tone) { int argb = HctSolver.solveToInt(hue, chroma, tone); return new Hct(argb); } /** * Create an HCT color from a color. * * @param argb ARGB representation of a color. * @return HCT representation of a color in default viewing conditions */ public static Hct fromInt(int argb) { return new Hct(argb); } private Hct(int argb) { setInternalState(argb); } public double getHue() { return hue; } public double getChroma() { return chroma; } public double getTone() { return tone; } public int toInt() { return argb; } /** * Set the hue of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newHue 0 <= newHue < 360; invalid values are corrected. */ public void setHue(double newHue) { setInternalState(HctSolver.solveToInt(newHue, chroma, tone)); } /** * Set the chroma of this color. Chroma may decrease because chroma has a different maximum for * any given hue and tone. * * @param newChroma 0 <= newChroma < ? */ public void setChroma(double newChroma) { setInternalState(HctSolver.solveToInt(hue, newChroma, tone)); } /** * Set the tone of this color. Chroma may decrease because chroma has a different maximum for any * given hue and tone. * * @param newTone 0 <= newTone <= 100; invalid valids are corrected. */ public void setTone(double newTone) { setInternalState(HctSolver.solveToInt(hue, chroma, newTone)); } /** * Translate a color into different ViewingConditions. * * <p>Colors change appearance. They look different with lights on versus off, the same color, as * in hex code, on white looks different when on black. This is called color relativity, most * famously explicated by Josef Albers in Interaction of Color. * * <p>In color science, color appearance models can account for this and calculate the appearance * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it * to make these calculations. * * <p>See ViewingConditions.make for parameters affecting color appearance. */ public Hct inViewingConditions(ViewingConditions vc) { // 1. Use CAM16 to find XYZ coordinates of color in specified VC. Cam16 cam16 = Cam16.fromInt(toInt()); double[] viewedInVc = cam16.xyzInViewingConditions(vc, null); // 2. Create CAM16 of those XYZ coordinates in default VC. Cam16 recastInVc = Cam16.fromXyzInViewingConditions( viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT); // 3. Create HCT from: // - CAM16 using default VC with XYZ coordinates in specified VC. // - L* converted from Y in XYZ coordinates in specified VC. return Hct.from( recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1])); } private void setInternalState(int argb) { this.argb = argb; Cam16 cam = Cam16.fromInt(argb);
hue = cam.getHue();
chroma = cam.getChroma(); this.tone = ColorUtils.lstarFromArgb(argb); } }
m3color/src/main/java/com/kyant/m3color/hct/Hct.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " }\n /**\n * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions.\n *\n * @param argb ARGB representation of a color.\n */\n public static Cam16 fromInt(int argb) {\n return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT);\n }\n /**", "score": 0.8693035244941711 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/CorePalette.java", "retrieved_chunk": " *\n * @param argb ARGB representation of a color\n */\n public static CorePalette contentOf(int argb) {\n return new CorePalette(argb, true);\n }\n private CorePalette(int argb, boolean isContent) {\n Hct hct = Hct.fromInt(argb);\n double hue = hct.getHue();\n double chroma = hct.getChroma();", "score": 0.8469544649124146 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * Create a CAM16 color from a color in defined viewing conditions.\n *\n * @param argb ARGB representation of a color.\n * @param viewingConditions Information about the environment where the color was observed.\n */\n // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values\n // may differ at runtime due to floating point imprecision, keeping the values the same, and\n // accurate, across implementations takes precedence.\n @SuppressWarnings(\"FloatingPointLiteralPrecision\")\n static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) {", "score": 0.8375466465950012 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " // Transform ARGB int to XYZ\n int red = (argb & 0x00ff0000) >> 16;\n int green = (argb & 0x0000ff00) >> 8;\n int blue = (argb & 0x000000ff);\n double redL = ColorUtils.linearized(red);\n double greenL = ColorUtils.linearized(green);\n double blueL = ColorUtils.linearized(blue);\n double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL;\n double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL;\n double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL;", "score": 0.8268380165100098 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]);\n }\n double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) {\n double alpha =\n (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0);\n double t =\n Math.pow(\n alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9);\n double hRad = Math.toRadians(getHue());\n double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8);", "score": 0.8218597769737244 } ]
java
hue = cam.getHue();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB =
fromCam.getBstar();
double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " public static Cam16 solveToCam(double hueDegrees, double chroma, double lstar) {\n return Cam16.fromInt(solveToInt(hueDegrees, chroma, lstar));\n }\n}", "score": 0.8301042914390564 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param c CAM16 chroma\n * @param h CAM16 hue\n */\n static Cam16 fromJch(double j, double c, double h) {\n return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT);\n }\n /**\n * @param j CAM16 lightness\n * @param c CAM16 chroma\n * @param h CAM16 hue", "score": 0.8147088885307312 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " double huePrime = (hue < 20.14) ? hue + 360 : hue;\n double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8);\n double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb();\n double t = p1 * Math.hypot(a, b) / (u + 0.305);\n double alpha =\n Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9);\n // CAM16 chroma, colorfulness, saturation\n double c = alpha * Math.sqrt(j / 100.0);\n double m = c * viewingConditions.getFlRoot();\n double s =", "score": 0.8102543354034424 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar,\n * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure\n * distances between colors.\n */\n double distance(Cam16 other) {\n double dJ = getJstar() - other.getJstar();\n double dA = getAstar() - other.getAstar();\n double dB = getBstar() - other.getBstar();\n double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB);\n double dE = 1.41 * Math.pow(dEPrime, 0.63);", "score": 0.80692458152771 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " // redness-greenness\n double a = (11.0 * rA + -12.0 * gA + bA) / 11.0;\n // yellowness-blueness\n double b = (rA + gA - 2.0 * bA) / 9.0;\n // auxiliary components\n double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0;\n double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0;\n // hue\n double atan2 = Math.atan2(b, a);\n double atanDegrees = Math.toDegrees(atan2);", "score": 0.8066738247871399 } ]
java
fromCam.getBstar();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount;
return Cam16.fromUcs(jstar, astar, bstar).toInt();
} }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar,\n * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure\n * distances between colors.\n */\n double distance(Cam16 other) {\n double dJ = getJstar() - other.getJstar();\n double dA = getAstar() - other.getAstar();\n double dB = getBstar() - other.getBstar();\n double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB);\n double dE = 1.41 * Math.pow(dEPrime, 0.63);", "score": 0.8364959955215454 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " double m = c * viewingConditions.getFlRoot();\n double alpha = c / Math.sqrt(j / 100.0);\n double s =\n 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));\n double hueRadians = Math.toRadians(h);\n double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j);\n double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m);\n double astar = mstar * Math.cos(hueRadians);\n double bstar = mstar * Math.sin(hueRadians);\n return new Cam16(h, c, j, q, m, s, jstar, astar, bstar);", "score": 0.832389235496521 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " public static Cam16 solveToCam(double hueDegrees, double chroma, double lstar) {\n return Cam16.fromInt(solveToInt(hueDegrees, chroma, lstar));\n }\n}", "score": 0.8256274461746216 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));\n // CAM16-UCS components\n double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j);\n double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m);\n double astar = mstar * Math.cos(hueRadians);\n double bstar = mstar * Math.sin(hueRadians);\n return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar);\n }\n /**\n * @param j CAM16 lightness", "score": 0.8166462779045105 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " public static Cam16 fromUcs(double jstar, double astar, double bstar) {\n return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT);\n }\n /**\n * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions.\n *\n * @param jstar CAM16-UCS lightness.\n * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y\n * axis.\n * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X", "score": 0.8164551258087158 } ]
java
return Cam16.fromUcs(jstar, astar, bstar).toInt();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to);
double fromJ = fromCam.getJstar();
double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " public static Cam16 solveToCam(double hueDegrees, double chroma, double lstar) {\n return Cam16.fromInt(solveToInt(hueDegrees, chroma, lstar));\n }\n}", "score": 0.817192792892456 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * @param c CAM16 chroma\n * @param h CAM16 hue\n */\n static Cam16 fromJch(double j, double c, double h) {\n return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT);\n }\n /**\n * @param j CAM16 lightness\n * @param c CAM16 chroma\n * @param h CAM16 hue", "score": 0.8104698061943054 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar,\n * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure\n * distances between colors.\n */\n double distance(Cam16 other) {\n double dJ = getJstar() - other.getJstar();\n double dA = getAstar() - other.getAstar();\n double dB = getBstar() - other.getBstar();\n double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB);\n double dE = 1.41 * Math.pow(dEPrime, 0.63);", "score": 0.8017401695251465 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/MathUtils.java", "retrieved_chunk": " } else {\n return 1;\n }\n }\n /**\n * The linear interpolation function.\n *\n * @return start if amount = 0 and stop if amount = 1\n */\n public static double lerp(double start, double stop, double amount) {", "score": 0.8007437586784363 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * <p>For example, white under the traditional assumption of a midday sun white point is accurately\n * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100)\n */\npublic final class Cam16 {\n // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16.\n static final double[][] XYZ_TO_CAM16RGB = {\n {0.401288, 0.650173, -0.051461},\n {-0.250268, 1.204414, 0.045854},\n {-0.002079, 0.048952, 0.953127}\n };", "score": 0.8006172180175781 } ]
java
double fromJ = fromCam.getJstar();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double
toB = toCam.getBstar();
double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar,\n * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure\n * distances between colors.\n */\n double distance(Cam16 other) {\n double dJ = getJstar() - other.getJstar();\n double dA = getAstar() - other.getAstar();\n double dB = getBstar() - other.getBstar();\n double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB);\n double dE = 1.41 * Math.pow(dEPrime, 0.63);", "score": 0.8339680433273315 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " public static Cam16 solveToCam(double hueDegrees, double chroma, double lstar) {\n return Cam16.fromInt(solveToInt(hueDegrees, chroma, lstar));\n }\n}", "score": 0.827181339263916 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " public static Cam16 fromUcs(double jstar, double astar, double bstar) {\n return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT);\n }\n /**\n * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions.\n *\n * @param jstar CAM16-UCS lightness.\n * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y\n * axis.\n * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X", "score": 0.8213580250740051 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " * axis.\n * @param viewingConditions Information about the environment where the color was observed.\n */\n public static Cam16 fromUcsInViewingConditions(\n double jstar, double astar, double bstar, ViewingConditions viewingConditions) {\n double m = Math.hypot(astar, bstar);\n double m2 = Math.expm1(m * 0.0228) / 0.0228;\n double c = m2 / viewingConditions.getFlRoot();\n double h = Math.atan2(bstar, astar) * (180.0 / Math.PI);\n if (h < 0.0) {", "score": 0.8059908747673035 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Cam16.java", "retrieved_chunk": " double m = c * viewingConditions.getFlRoot();\n double alpha = c / Math.sqrt(j / 100.0);\n double s =\n 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));\n double hueRadians = Math.toRadians(h);\n double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j);\n double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m);\n double astar = mstar * Math.cos(hueRadians);\n double bstar = mstar * Math.sin(hueRadians);\n return new Cam16(h, c, j, q, m, s, jstar, astar, bstar);", "score": 0.802912175655365 } ]
java
toB = toCam.getBstar();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct =
Hct.fromInt(designColor);
Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8420431017875671 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8408511877059937 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8343709111213684 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8336220979690552 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " contrastLevel,\n TonalPalette.fromHueAndChroma(\n MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 240.0), 40.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, SECONDARY_ROTATIONS), 24.0),\n TonalPalette.fromHueAndChroma(\n DynamicScheme.getRotatedHue(sourceColorHct, HUES, TERTIARY_ROTATIONS), 32.0),\n TonalPalette.fromHueAndChroma(\n MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 8.0),\n TonalPalette.fromHueAndChroma(", "score": 0.8311269283294678 } ]
java
Hct.fromInt(designColor);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double
differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue());
double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8494927883148193 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8428323268890381 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8413814306259155 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8413735628128052 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8408030271530151 } ]
java
differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue
(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from));
return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " /**\n * Create an HCT color from hue, chroma, and tone.\n *\n * @param hue 0 <= hue < 360; invalid values are corrected.\n * @param chroma 0 <= chroma < ?; Informally, colorfulness. The color returned may be lower than\n * the requested chroma. Chroma has a different maximum for any given hue and tone.\n * @param tone 0 <= tone <= 100; invalid values are corrected.\n * @return HCT representation of a color in default viewing conditions.\n */\n public static Hct from(double hue, double chroma, double tone) {", "score": 0.8387672305107117 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " }\n /** Given a tone, use hue and chroma of palette to create a color, and return it as HCT. */\n public Hct getHct(double tone) {\n return Hct.from(this.hue, this.chroma, tone);\n }\n /** The chroma of the Tonal Palette, in HCT. Ranges from 0 to ~130 (for sRGB gamut). */\n public double getChroma() {\n return this.chroma;\n }\n /** The hue of the Tonal Palette, in HCT. Ranges from 0 to 360. */", "score": 0.8308809995651245 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8291876316070557 }, { "filename": "m3color/src/main/java/com/kyant/m3color/palettes/TonalPalette.java", "retrieved_chunk": " * @param argb ARGB representation of a color\n * @return Tones matching that color's hue and chroma.\n */\n public static TonalPalette fromInt(int argb) {\n return fromHct(Hct.fromInt(argb));\n }\n /**\n * Create tones using a HCT color.\n *\n * @param hct HCT representation of a color.", "score": 0.8289490938186646 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " int argb = HctSolver.solveToInt(hue, chroma, tone);\n return new Hct(argb);\n }\n /**\n * Create an HCT color from a color.\n *\n * @param argb ARGB representation of a color.\n * @return HCT representation of a color in default viewing conditions\n */\n public static Hct fromInt(int argb) {", "score": 0.8279353976249695 } ]
java
(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2
* viewingConditions.getNbb();
// CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.8643221855163574 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8529641628265381 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8464140892028809 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " static double hueOf(double[] linrgb) {\n double[] scaledDiscount = MathUtils.matrixMultiply(linrgb, SCALED_DISCOUNT_FROM_LINRGB);\n double rA = chromaticAdaptation(scaledDiscount[0]);\n double gA = chromaticAdaptation(scaledDiscount[1]);\n double bA = chromaticAdaptation(scaledDiscount[2]);\n // redness-greenness\n double a = (11.0 * rA + -12.0 * gA + bA) / 11.0;\n // yellowness-blueness\n double b = (rA + gA - 2.0 * bA) / 9.0;\n return Math.atan2(b, a);", "score": 0.8212522268295288 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8198584318161011 } ]
java
* viewingConditions.getNbb();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees
= MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue());
double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.850297212600708 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8447176814079285 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8427085280418396 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8424952030181885 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeContent.java", "retrieved_chunk": " TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma()),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(),\n max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(\n new TemperatureCache(sourceColorHct)\n .getAnalogousColors(/* count= */ 3, /* divisions= */ 6)\n .get(2))),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),", "score": 0.8408952951431274 } ]
java
= MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble(
fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue()));
return Hct.from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt(); } /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.887717604637146 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8821940422058105 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.88197922706604 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8778791427612305 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8776954412460327 } ]
java
fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue()));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (
viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot();
// CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8736114501953125 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.8444808721542358 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.8046987056732178 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8030332922935486 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " private final double fl;\n private final double flRoot;\n private final double z;\n public double getAw() {\n return aw;\n }\n public double getN() {\n return n;\n }\n public double getNbb() {", "score": 0.8029348850250244 } ]
java
viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return
ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]);
} double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " /** sRGB-like viewing conditions. */\n public static final ViewingConditions DEFAULT =\n ViewingConditions.defaultWithBackgroundLstar(50.0);\n private final double aw;\n private final double nbb;\n private final double ncb;\n private final double c;\n private final double nc;\n private final double n;\n private final double[] rgbD;", "score": 0.8394537568092346 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " *\n * <p>In color science, color appearance models can account for this and calculate the appearance\n * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it\n * to make these calculations.\n *\n * <p>See ViewingConditions.make for parameters affecting color appearance.\n */\n public Hct inViewingConditions(ViewingConditions vc) {\n // 1. Use CAM16 to find XYZ coordinates of color in specified VC.\n Cam16 cam16 = Cam16.fromInt(toInt());", "score": 0.8228354454040527 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.821251630783081 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " * the color. Color appearance models such as CAM16 also use information about the environment where\n * the color was observed, known as the viewing conditions.\n *\n * <p>For example, white under the traditional assumption of a midday sun white point is accurately\n * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100)\n *\n * <p>This class caches intermediate values of the CAM16 conversion process that depend only on\n * viewing conditions, enabling speed ups.\n */\npublic final class ViewingConditions {", "score": 0.8157036304473877 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " return ViewingConditions.make(\n ColorUtils.whitePointD65(),\n (200.0 / Math.PI * ColorUtils.yFromLstar(50.0) / 100.f),\n lstar,\n 2.0,\n false);\n }\n /**\n * Parameters are intermediate values of the CAM16 conversion process. Their names are shorthand\n * for technical color science terminology, this class would not benefit from documenting them", "score": 0.8138647079467773 } ]
java
ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(),
viewingConditions.getC() * viewingConditions.getZ());
double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9032328128814697 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8881136775016785 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.864696741104126 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8551326990127563 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.8445475101470947 } ]
java
viewingConditions.getC() * viewingConditions.getZ());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.from(
outputHue, fromHct.getChroma(), fromHct.getTone()).toInt();
} /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8991243839263916 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8989854454994202 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8984376192092896 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8933594822883606 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.893201470375061 } ]
java
outputHue, fromHct.getChroma(), fromHct.getTone()).toInt();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // This file is automatically generated. Do not modify it. package com.kyant.m3color.blend; import com.kyant.m3color.hct.Cam16; import com.kyant.m3color.hct.Hct; import com.kyant.m3color.utils.ColorUtils; import com.kyant.m3color.utils.MathUtils; /** Functions for blending in HCT and CAM16. */ public class Blend { private Blend() {} /** * Blend the design color's HCT hue towards the key color's HCT hue, in a way that leaves the * original color recognizable and recognizably shifted towards the key color. * * @param designColor ARGB representation of an arbitrary color. * @param sourceColor ARGB representation of the main theme color. * @return The design color with a hue shifted towards the system's color, a slightly * warmer/cooler variant of the design color's hue. */ public static int harmonize(int designColor, int sourceColor) { Hct fromHct = Hct.fromInt(designColor); Hct toHct = Hct.fromInt(sourceColor); double differenceDegrees = MathUtils.differenceDegrees(fromHct.getHue(), toHct.getHue()); double rotationDegrees = Math.min(differenceDegrees * 0.5, 15.0); double outputHue = MathUtils.sanitizeDegreesDouble( fromHct.getHue() + rotationDegrees * MathUtils.rotationDirection(fromHct.getHue(), toHct.getHue())); return Hct.
from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt();
} /** * Blends hue from one color into another. The chroma and tone of the original color are * maintained. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, with a hue blended towards to. Chroma and tone are constant. */ public static int hctHue(int from, int to, double amount) { int ucs = cam16Ucs(from, to, amount); Cam16 ucsCam = Cam16.fromInt(ucs); Cam16 fromCam = Cam16.fromInt(from); Hct blended = Hct.from(ucsCam.getHue(), fromCam.getChroma(), ColorUtils.lstarFromArgb(from)); return blended.toInt(); } /** * Blend in CAM16-UCS space. * * @param from ARGB representation of color * @param to ARGB representation of color * @param amount how much blending to perform; 0.0 >= and <= 1.0 * @return from, blended towards to. Hue, chroma, and tone will change. */ public static int cam16Ucs(int from, int to, double amount) { Cam16 fromCam = Cam16.fromInt(from); Cam16 toCam = Cam16.fromInt(to); double fromJ = fromCam.getJstar(); double fromA = fromCam.getAstar(); double fromB = fromCam.getBstar(); double toJ = toCam.getJstar(); double toA = toCam.getAstar(); double toB = toCam.getBstar(); double jstar = fromJ + (toJ - fromJ) * amount; double astar = fromA + (toA - fromA) * amount; double bstar = fromB + (toB - fromB) * amount; return Cam16.fromUcs(jstar, astar, bstar).toInt(); } }
m3color/src/main/java/com/kyant/m3color/blend/Blend.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeRainbow.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 0.0));\n }\n}", "score": 0.8987619876861572 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeTonalSpot.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 60.0), 24.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 6.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 8.0));\n }\n}", "score": 0.8985496759414673 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeExpressive.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() + 15.0), 12.0));\n }\n}", "score": 0.8980073928833008 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFidelity.java", "retrieved_chunk": " Math.max(sourceColorHct.getChroma() - 32.0, sourceColorHct.getChroma() * 0.5)),\n TonalPalette.fromHct(\n DislikeAnalyzer.fixIfDisliked(new TemperatureCache(sourceColorHct).getComplement())),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), sourceColorHct.getChroma() / 8.0),\n TonalPalette.fromHueAndChroma(\n sourceColorHct.getHue(), (sourceColorHct.getChroma() / 8.0) + 4.0));\n }\n}", "score": 0.8933017253875732 }, { "filename": "m3color/src/main/java/com/kyant/m3color/scheme/SchemeFruitSalad.java", "retrieved_chunk": " MathUtils.sanitizeDegreesDouble(sourceColorHct.getHue() - 50.0), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 36.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 10.0),\n TonalPalette.fromHueAndChroma(sourceColorHct.getHue(), 16.0));\n }\n}", "score": 0.8931418061256409 } ]
java
from(outputHue, fromHct.getChroma(), fromHct.getTone()).toInt();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD =
viewingConditions.getRgbD()[0] * rT;
double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.87950599193573 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.834530234336853 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8310739994049072 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " return ViewingConditions.make(\n ColorUtils.whitePointD65(),\n (200.0 / Math.PI * ColorUtils.yFromLstar(50.0) / 100.f),\n lstar,\n 2.0,\n false);\n }\n /**\n * Parameters are intermediate values of the CAM16 conversion process. Their names are shorthand\n * for technical color science terminology, this class would not benefit from documenting them", "score": 0.8290148377418518 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " *\n * <p>In color science, color appearance models can account for this and calculate the appearance\n * of a color in different settings. HCT is based on CAM16, a color appearance model, and uses it\n * to make these calculations.\n *\n * <p>See ViewingConditions.make for parameters affecting color appearance.\n */\n public Hct inViewingConditions(ViewingConditions vc) {\n // 1. Use CAM16 to find XYZ coordinates of color in specified VC.\n Cam16 cam16 = Cam16.fromInt(toInt());", "score": 0.8189557790756226 } ]
java
viewingConditions.getRgbD()[0] * rT;
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF =
Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42);
double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " double z = matrix[2][0] * linearR + matrix[2][1] * linearG + matrix[2][2] * linearB;\n double[] whitePoint = WHITE_POINT_D65;\n double xNormalized = x / whitePoint[0];\n double yNormalized = y / whitePoint[1];\n double zNormalized = z / whitePoint[2];\n double fx = labF(xNormalized);\n double fy = labF(yNormalized);\n double fz = labF(zNormalized);\n double l = 116.0 * fy - 16;\n double a = 500.0 * (fx - fy);", "score": 0.8848769664764404 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8695857524871826 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.8687264919281006 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.8612733483314514 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8595796823501587 } ]
java
Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC()
* viewingConditions.getZ());
double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9172390699386597 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8967228531837463 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8694658875465393 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8442749977111816 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.843019425868988 } ]
java
* viewingConditions.getZ());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green);
double blueL = ColorUtils.linearized(blue);
double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.8604646325111389 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " * the color. Color appearance models such as CAM16 also use information about the environment where\n * the color was observed, known as the viewing conditions.\n *\n * <p>For example, white under the traditional assumption of a midday sun white point is accurately\n * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100)\n *\n * <p>This class caches intermediate values of the CAM16 conversion process that depend only on\n * viewing conditions, enabling speed ups.\n */\npublic final class ViewingConditions {", "score": 0.8478617668151855 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " double b = linearized(blueFromArgb(argb));\n return MathUtils.matrixMultiply(new double[] {r, g, b}, SRGB_TO_XYZ);\n }\n /** Converts a color represented in Lab color space into an ARGB integer. */\n public static int argbFromLab(double l, double a, double b) {\n double[] whitePoint = WHITE_POINT_D65;\n double fy = (l + 16.0) / 116.0;\n double fx = a / 500.0 + fy;\n double fz = fy - b / 200.0;\n double xNormalized = labInvf(fx);", "score": 0.8478547930717468 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " public static int redFromArgb(int argb) {\n return (argb >> 16) & 255;\n }\n /** Returns the green component of a color in ARGB format. */\n public static int greenFromArgb(int argb) {\n return (argb >> 8) & 255;\n }\n /** Returns the blue component of a color in ARGB format. */\n public static int blueFromArgb(int argb) {\n return argb & 255;", "score": 0.8467625975608826 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " * @param argb the ARGB representation of a color\n * @return a Lab object representing the color\n */\n public static double[] labFromArgb(int argb) {\n double linearR = linearized(redFromArgb(argb));\n double linearG = linearized(greenFromArgb(argb));\n double linearB = linearized(blueFromArgb(argb));\n double[][] matrix = SRGB_TO_XYZ;\n double x = matrix[0][0] * linearR + matrix[0][1] * linearG + matrix[0][2] * linearB;\n double y = matrix[1][0] * linearR + matrix[1][1] * linearG + matrix[1][2] * linearB;", "score": 0.8448402881622314 } ]
java
double blueL = ColorUtils.linearized(blue);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 *
eHue * viewingConditions.getNc() * viewingConditions.getNcb();
double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9290112853050232 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.9189111590385437 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.8621225357055664 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8500800132751465 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8422076106071472 } ]
java
eHue * viewingConditions.getNc() * viewingConditions.getNcb();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0)
* viewingConditions.getFlRoot();
// CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8742942214012146 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.8424994945526123 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.8078387975692749 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " private final double fl;\n private final double flRoot;\n private final double z;\n public double getAw() {\n return aw;\n }\n public double getN() {\n return n;\n }\n public double getNbb() {", "score": 0.8016750812530518 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8006501197814941 } ]
java
* viewingConditions.getFlRoot();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double
rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42);
double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " double z = matrix[2][0] * linearR + matrix[2][1] * linearG + matrix[2][2] * linearB;\n double[] whitePoint = WHITE_POINT_D65;\n double xNormalized = x / whitePoint[0];\n double yNormalized = y / whitePoint[1];\n double zNormalized = z / whitePoint[2];\n double fx = labF(xNormalized);\n double fy = labF(yNormalized);\n double fz = labF(zNormalized);\n double l = 116.0 * fy - 16;\n double a = 500.0 * (fx - fy);", "score": 0.8855769634246826 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.8651279211044312 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8607994318008423 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8586951494216919 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.8555341362953186 } ]
java
rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0
* Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));
// CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.9245872497558594 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9242612719535828 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8599215745925903 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8595053553581238 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.8511142134666443 } ]
java
* Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff);
double redL = ColorUtils.linearized(red);
double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " double linearB = matrix[2][0] * x + matrix[2][1] * y + matrix[2][2] * z;\n int r = delinearized(linearR);\n int g = delinearized(linearG);\n int b = delinearized(linearB);\n return argbFromRgb(r, g, b);\n }\n /** Converts a color from XYZ to ARGB. */\n public static double[] xyzFromArgb(int argb) {\n double r = linearized(redFromArgb(argb));\n double g = linearized(greenFromArgb(argb));", "score": 0.8574115037918091 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " double b = linearized(blueFromArgb(argb));\n return MathUtils.matrixMultiply(new double[] {r, g, b}, SRGB_TO_XYZ);\n }\n /** Converts a color represented in Lab color space into an ARGB integer. */\n public static int argbFromLab(double l, double a, double b) {\n double[] whitePoint = WHITE_POINT_D65;\n double fy = (l + 16.0) / 116.0;\n double fx = a / 500.0 + fy;\n double fz = fy - b / 200.0;\n double xNormalized = labInvf(fx);", "score": 0.8560752868652344 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " * @param argb the ARGB representation of a color\n * @return a Lab object representing the color\n */\n public static double[] labFromArgb(int argb) {\n double linearR = linearized(redFromArgb(argb));\n double linearG = linearized(greenFromArgb(argb));\n double linearB = linearized(blueFromArgb(argb));\n double[][] matrix = SRGB_TO_XYZ;\n double x = matrix[0][0] * linearR + matrix[0][1] * linearG + matrix[0][2] * linearB;\n double y = matrix[1][0] * linearR + matrix[1][1] * linearG + matrix[1][2] * linearB;", "score": 0.8527305722236633 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.8514269590377808 }, { "filename": "m3color/src/main/java/com/kyant/m3color/utils/ColorUtils.java", "retrieved_chunk": " 0.05562093689691305, -0.20395524564742123, 1.0571799111220335,\n },\n };\n static final double[] WHITE_POINT_D65 = new double[] {95.047, 100.0, 108.883};\n /** Converts a color from RGB components to ARGB format. */\n public static int argbFromRgb(int red, int green, int blue) {\n return (255 << 24) | ((red & 255) << 16) | ((green & 255) << 8) | (blue & 255);\n }\n /** Converts a color from linear RGB components to ARGB format. */\n public static int argbFromLinrgb(double[] linrgb) {", "score": 0.8508259654045105 } ]
java
double redL = ColorUtils.linearized(red);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double
m = c * viewingConditions.getFlRoot();
double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9263651371002197 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.9147691130638123 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8715644478797913 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8650491237640381 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " static double hueOf(double[] linrgb) {\n double[] scaledDiscount = MathUtils.matrixMultiply(linrgb, SCALED_DISCOUNT_FROM_LINRGB);\n double rA = chromaticAdaptation(scaledDiscount[0]);\n double gA = chromaticAdaptation(scaledDiscount[1]);\n double bA = chromaticAdaptation(scaledDiscount[2]);\n // redness-greenness\n double a = (11.0 * rA + -12.0 * gA + bA) / 11.0;\n // yellowness-blueness\n double b = (rA + gA - 2.0 * bA) / 9.0;\n return Math.atan2(b, a);", "score": 0.8538550138473511 } ]
java
m = c * viewingConditions.getFlRoot();
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac /
viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ());
double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9166768789291382 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.8979443311691284 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8713238835334778 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8450901508331299 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.8449435234069824 } ]
java
viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ());
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.
pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9);
// CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); // CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.916409432888031 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.9048603773117065 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8464421033859253 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/Hct.java", "retrieved_chunk": " double[] viewedInVc = cam16.xyzInViewingConditions(vc, null);\n // 2. Create CAM16 of those XYZ coordinates in default VC.\n Cam16 recastInVc =\n Cam16.fromXyzInViewingConditions(\n viewedInVc[0], viewedInVc[1], viewedInVc[2], ViewingConditions.DEFAULT);\n // 3. Create HCT from:\n // - CAM16 using default VC with XYZ coordinates in specified VC.\n // - L* converted from Y in XYZ coordinates in specified VC.\n return Hct.from(\n recastInVc.getHue(), recastInVc.getChroma(), ColorUtils.lstarFromY(viewedInVc[1]));", "score": 0.842365562915802 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " hueDegrees = MathUtils.sanitizeDegreesDouble(hueDegrees);\n double hueRadians = hueDegrees / 180 * Math.PI;\n double y = ColorUtils.yFromLstar(lstar);\n int exactAnswer = findResultByJ(hueRadians, chroma, y);\n if (exactAnswer != 0) {\n return exactAnswer;\n }\n double[] linrgb = bisectToLimit(y, hueRadians);\n return ColorUtils.argbFromLinrgb(linrgb);\n }", "score": 0.8414046764373779 } ]
java
pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9);
/* * Copyright 2021 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ package com.kyant.m3color.hct; import static java.lang.Math.max; import com.kyant.m3color.utils.ColorUtils; /** * CAM16, a color appearance model. Colors are not just defined by their hex code, but rather, a hex * code and viewing conditions. * * <p>CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and should be used when * measuring distances between colors. * * <p>In traditional color spaces, a color can be identified solely by the observer's measurement of * the color. Color appearance models such as CAM16 also use information about the environment where * the color was observed, known as the viewing conditions. * * <p>For example, white under the traditional assumption of a midday sun white point is accurately * measured as a slightly chromatic blue by CAM16. (roughly, hue 203, chroma 3, lightness 100) */ public final class Cam16 { // Transforms XYZ color space coordinates to 'cone'/'RGB' responses in CAM16. static final double[][] XYZ_TO_CAM16RGB = { {0.401288, 0.650173, -0.051461}, {-0.250268, 1.204414, 0.045854}, {-0.002079, 0.048952, 0.953127} }; // Transforms 'cone'/'RGB' responses in CAM16 to XYZ color space coordinates. static final double[][] CAM16RGB_TO_XYZ = { {1.8620678, -1.0112547, 0.14918678}, {0.38752654, 0.62144744, -0.00897398}, {-0.01584150, -0.03412294, 1.0499644} }; // CAM16 color dimensions, see getters for documentation. private final double hue; private final double chroma; private final double j; private final double q; private final double m; private final double s; // Coordinates in UCS space. Used to determine color distance, like delta E equations in L*a*b*. private final double jstar; private final double astar; private final double bstar; // Avoid allocations during conversion by pre-allocating an array. private final double[] tempArray = new double[] {0.0, 0.0, 0.0}; /** * CAM16 instances also have coordinates in the CAM16-UCS space, called J*, a*, b*, or jstar, * astar, bstar in code. CAM16-UCS is included in the CAM16 specification, and is used to measure * distances between colors. */ double distance(Cam16 other) { double dJ = getJstar() - other.getJstar(); double dA = getAstar() - other.getAstar(); double dB = getBstar() - other.getBstar(); double dEPrime = Math.sqrt(dJ * dJ + dA * dA + dB * dB); double dE = 1.41 * Math.pow(dEPrime, 0.63); return dE; } /** Hue in CAM16 */ public double getHue() { return hue; } /** Chroma in CAM16 */ public double getChroma() { return chroma; } /** Lightness in CAM16 */ public double getJ() { return j; } /** * Brightness in CAM16. * * <p>Prefer lightness, brightness is an absolute quantity. For example, a sheet of white paper is * much brighter viewed in sunlight than in indoor light, but it is the lightest object under any * lighting. */ public double getQ() { return q; } /** * Colorfulness in CAM16. * * <p>Prefer chroma, colorfulness is an absolute quantity. For example, a yellow toy car is much * more colorful outside than inside, but it has the same chroma in both environments. */ public double getM() { return m; } /** * Saturation in CAM16. * * <p>Colorfulness in proportion to brightness. Prefer chroma, saturation measures colorfulness * relative to the color's own brightness, where chroma is colorfulness relative to white. */ public double getS() { return s; } /** Lightness coordinate in CAM16-UCS */ public double getJstar() { return jstar; } /** a* coordinate in CAM16-UCS */ public double getAstar() { return astar; } /** b* coordinate in CAM16-UCS */ public double getBstar() { return bstar; } /** * All of the CAM16 dimensions can be calculated from 3 of the dimensions, in the following * combinations: - {j or q} and {c, m, or s} and hue - jstar, astar, bstar Prefer using a static * method that constructs from 3 of those dimensions. This constructor is intended for those * methods to use to return all possible dimensions. * * @param hue for example, red, orange, yellow, green, etc. * @param chroma informally, colorfulness / color intensity. like saturation in HSL, except * perceptually accurate. * @param j lightness * @param q brightness; ratio of lightness to white point's lightness * @param m colorfulness * @param s saturation; ratio of chroma to white point's chroma * @param jstar CAM16-UCS J coordinate * @param astar CAM16-UCS a coordinate * @param bstar CAM16-UCS b coordinate */ private Cam16( double hue, double chroma, double j, double q, double m, double s, double jstar, double astar, double bstar) { this.hue = hue; this.chroma = chroma; this.j = j; this.q = q; this.m = m; this.s = s; this.jstar = jstar; this.astar = astar; this.bstar = bstar; } /** * Create a CAM16 color from a color, assuming the color was viewed in default viewing conditions. * * @param argb ARGB representation of a color. */ public static Cam16 fromInt(int argb) { return fromIntInViewingConditions(argb, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from a color in defined viewing conditions. * * @param argb ARGB representation of a color. * @param viewingConditions Information about the environment where the color was observed. */ // The RGB => XYZ conversion matrix elements are derived scientific constants. While the values // may differ at runtime due to floating point imprecision, keeping the values the same, and // accurate, across implementations takes precedence. @SuppressWarnings("FloatingPointLiteralPrecision") static Cam16 fromIntInViewingConditions(int argb, ViewingConditions viewingConditions) { // Transform ARGB int to XYZ int red = (argb & 0x00ff0000) >> 16; int green = (argb & 0x0000ff00) >> 8; int blue = (argb & 0x000000ff); double redL = ColorUtils.linearized(red); double greenL = ColorUtils.linearized(green); double blueL = ColorUtils.linearized(blue); double x = 0.41233895 * redL + 0.35762064 * greenL + 0.18051042 * blueL; double y = 0.2126 * redL + 0.7152 * greenL + 0.0722 * blueL; double z = 0.01932141 * redL + 0.11916382 * greenL + 0.95034478 * blueL; return fromXyzInViewingConditions(x, y, z, viewingConditions); } static Cam16 fromXyzInViewingConditions( double x, double y, double z, ViewingConditions viewingConditions) { // Transform XYZ to 'cone'/'rgb' responses double[][] matrix = XYZ_TO_CAM16RGB; double rT = (x * matrix[0][0]) + (y * matrix[0][1]) + (z * matrix[0][2]); double gT = (x * matrix[1][0]) + (y * matrix[1][1]) + (z * matrix[1][2]); double bT = (x * matrix[2][0]) + (y * matrix[2][1]) + (z * matrix[2][2]); // Discount illuminant double rD = viewingConditions.getRgbD()[0] * rT; double gD = viewingConditions.getRgbD()[1] * gT; double bD = viewingConditions.getRgbD()[2] * bT; // Chromatic adaptation double rAF = Math.pow(viewingConditions.getFl() * Math.abs(rD) / 100.0, 0.42); double gAF = Math.pow(viewingConditions.getFl() * Math.abs(gD) / 100.0, 0.42); double bAF = Math.pow(viewingConditions.getFl() * Math.abs(bD) / 100.0, 0.42); double rA = Math.signum(rD) * 400.0 * rAF / (rAF + 27.13); double gA = Math.signum(gD) * 400.0 * gAF / (gAF + 27.13); double bA = Math.signum(bD) * 400.0 * bAF / (bAF + 27.13); // redness-greenness double a = (11.0 * rA + -12.0 * gA + bA) / 11.0; // yellowness-blueness double b = (rA + gA - 2.0 * bA) / 9.0; // auxiliary components double u = (20.0 * rA + 20.0 * gA + 21.0 * bA) / 20.0; double p2 = (40.0 * rA + 20.0 * gA + bA) / 20.0; // hue double atan2 = Math.atan2(b, a); double atanDegrees = Math.toDegrees(atan2); double hue = atanDegrees < 0 ? atanDegrees + 360.0 : atanDegrees >= 360 ? atanDegrees - 360.0 : atanDegrees; double hueRadians = Math.toRadians(hue); // achromatic response to color double ac = p2 * viewingConditions.getNbb(); // CAM16 lightness and brightness double j = 100.0 * Math.pow( ac / viewingConditions.getAw(), viewingConditions.getC() * viewingConditions.getZ()); double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); // CAM16 chroma, colorfulness, and saturation. double huePrime = (hue < 20.14) ? hue + 360 : hue; double eHue = 0.25 * (Math.cos(Math.toRadians(huePrime) + 2.0) + 3.8); double p1 = 50000.0 / 13.0 * eHue * viewingConditions.getNc() * viewingConditions.getNcb(); double t = p1 * Math.hypot(a, b) / (u + 0.305); double alpha = Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73) * Math.pow(t, 0.9); // CAM16 chroma, colorfulness, saturation double c = alpha * Math.sqrt(j / 100.0); double m = c * viewingConditions.getFlRoot(); double s = 50.0 * Math.sqrt((
alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));
// CAM16-UCS components double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(hue, c, j, q, m, s, jstar, astar, bstar); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue */ static Cam16 fromJch(double j, double c, double h) { return fromJchInViewingConditions(j, c, h, ViewingConditions.DEFAULT); } /** * @param j CAM16 lightness * @param c CAM16 chroma * @param h CAM16 hue * @param viewingConditions Information about the environment where the color was observed. */ private static Cam16 fromJchInViewingConditions( double j, double c, double h, ViewingConditions viewingConditions) { double q = 4.0 / viewingConditions.getC() * Math.sqrt(j / 100.0) * (viewingConditions.getAw() + 4.0) * viewingConditions.getFlRoot(); double m = c * viewingConditions.getFlRoot(); double alpha = c / Math.sqrt(j / 100.0); double s = 50.0 * Math.sqrt((alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0)); double hueRadians = Math.toRadians(h); double jstar = (1.0 + 100.0 * 0.007) * j / (1.0 + 0.007 * j); double mstar = 1.0 / 0.0228 * Math.log1p(0.0228 * m); double astar = mstar * Math.cos(hueRadians); double bstar = mstar * Math.sin(hueRadians); return new Cam16(h, c, j, q, m, s, jstar, astar, bstar); } /** * Create a CAM16 color from CAM16-UCS coordinates. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. */ public static Cam16 fromUcs(double jstar, double astar, double bstar) { return fromUcsInViewingConditions(jstar, astar, bstar, ViewingConditions.DEFAULT); } /** * Create a CAM16 color from CAM16-UCS coordinates in defined viewing conditions. * * @param jstar CAM16-UCS lightness. * @param astar CAM16-UCS a dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the Y * axis. * @param bstar CAM16-UCS b dimension. Like a* in L*a*b*, it is a Cartesian coordinate on the X * axis. * @param viewingConditions Information about the environment where the color was observed. */ public static Cam16 fromUcsInViewingConditions( double jstar, double astar, double bstar, ViewingConditions viewingConditions) { double m = Math.hypot(astar, bstar); double m2 = Math.expm1(m * 0.0228) / 0.0228; double c = m2 / viewingConditions.getFlRoot(); double h = Math.atan2(bstar, astar) * (180.0 / Math.PI); if (h < 0.0) { h += 360.0; } double j = jstar / (1. - (jstar - 100.) * 0.007); return fromJchInViewingConditions(j, c, h, viewingConditions); } /** * ARGB representation of the color. Assumes the color was viewed in default viewing conditions, * which are near-identical to the default viewing conditions for sRGB. */ public int toInt() { return viewed(ViewingConditions.DEFAULT); } /** * ARGB representation of the color, in defined viewing conditions. * * @param viewingConditions Information about the environment where the color will be viewed. * @return ARGB representation of color */ int viewed(ViewingConditions viewingConditions) { double[] xyz = xyzInViewingConditions(viewingConditions, tempArray); return ColorUtils.argbFromXyz(xyz[0], xyz[1], xyz[2]); } double[] xyzInViewingConditions(ViewingConditions viewingConditions, double[] returnArray) { double alpha = (getChroma() == 0.0 || getJ() == 0.0) ? 0.0 : getChroma() / Math.sqrt(getJ() / 100.0); double t = Math.pow( alpha / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73), 1.0 / 0.9); double hRad = Math.toRadians(getHue()); double eHue = 0.25 * (Math.cos(hRad + 2.0) + 3.8); double ac = viewingConditions.getAw() * Math.pow(getJ() / 100.0, 1.0 / viewingConditions.getC() / viewingConditions.getZ()); double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb(); double p2 = (ac / viewingConditions.getNbb()); double hSin = Math.sin(hRad); double hCos = Math.cos(hRad); double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11.0 * t * hCos + 108.0 * t * hSin); double a = gamma * hCos; double b = gamma * hSin; double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0; double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0; double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0; double rCBase = max(0, (27.13 * Math.abs(rA)) / (400.0 - Math.abs(rA))); double rC = Math.signum(rA) * (100.0 / viewingConditions.getFl()) * Math.pow(rCBase, 1.0 / 0.42); double gCBase = max(0, (27.13 * Math.abs(gA)) / (400.0 - Math.abs(gA))); double gC = Math.signum(gA) * (100.0 / viewingConditions.getFl()) * Math.pow(gCBase, 1.0 / 0.42); double bCBase = max(0, (27.13 * Math.abs(bA)) / (400.0 - Math.abs(bA))); double bC = Math.signum(bA) * (100.0 / viewingConditions.getFl()) * Math.pow(bCBase, 1.0 / 0.42); double rF = rC / viewingConditions.getRgbD()[0]; double gF = gC / viewingConditions.getRgbD()[1]; double bF = bC / viewingConditions.getRgbD()[2]; double[][] matrix = CAM16RGB_TO_XYZ; double x = (rF * matrix[0][0]) + (gF * matrix[0][1]) + (bF * matrix[0][2]); double y = (rF * matrix[1][0]) + (gF * matrix[1][1]) + (bF * matrix[1][2]); double z = (rF * matrix[2][0]) + (gF * matrix[2][1]) + (bF * matrix[2][2]); if (returnArray != null) { returnArray[0] = x; returnArray[1] = y; returnArray[2] = z; return returnArray; } else { return new double[] {x, y, z}; } } }
m3color/src/main/java/com/kyant/m3color/hct/Cam16.java
Kyant0-m3color-eaa1e34
[ { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n double jNormalized = j / 100.0;\n double alpha = chroma == 0.0 || j == 0.0 ? 0.0 : chroma / Math.sqrt(jNormalized);\n double t = Math.pow(alpha * tInnerCoeff, 1.0 / 0.9);\n double ac =\n viewingConditions.getAw()\n * Math.pow(jNormalized, 1.0 / viewingConditions.getC() / viewingConditions.getZ());\n double p2 = ac / viewingConditions.getNbb();\n double gamma = 23.0 * (p2 + 0.305) * t / (23.0 * p1 + 11 * t * hCos + 108.0 * t * hSin);", "score": 0.9277642965316772 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " // Operations inlined from Cam16 to avoid repeated calculation\n // ===========================================================\n ViewingConditions viewingConditions = ViewingConditions.DEFAULT;\n double tInnerCoeff = 1 / Math.pow(1.64 - Math.pow(0.29, viewingConditions.getN()), 0.73);\n double eHue = 0.25 * (Math.cos(hueRadians + 2.0) + 3.8);\n double p1 = eHue * (50000.0 / 13.0) * viewingConditions.getNc() * viewingConditions.getNcb();\n double hSin = Math.sin(hueRadians);\n double hCos = Math.cos(hueRadians);\n for (int iterationRound = 0; iterationRound < 5; iterationRound++) {\n // ===========================================================", "score": 0.9255354404449463 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/HctSolver.java", "retrieved_chunk": " double a = gamma * hCos;\n double b = gamma * hSin;\n double rA = (460.0 * p2 + 451.0 * a + 288.0 * b) / 1403.0;\n double gA = (460.0 * p2 - 891.0 * a - 261.0 * b) / 1403.0;\n double bA = (460.0 * p2 - 220.0 * a - 6300.0 * b) / 1403.0;\n double rCScaled = inverseChromaticAdaptation(rA);\n double gCScaled = inverseChromaticAdaptation(gA);\n double bCScaled = inverseChromaticAdaptation(bA);\n double[] linrgb =\n MathUtils.matrixMultiply(", "score": 0.8617240190505981 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " };\n double k = 1.0 / (5.0 * adaptingLuminance + 1.0);\n double k4 = k * k * k * k;\n double k4F = 1.0 - k4;\n double fl = (k4 * adaptingLuminance) + (0.1 * k4F * k4F * Math.cbrt(5.0 * adaptingLuminance));\n double n = (ColorUtils.yFromLstar(backgroundLstar) / whitePoint[1]);\n double z = 1.48 + Math.sqrt(n);\n double nbb = 0.725 / Math.pow(n, 0.2);\n double ncb = nbb;\n double[] rgbAFactors =", "score": 0.8602266311645508 }, { "filename": "m3color/src/main/java/com/kyant/m3color/hct/ViewingConditions.java", "retrieved_chunk": " : MathUtils.lerp(0.525, 0.59, ((f - 0.8) * 10.0));\n double d =\n discountingIlluminant\n ? 1.0\n : f * (1.0 - ((1.0 / 3.6) * Math.exp((-adaptingLuminance - 42.0) / 92.0)));\n d = MathUtils.clampDouble(0.0, 1.0, d);\n double nc = f;\n double[] rgbD =\n new double[] {\n d * (100.0 / rW) + 1.0 - d, d * (100.0 / gW) + 1.0 - d, d * (100.0 / bW) + 1.0 - d", "score": 0.8537241816520691 } ]
java
alpha * viewingConditions.getC()) / (viewingConditions.getAw() + 4.0));