blob: 8f1b01c1abc8580adbbda8396898435993263df8 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
|
#include "color.hh"
#include "exception.hh"
#include "regex.hh"
#include <cstdio>
namespace Kakoune
{
bool is_color_name(StringView color)
{
return color == "default" or
color == "black" or
color == "red" or
color == "green" or
color == "yellow" or
color == "blue" or
color == "magenta" or
color == "cyan" or
color == "white";
}
Color str_to_color(StringView color)
{
if (color == "default") return Colors::Default;
if (color == "black") return Colors::Black;
if (color == "red") return Colors::Red;
if (color == "green") return Colors::Green;
if (color == "yellow") return Colors::Yellow;
if (color == "blue") return Colors::Blue;
if (color == "magenta") return Colors::Magenta;
if (color == "cyan") return Colors::Cyan;
if (color == "white") return Colors::White;
static const Regex rgb_regex{"rgb:[0-9a-fA-F]{6}"};
if (regex_match(color.begin(), color.end(), rgb_regex))
{
unsigned l;
sscanf(color.zstr() + 4, "%x", &l);
return { (unsigned char)((l >> 16) & 0xFF),
(unsigned char)((l >> 8) & 0xFF),
(unsigned char)(l & 0xFF) };
}
throw runtime_error("Unable to parse color '" + color + "'");
return Colors::Default;
}
String color_to_str(Color color)
{
switch (color.color)
{
case Colors::Default: return "default";
case Colors::Black: return "black";
case Colors::Red: return "red";
case Colors::Green: return "green";
case Colors::Yellow: return "yellow";
case Colors::Blue: return "blue";
case Colors::Magenta: return "magenta";
case Colors::Cyan: return "cyan";
case Colors::White: return "white";
case Colors::RGB:
{
char buffer[11];
sprintf(buffer, "rgb:%02x%02x%02x", color.r, color.g, color.b);
return buffer;
}
}
kak_assert(false);
return "default";
}
String option_to_string(Color color)
{
return color_to_str(color);
}
void option_from_string(StringView str, Color& color)
{
color = str_to_color(str);
}
}
|