-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathconvert.py
286 lines (232 loc) · 8.46 KB
/
convert.py
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
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
import re
import requests
from bs4 import BeautifulSoup
def parse(text):
# The document is not valid XML, so we need a more lenient parser than 'html.parser'
soup = BeautifulSoup(text, 'lxml')
display = []
for table in soup.find_all('table'):
section_name = table.find_previous_sibling('h3').find(class_='content').text
# Skip duplicate table
if table['id'] == 'key-table-media-controller-dup':
continue
# Mark legacy modifier keys as deprecated.
deprecated = table['id'] == 'key-table-modifier-legacy' or table['id'] == 'table-key-code-legacy-modifier'
for row in table.find('tbody').find_all('tr'):
[name, _required, typical_usage] = row.find_all('td')
name = name.text.strip().strip('"')
# Skip F keys here
if re.match(r'^F\d+$', name):
continue
# Strip <a> tags
for a in typical_usage.find_all('a'):
a.replace_with(a.text)
# Use the semantic `<kbd>` element instead.
for keycap in typical_usage.find_all(class_='keycap'):
kbd = soup.new_tag("kbd")
kbd.string = keycap.text
keycap.replace_with(kbd)
# Link to the relevant type.
for code in typical_usage.find_all(class_='code'):
text = code.text.strip().strip('"')
code.replace_with(f"[`{text}`][Code::{text}]")
for code in typical_usage.find_all(class_='key'):
text = code.text.strip().strip('"')
code.replace_with(f"[`{text}`][NamedKey::{text}]")
comment = re.sub(r"[ \t][ \t]+", "\n", typical_usage.decode_contents())
display.append([name, comment, deprecated, []])
return display
def emit_enum_entries(display, file):
for [key, doc_comment, deprecated, alternatives] in display:
for line in doc_comment.split('\n'):
line = line.strip()
if len(line) == 0:
continue
print(f" /// {line}", file=file)
if deprecated:
print(" #[deprecated = \"marked as legacy in the spec, use Meta instead\"]", file=file)
print(f" {key},", file=file)
def print_display_entries(display, file):
for [key, doc_comment, deprecated, alternatives] in display:
print(" {0} => f.write_str(\"{0}\"),".format(
key), file=file)
def print_from_str_entries(display, file):
for [key, doc_comment, deprecated, alternatives] in display:
print(" \"{0}\"".format(key), file=file, end='')
for alternative in alternatives:
print(" | \"{0}\"".format(alternative), file=file, end='')
print(" => Ok({0}),".format(key), file=file)
def add_comment_to(display, key, comment):
for (i, [found_key, doc_comment, deprecated, alternatives]) in enumerate(display):
if found_key != key:
continue
doc_comment = doc_comment + "\n" + comment
display[i] = [found_key, doc_comment, deprecated, alternatives]
def add_alternative_for(display, key, alternative):
for [found_key, doc_comment, deprecated, alternatives] in display:
if found_key != key:
continue
alternatives.append(alternative)
def convert_key(text, file):
print("""
// AUTO GENERATED CODE - DO NOT EDIT
#![cfg_attr(rustfmt, rustfmt_skip)]
#![allow(clippy::doc_markdown)]
#![allow(deprecated)]
use std::fmt::{self, Display};
use std::str::FromStr;
use std::error::Error;
/// Key represents the meaning of a keypress.
///
/// Specification:
/// <https://w3c.github.io/uievents-key/>
#[derive(Copy, Clone, Debug, Eq, PartialEq, Hash, PartialOrd, Ord)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
#[non_exhaustive]
pub enum NamedKey {""", file=file)
display = parse(text)
for i in range(1, 36):
display.append([
'F{}'.format(i),
'The F{0} key, a general purpose function key, as index {0}.'.format(i),
False,
[]
])
emit_enum_entries(display, file)
print("}", file=file)
print("""
impl Display for NamedKey {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
use self::NamedKey::*;
match *self {""", file=file)
print_display_entries(display, file)
print("""
}
}
}
impl FromStr for NamedKey {
type Err = UnrecognizedNamedKeyError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
use crate::NamedKey::*;
match s {""", file=file)
print_from_str_entries(display, file)
print("""
_ => Err(UnrecognizedNamedKeyError),
}
}
}
/// Parse from string error, returned when string does not match to any Key variant.
#[derive(Clone, Debug)]
pub struct UnrecognizedNamedKeyError;
impl fmt::Display for UnrecognizedNamedKeyError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "Unrecognized key")
}
}
impl Error for UnrecognizedNamedKeyError {}""", file=file)
def convert_code(text, file):
print("""
// AUTO GENERATED CODE - DO NOT EDIT
#![cfg_attr(rustfmt, rustfmt_skip)]
#![allow(clippy::doc_markdown)]
#![allow(deprecated)]
use std::fmt::{self, Display};
use std::str::FromStr;
use std::error::Error;
/// Code is the physical position of a key.
///
/// The names are based on the US keyboard. If the key
/// is not present on US keyboards a name from another
/// layout is used.
///
/// Specification:
/// <https://w3c.github.io/uievents-code/>
#[derive(Copy, Clone, Debug, Eq, PartialEq, Hash, PartialOrd, Ord)]
#[cfg_attr(feature = "serde", derive(serde::Serialize, serde::Deserialize))]
#[non_exhaustive]
pub enum Code {""", file=file)
display = parse(text)
for i in range(1, 36):
display.append([
'F{}'.format(i),
'<kbd>F{}</kbd>'.format(i),
False,
[]
])
chromium_key_codes = [
'BrightnessDown',
'BrightnessUp',
'DisplayToggleIntExt',
'KeyboardLayoutSelect',
'LaunchAssistant',
'LaunchControlPanel',
'LaunchScreenSaver',
'MailForward',
'MailReply',
'MailSend',
'MediaFastForward',
'MediaPause',
'MediaPlay',
'MediaRecord',
'MediaRewind',
'MicrophoneMuteToggle',
'PrivacyScreenToggle',
'KeyboardBacklightToggle',
'SelectTask',
'ShowAllWindows',
'ZoomToggle',
]
for chromium_only in chromium_key_codes:
display.append([
chromium_only,
'Non-standard code value supported by Chromium.',
False,
[]
])
add_comment_to(display, 'Backquote', 'This is also called a backtick or grave.')
add_comment_to(display, 'Quote', 'This is also called an apostrophe.')
add_alternative_for(display, 'MetaLeft', 'OSLeft')
add_alternative_for(display, 'MetaRight', 'OSRight')
add_alternative_for(display, 'AudioVolumeDown', 'VolumeDown')
add_alternative_for(display, 'AudioVolumeMute', 'VolumeMute')
add_alternative_for(display, 'AudioVolumeUp', 'VolumeUp')
add_alternative_for(display, 'MediaSelect', 'LaunchMediaPlayer')
emit_enum_entries(display, file)
print("}", file=file)
print("""
impl Display for Code {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
use self::Code::*;
match *self {""", file=file)
print_display_entries(display, file)
print("""
}
}
}
impl FromStr for Code {
type Err = UnrecognizedCodeError;
fn from_str(s: &str) -> Result<Self, Self::Err> {
use crate::Code::*;
match s {""", file=file)
print_from_str_entries(display, file)
print("""
_ => Err(UnrecognizedCodeError),
}
}
}
/// Parse from string error, returned when string does not match to any Code variant.
#[derive(Clone, Debug)]
pub struct UnrecognizedCodeError;
impl fmt::Display for UnrecognizedCodeError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(f, "Unrecognized code")
}
}
impl Error for UnrecognizedCodeError {}""", file=file)
if __name__ == '__main__':
input = requests.get('https://w3c.github.io/uievents-key/').text
with open('src/named_key.rs', 'w', encoding='utf-8') as output:
convert_key(input, output)
input = requests.get('https://w3c.github.io/uievents-code/').text
with open('src/code.rs', 'w', encoding='utf-8') as output:
convert_code(input, output)