forked from jaraco/cssutils
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathserialize.py
More file actions
1252 lines (1087 loc) · 41 KB
/
serialize.py
File metadata and controls
1252 lines (1087 loc) · 41 KB
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
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
"""cssutils serializer"""
__all__ = ['CSSSerializer', 'Preferences']
import codecs
import cssutils
from cssutils.helper import normalize
from . import helper
def _escapecss(e):
r"""
Escapes characters not allowed in the current encoding the CSS way
with a backslash followed by a uppercase hex code point
E.g. the german umlaut 'ä' is escaped as \E4
"""
s = e.object[e.start : e.end]
return (
''.join(
[r'\%s ' % str(hex(ord(x)))[2:].upper() for x in s] # remove 0x from hex
),
e.end,
)
codecs.register_error('escapecss', _escapecss)
class Preferences:
r"""Control output of CSSSerializer.
defaultAtKeyword = True
Should the literal @keyword from src CSS be used or the default
form, e.g. if ``True``: ``@import`` else: ``@i\mport``
defaultPropertyName = True
Should the normalized propertyname be used or the one given in
the src file, e.g. if ``True``: ``color`` else: ``c\olor``
Only used if ``keepAllProperties==False``.
defaultPropertyPriority = True
Should the normalized or literal priority be used, e.g. ``!important``
or ``!Im\portant``
importHrefFormat = None
Uses hreftype if ``None`` or format ``"URI"`` if ``'string'`` or
format ``url(URI)`` if ``'uri'``
indent = 4 * ' '
Indentation of e.g Properties inside a CSSStyleDeclaration
indentClosingBrace = True
Defines if closing brace of block is indented to match indentation
of the block (default) oder match indentation of selector.
indentSpecificities = False (**EXPERIMENTAL**)
Indent rules with subset of Selectors and higher Specitivity
keepAllProperties = True
If ``True`` all properties set in the original CSSStylesheet
are kept meaning even properties set twice with the exact same
same name are kept!
keepComments = True
If ``False`` removes all CSSComments
keepEmptyRules = False
defines if empty rules like e.g. ``a {}`` are kept in the resulting
serialized sheet
keepUnknownAtRules = True
defines if unknown @rules like e.g. ``@three-dee {}`` are kept in the
serialized sheet
keepUsedNamespaceRulesOnly = False
if True only namespace rules which are actually used are kept
lineNumbers = False
Only used if a complete CSSStyleSheet is serialized.
lineSeparator = u'\\n'
How to end a line. This may be set to e.g. u'' for serializing of
CSSStyleDeclarations usable in HTML style attribute.
listItemSpacer = u' '
string which is used in ``css.SelectorList``, ``css.CSSValue`` and
``stylesheets.MediaList`` after the comma
minimizeColorHash = True
defines if colorhash should be minimized from full size to shorthand
e.g minimize #FFFFFF to #FFF
normalizedVarNames = True
defines if variable names should be serialized normalized (they are
used as being normalized anyway)
omitLastSemicolon = True
If ``True`` omits ; after last property of CSSStyleDeclaration
omitLeadingZero = False
defines if values between -1 and 1 should omit the 0, like ``.5px``
paranthesisSpacer = u' '
string which is used before an opening paranthesis like in a
``css.CSSMediaRule`` or ``css.CSSStyleRule``
propertyNameSpacer = u' '
string which is used after a Property name colon
resolveVariables = True
if ``True`` all variable references are tried to resolved and
all CSSVariablesRules are removed from the output.
Any variable reference not resolvable is simply kept untouched.
selectorCombinatorSpacer = u' '
string which is used before and after a Selector combinator like +, > or ~.
CSSOM defines a single space for this which is also the default in cssutils.
spacer = u' '
general spacer, used e.g. by CSSUnknownRule
validOnly = False
if True only valid (Properties) are output
A Property is valid if it is a known Property with a valid value.
"""
def __init__(self, **initials):
"""Always use named instead of positional parameters."""
self.useDefaults()
for key, value in list(initials.items()):
if value:
self.__setattr__(key, value)
def __repr__(self):
return "cssutils.css.{}({})".format(
self.__class__.__name__,
', '.join([
f'\n {p}={self.__getattribute__(p)!r}' for p in self.__dict__
]),
)
def __str__(self):
return "<cssutils.css.{} object {} at 0x{:x}".format(
self.__class__.__name__,
' '.join([f'{p}={self.__getattribute__(p)!r}' for p in self.__dict__]),
id(self),
)
def useDefaults(self):
"Reset all preference options to their default value."
self.defaultAtKeyword = True
self.defaultPropertyName = True
self.defaultPropertyPriority = True
self.importHrefFormat = None
self.indent = 4 * ' '
self.indentClosingBrace = True
self.indentSpecificities = False
self.keepAllProperties = True
self.keepComments = True
self.keepEmptyRules = False
self.keepUnknownAtRules = True
self.keepUsedNamespaceRulesOnly = False
self.lineNumbers = False
self.lineSeparator = '\n'
self.listItemSpacer = ' '
self.minimizeColorHash = True
self.normalizedVarNames = True
self.omitLastSemicolon = True
self.omitLeadingZero = False
self.paranthesisSpacer = ' '
self.propertyNameSpacer = ' '
self.resolveVariables = True
self.selectorCombinatorSpacer = ' '
self.spacer = ' '
self.validOnly = False # should not be changed currently!!!
def useMinified(self):
"""Set options resulting in a minified stylesheet.
You may want to set preferences with this convenience method
and override specific settings you want adjusted afterwards.
"""
self.importHrefFormat = 'string'
self.indent = ''
self.keepComments = False
self.keepEmptyRules = False
self.keepUnknownAtRules = False
self.keepUsedNamespaceRulesOnly = True
self.lineNumbers = False
self.lineSeparator = ''
self.listItemSpacer = ''
self.minimizeColorHash = True
self.omitLastSemicolon = True
self.omitLeadingZero = True
self.paranthesisSpacer = ''
self.propertyNameSpacer = ''
self.selectorCombinatorSpacer = ''
self.spacer = ''
self.validOnly = False
class Out:
"""A simple class which makes appended items available as a combined string"""
def __init__(self, ser):
self.ser = ser
self.out = []
def _remove_last_if_S(self):
if self.out and not self.out[-1].strip():
# remove trailing S
del self.out[-1]
def append( # noqa: C901
self, val, type_=None, space=True, keepS=False, indent=False, alwaysS=False
):
"""Appends val. Adds a single S after each token except as follows:
- typ COMMENT
uses cssText depending on self.ser.prefs.keepComments
- typ "Property", cssutils.css.CSSRule.UNKNOWN_RULE
uses cssText
- typ STRING
escapes helper.string
- typ S
ignored except ``keepS=True``
- typ URI
calls helper.uri
- val ``{``
adds LF after
- val ``;``, typ 'styletext'
removes S before and adds LF after
- val ``, :``
removes S before
- val ``+ > ~``
encloses in prefs.selectorCombinatorSpacer
- some other vals
add ``*spacer`` except ``space=False``
"""
prefspace = self.ser.prefs.spacer
if val or type_ in ('STRING', 'URI'):
# PRE
if 'COMMENT' == type_:
if self.ser.prefs.keepComments:
val = val.cssText
else:
return
elif 'S' == type_ and not keepS:
return
elif 'S' == type_ and keepS:
val = ' '
elif 'STRING' == type_:
# may be empty but MUST not be None
if val is None:
return
val = helper.string(val)
if not prefspace:
self._remove_last_if_S()
elif 'URI' == type_:
val = helper.uri(val)
elif 'HASH' == type_:
val = self.ser._hash(val)
elif hasattr(val, 'cssText'):
val = val.cssText
elif hasattr(val, 'mediaText'):
val = val.mediaText
elif val in '+>~,:{;)]/=}' and not alwaysS:
self._remove_last_if_S()
# elif type_ in ('Property', cssutils.css.CSSRule.UNKNOWN_RULE):
# val = val.cssText
# elif type_ in ('NUMBER', 'DIMENSION', 'PERCENTAGE') and val == u'0':
# # remove sign + or - if value is zero
# # TODO: only for lenghts!
# if self.out and self.out[-1] in u'+-':
# del self.out[-1]
# APPEND
if indent or (val == '}' and self.ser.prefs.indentClosingBrace):
self.out.append(self.ser._indentblock(val, self.ser._level + 1))
else:
if val.endswith(' '):
self._remove_last_if_S()
self.out.append(val)
# POST
if alwaysS and val in '-+*/': # calc, */ not really but do anyway
self.out.append(' ')
elif val in '+>~': # enclose selector combinator
self.out.insert(-1, self.ser.prefs.selectorCombinatorSpacer)
self.out.append(self.ser.prefs.selectorCombinatorSpacer)
elif ')' == val and not keepS: # CHAR funcend
# TODO: pref?
self.out.append(' ')
elif ',' == val: # list
self.out.append(self.ser.prefs.listItemSpacer)
elif ':' == val: # prop
self.out.append(self.ser.prefs.propertyNameSpacer)
elif '{' == val: # block start
self.out.insert(-1, self.ser.prefs.paranthesisSpacer)
self.out.append(self.ser.prefs.lineSeparator)
elif ';' == val or 'styletext' == type_: # end or prop or block
self.out.append(self.ser.prefs.lineSeparator)
elif val not in '}[]()/=' and space and type_ != 'FUNCTION':
self.out.append(self.ser.prefs.spacer)
if (
type_ != 'STRING'
and not self.ser.prefs.spacer
and self.out
and not self.out[-1].endswith(' ')
):
self.out.append(' ')
def value(self, delim='', end=None, keepS=False):
"returns all items joined by delim"
if not keepS:
self._remove_last_if_S()
if end:
self.out.append(end)
return delim.join(self.out)
class CSSSerializer:
"""Serialize a CSSStylesheet and its parts.
To use your own serializing method the easiest is to subclass CSS
Serializer and overwrite the methods you like to customize.
"""
def __init__(self, prefs=None):
"""
:param prefs:
instance of Preferences
"""
if not prefs:
prefs = Preferences()
self.prefs = prefs
self._level = 0 # current nesting level
# TODO:
self._selectors = [] # holds SelectorList
self._selectorlevel = 0 # current specificity nesting level
def _atkeyword(self, rule):
"returns default or source atkeyword depending on prefs"
if self.prefs.defaultAtKeyword:
return rule.atkeyword # default
else:
return rule._keyword
def _indentblock(self, text, level):
"""
indent a block like a CSSStyleDeclaration to the given level
which may be higher than self._level (e.g. for CSSStyleDeclaration)
"""
if not self.prefs.lineSeparator:
return text
return self.prefs.lineSeparator.join([
f'{level * self.prefs.indent}{line}'
for line in text.split(self.prefs.lineSeparator)
])
def _propertyname(self, property, actual):
"""
used by all styledeclarations to get the propertyname used
dependent on prefs setting defaultPropertyName and
keepAllProperties
"""
if self.prefs.defaultPropertyName and not self.prefs.keepAllProperties:
return property.name
else:
return actual
def _linenumnbers(self, text):
if self.prefs.lineNumbers:
pad = len(str(text.count(self.prefs.lineSeparator) + 1))
out = []
for i, line in enumerate(text.split(self.prefs.lineSeparator)):
out.append(('%*i: %s') % (pad, i + 1, line))
text = self.prefs.lineSeparator.join(out)
return text
def _hash(self, val, type_=None):
"""
Short form of hash, e.g. #123 instead of #112233
"""
if (
self.prefs.minimizeColorHash
and len(val) == 7
and val[1] == val[2]
and val[3] == val[4]
and val[5] == val[6]
):
return f'#{val[1]}{val[3]}{val[5]}'
return val
def _valid(self, x):
"checks items valid property and prefs.validOnly"
return not self.prefs.validOnly or (self.prefs.validOnly and x.valid)
def do_CSSStyleSheet(self, stylesheet):
"""serializes a complete CSSStyleSheet"""
useduris = stylesheet._getUsedURIs()
out = []
for rule in stylesheet.cssRules:
if (
self.prefs.keepUsedNamespaceRulesOnly
and rule.NAMESPACE_RULE == rule.type
and rule.namespaceURI not in useduris
and (rule.prefix or None not in useduris)
):
continue
cssText = rule.cssText
if cssText:
out.append(cssText)
text = self._linenumnbers(self.prefs.lineSeparator.join(out))
# get encoding of sheet, defaults to UTF-8
try:
encoding = stylesheet.cssRules[0].encoding
except (IndexError, AttributeError):
encoding = 'UTF-8'
# TODO: py3 return b str but tests use unicode?
return text.encode(encoding, 'escapecss')
def do_CSSComment(self, rule):
"""
serializes CSSComment which consists only of commentText
"""
if rule._cssText and self.prefs.keepComments:
return rule._cssText
else:
return ''
def do_CSSCharsetRule(self, rule):
"""
serializes CSSCharsetRule
encoding: string
always @charset "encoding";
no comments or other things allowed!
"""
if rule.wellformed:
return '@charset %s;' % helper.string(rule.encoding)
else:
return ''
def do_CSSVariablesRule(self, rule):
"""
serializes CSSVariablesRule
media
TODO
variables
CSSStyleDeclaration
+ CSSComments
"""
variablesText = rule.variables.cssText
if variablesText and rule.wellformed and not self.prefs.resolveVariables:
out = Out(self)
out.append(self._atkeyword(rule))
for item in rule.seq:
# assume comments {
out.append(item.value, item.type)
out.append('{')
out.append(f'{variablesText}{self.prefs.lineSeparator}}}', indent=1)
return out.value()
else:
return ''
def do_CSSFontFaceRule(self, rule):
"""
serializes CSSFontFaceRule
style
CSSStyleDeclaration
+ CSSComments
"""
styleText = self.do_css_CSSStyleDeclaration(rule.style)
if styleText and rule.wellformed:
out = Out(self)
out.append(self._atkeyword(rule))
for item in rule.seq:
# assume comments {
out.append(item.value, item.type)
out.append('{')
out.append(f'{styleText}{self.prefs.lineSeparator}}}', indent=1)
return out.value()
else:
return ''
def do_CSSImportRule(self, rule):
"""
serializes CSSImportRule
href
string
media
optional cssutils.stylesheets.medialist.MediaList
name
optional string
+ CSSComments
"""
if rule.wellformed:
out = Out(self)
out.append(self._atkeyword(rule))
for item in rule.seq:
type_, val = item.type, item.value
if 'href' == type_:
# "href" or url(href)
if self.prefs.importHrefFormat == 'string' or (
self.prefs.importHrefFormat != 'uri'
and rule.hreftype == 'string'
):
out.append(val, 'STRING')
else:
out.append(val, 'URI')
elif 'media' == type_:
# media
mediaText = self.do_stylesheets_medialist(val)
if mediaText and mediaText != 'all':
out.append(mediaText)
elif 'name' == type_:
out.append(val, 'STRING')
else:
out.append(val, type_)
return out.value(end=';')
else:
return ''
def do_CSSNamespaceRule(self, rule):
"""
serializes CSSNamespaceRule
uri
string
prefix
string
+ CSSComments
"""
if rule.wellformed:
out = Out(self)
out.append(self._atkeyword(rule))
for item in rule.seq:
type_, val = item.type, item.value
if 'namespaceURI' == type_:
out.append(val, 'STRING')
else:
out.append(val, type_)
return out.value(end=';')
else:
return ''
def do_CSSMediaRule(self, rule):
"""
serializes CSSMediaRule
+ CSSComments
"""
# TODO: use Out()?
# mediaquery
if not rule.media.wellformed:
return ''
# @media
out = [self._atkeyword(rule)]
if not len(self.prefs.spacer):
# for now always with space as only webkit supports @mediaall?
out.append(' ')
else:
out.append(self.prefs.spacer) # might be empty
out.append(self.do_stylesheets_medialist(rule.media))
# name, seq contains content after name only (Comments)
if rule.name:
out.append(self.prefs.spacer)
nameout = Out(self)
nameout.append(helper.string(rule.name))
for item in rule.seq:
nameout.append(item.value, item.type)
out.append(nameout.value())
# {
out.append(self.prefs.paranthesisSpacer)
out.append('{')
out.append(self.prefs.lineSeparator)
# rules
rulesout = []
for r in rule.cssRules:
rtext = r.cssText
if rtext:
# indent each line of cssText
rulesout.append(self._indentblock(rtext, self._level + 1))
rulesout.append(self.prefs.lineSeparator)
if not self.prefs.keepEmptyRules and not ''.join(rulesout).strip():
return ''
out.extend(rulesout)
# }
out.append(
'%s}'
% ((self._level + int(self.prefs.indentClosingBrace)) * self.prefs.indent)
)
return ''.join(out)
def do_CSSPageRule(self, rule):
"""
serializes CSSPageRule
selectorText
string
style
CSSStyleDeclaration
cssRules
CSSRuleList of MarginRule objects
+ CSSComments
"""
# rules
rulesout = []
for r in rule.cssRules:
rtext = r.cssText
if rtext:
rulesout.append(rtext)
rulesout.append(self.prefs.lineSeparator)
rulesText = ''.join(rulesout) # .strip()
# omit semicolon only if no MarginRules
styleText = self.do_css_CSSStyleDeclaration(rule.style, omit=not rulesText)
if (styleText or rulesText) and rule.wellformed:
out = Out(self)
out.append(self._atkeyword(rule))
out.append(rule.selectorText)
out.append('{')
if styleText:
if not rulesText:
out.append(f'{styleText}{self.prefs.lineSeparator}', indent=1)
else:
out.append(styleText, type_='styletext', indent=1, space=False)
if rulesText:
out.append(rulesText, indent=1)
# ?
self._level -= 1
out.append('}')
self._level += 1
return out.value()
else:
return ''
def do_CSSPageRuleSelector(self, seq):
"Serialize selector of a CSSPageRule"
out = Out(self)
for item in seq:
if item.type == 'IDENT':
out.append(item.value, item.type, space=False)
else:
out.append(item.value, item.type)
return out.value()
def do_MarginRule(self, rule):
"""
serializes MarginRule
atkeyword
string
style
CSSStyleDeclaration
+ CSSComments
"""
# might not be set at all?!
if rule.atkeyword:
styleText = self.do_css_CSSStyleDeclaration(rule.style)
if styleText and rule.wellformed:
out = Out(self)
# # use seq but styledecl missing
# for item in rule.seq:
# if item.type == 'ATKEYWORD':
# # move logic to Out
# out.append(self._atkeyword(rule), type_=item.type)
# else:
# print type_, val
# out.append(item.value, item.type)
# return out.value()
# ok for now:
out.append(self._atkeyword(rule), type_='ATKEYWORD')
out.append('{')
out.append(
'%s%s'
% (
self._indentblock(styleText, self._level + 1),
self.prefs.lineSeparator,
)
)
out.append('}')
return out.value()
return ''
def do_CSSUnknownRule(self, rule):
"""
serializes CSSUnknownRule
anything until ";" or "{...}"
+ CSSComments
"""
if rule.wellformed and self.prefs.keepUnknownAtRules:
out = Out(self)
out.append(rule.atkeyword)
stacks = []
for item in rule.seq:
type_, val = item.type, item.value
# PRE
if '}' == val:
# close last open item on stack
stackblock = stacks.pop().value()
if stackblock:
val = self._indentblock(
stackblock + self.prefs.lineSeparator + val,
min(1, len(stacks) + 1),
)
else:
val = self._indentblock(val, min(1, len(stacks) + 1))
# APPEND
if stacks:
stacks[-1].append(val, type_)
else:
out.append(val, type_)
# POST
if '{' == val:
# new stack level
stacks.append(Out(self))
return out.value()
else:
return ''
def do_CSSStyleRule(self, rule):
"""
serializes CSSStyleRule
selectorList
style
+ CSSComments
"""
# TODO: use Out()
# prepare for element nested rules
# TODO: sort selectors!
if self.prefs.indentSpecificities:
# subselectorlist?
elements = {s.element for s in rule.selectorList}
specitivities = [s.specificity for s in rule.selectorList]
for selector in self._selectors:
lastelements = {s.element for s in selector}
if elements.issubset(lastelements):
# higher specificity?
lastspecitivities = [s.specificity for s in selector]
if specitivities > lastspecitivities:
self._selectorlevel += 1
break
elif self._selectorlevel > 0:
self._selectorlevel -= 1
else:
# save new reference
self._selectors.append(rule.selectorList)
self._selectorlevel = 0
# TODO ^ RESOLVE!!!!
selectorText = self.do_css_SelectorList(rule.selectorList)
if not selectorText or not rule.wellformed:
return ''
self._level += 1
styleText = ''
try:
styleText = self.do_css_CSSStyleDeclaration(rule.style)
finally:
self._level -= 1
if not styleText:
if self.prefs.keepEmptyRules:
return f'{selectorText}{self.prefs.paranthesisSpacer}{{}}'
else:
return self._indentblock(
'%s%s{%s%s%s%s}'
% (
selectorText,
self.prefs.paranthesisSpacer,
self.prefs.lineSeparator,
self._indentblock(styleText, self._level + 1),
self.prefs.lineSeparator,
(self._level + int(self.prefs.indentClosingBrace))
* self.prefs.indent,
),
self._selectorlevel,
)
def do_css_SelectorList(self, selectorlist):
"comma-separated list of Selectors"
# does not need Out() as it is too simple
if selectorlist.wellformed:
out = []
for part in selectorlist.seq:
if isinstance(part, cssutils.css.Selector):
out.append(part.selectorText)
else:
out.append(part) # should not happen
sep = ',%s' % self.prefs.listItemSpacer
return sep.join(out)
else:
return ''
def do_css_Selector(self, selector):
"""
a single Selector including comments
an element has syntax (namespaceURI, name) where namespaceURI may be:
- cssutils._ANYNS => ``*|name``
- None => ``name``
- u'' => ``|name``
- any other value: => ``prefix|name``
"""
if selector.wellformed:
out = Out(self)
DEFAULTURI = selector._namespaces.get('', None)
for item in selector.seq:
type_, val = item.type, item.value
if isinstance(val, tuple):
# namespaceURI|name (element or attribute)
namespaceURI, name = val
if DEFAULTURI == namespaceURI or (
not DEFAULTURI and namespaceURI is None
):
out.append(name, type_, space=False)
else:
if namespaceURI == cssutils._ANYNS:
prefix = '*'
else:
try:
prefix = selector._namespaces.prefixForNamespaceURI(
namespaceURI
)
except IndexError:
prefix = ''
out.append(f'{prefix}|{name}', type_, space=False)
else:
out.append(val, type_, space=False, keepS=True)
return out.value()
else:
return ''
def do_css_CSSVariablesDeclaration(self, variables):
"""Variables of CSSVariableRule."""
if len(variables.seq) > 0:
out = Out(self)
lastitem = len(variables.seq) - 1
for i, item in enumerate(variables.seq):
type_, val = item.type, item.value
if 'var' == type_:
name, cssvalue = val
if self.prefs.normalizedVarNames:
name = normalize(name)
out.append(name)
out.append(':')
out.append(cssvalue.cssText)
if i < lastitem or not self.prefs.omitLastSemicolon:
out.append(';')
elif isinstance(val, cssutils.css.CSSComment):
# CSSComment
out.append(val, 'COMMENT')
out.append(self.prefs.lineSeparator)
else:
out.append(val.cssText, type_)
out.append(self.prefs.lineSeparator)
return out.value().strip()
else:
return ''
def do_css_CSSStyleDeclaration( # noqa: C901
self, style, separator=None, omit=True
):
"""
Style declaration of CSSStyleRule
"""
# TODO: use Out()
# may be comments only
if len(style.seq) > 0:
if separator is None:
separator = self.prefs.lineSeparator
if self.prefs.keepAllProperties:
# all
seq = style.seq
else:
# only effective ones
_effective = style.getProperties()
seq = [
item
for item in style.seq
if (
isinstance(item.value, cssutils.css.Property)
and item.value in _effective
)
or not isinstance(item.value, cssutils.css.Property)
]
out = []
omitLastSemicolon = omit and self.prefs.omitLastSemicolon
for i, item in enumerate(seq):
val = item.value
if isinstance(val, cssutils.css.CSSComment):
# CSSComment
if self.prefs.keepComments:
out.append(val.cssText)
out.append(separator)
elif isinstance(val, cssutils.css.Property):
# PropertySimilarNameList
if val.cssText:
out.append(val.cssText)
if not (omitLastSemicolon and i == len(seq) - 1):
out.append(';')
out.append(separator)
elif isinstance(val, cssutils.css.CSSUnknownRule):
# @rule
out.append(val.cssText)
out.append(separator)
else:
# ?
out.append(val)
out.append(separator)
if out and out[-1] == separator:
del out[-1]
return ''.join(out)
else:
return ''
def do_Property(self, property):
"""
Style declaration of CSSStyleRule
Property has a seqs attribute which contains seq lists for
name, a CSSvalue and a seq list for priority
"""
# TODO: use Out()
out = []
if property.seqs[0] and property.wellformed and self._valid(property):
nameseq, value, priorityseq = property.seqs
# name
for part in nameseq:
if hasattr(part, 'cssText'):
out.append(part.cssText)
elif property.literalname == part:
out.append(self._propertyname(property, part))
else:
out.append(part)
if out and (
not property._mediaQuery or property._mediaQuery and value.cssText
):
# MediaQuery may consist of name only
out.append(':')
out.append(self.prefs.propertyNameSpacer)
# value
out.append(value.cssText)
# priority
if out and priorityseq:
out.append(' ')
for part in priorityseq:
if hasattr(part, 'cssText'): # comments
out.append(part.cssText)
else:
if (