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 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407
|
from fontTools.misc.loggingTools import CapturingLogHandler
from fontTools.feaLib.builder import (
Builder,
addOpenTypeFeatures,
addOpenTypeFeaturesFromString,
)
from fontTools.feaLib.error import FeatureLibError
from fontTools.ttLib import TTFont, newTable
from fontTools.feaLib.parser import Parser
from fontTools.feaLib import ast
from fontTools.feaLib.lexer import Lexer
from fontTools.fontBuilder import addFvar
import difflib
from io import StringIO
from textwrap import dedent
import os
import re
import shutil
import sys
import tempfile
import logging
import unittest
import warnings
def makeTTFont():
glyphs = """
.notdef space slash fraction semicolon period comma ampersand
quotedblleft quotedblright quoteleft quoteright
zero one two three four five six seven eight nine
zero.oldstyle one.oldstyle two.oldstyle three.oldstyle
four.oldstyle five.oldstyle six.oldstyle seven.oldstyle
eight.oldstyle nine.oldstyle onequarter onehalf threequarters
onesuperior twosuperior threesuperior ordfeminine ordmasculine
A B C D E F G H I J K L M N O P Q R S T U V W X Y Z
a b c d e f g h i j k l m n o p q r s t u v w x y z
A.sc B.sc C.sc D.sc E.sc F.sc G.sc H.sc I.sc J.sc K.sc L.sc M.sc
N.sc O.sc P.sc Q.sc R.sc S.sc T.sc U.sc V.sc W.sc X.sc Y.sc Z.sc
A.alt1 A.alt2 A.alt3 B.alt1 B.alt2 B.alt3 C.alt1 C.alt2 C.alt3
a.alt1 a.alt2 a.alt3 a.end b.alt c.mid d.alt d.mid
e.begin e.mid e.end m.begin n.end s.end z.end
Eng Eng.alt1 Eng.alt2 Eng.alt3
A.swash B.swash C.swash D.swash E.swash F.swash G.swash H.swash
I.swash J.swash K.swash L.swash M.swash N.swash O.swash P.swash
Q.swash R.swash S.swash T.swash U.swash V.swash W.swash X.swash
Y.swash Z.swash
f_l c_h c_k c_s c_t f_f f_f_i f_f_l f_i o_f_f_i s_t f_i.begin
a_n_d T_h T_h.swash germandbls ydieresis yacute breve
grave acute dieresis macron circumflex cedilla umlaut ogonek caron
damma hamza sukun kasratan lam_meem_jeem noon.final noon.initial
by feature lookup sub table uni0327 uni0328 e.fina
idotbelow idotless iogonek acutecomb brevecomb ogonekcomb dotbelowcomb
""".split()
glyphs.extend("cid{:05d}".format(cid) for cid in range(800, 1001 + 1))
font = TTFont()
font.setGlyphOrder(glyphs)
return font
class BuilderTest(unittest.TestCase):
# Feature files in data/*.fea; output gets compared to data/*.ttx.
TEST_FEATURE_FILES = """
Attach cid_range enum markClass language_required
GlyphClassDef LigatureCaretByIndex LigatureCaretByPos
lookup lookupflag feature_aalt ignore_pos
GPOS_1 GPOS_1_zero GPOS_2 GPOS_2b GPOS_3 GPOS_4 GPOS_5 GPOS_6 GPOS_8
GSUB_2 GSUB_3 GSUB_6 GSUB_8
spec4h1 spec4h2 spec5d1 spec5d2 spec5fi1 spec5fi2 spec5fi3 spec5fi4
spec5f_ii_1 spec5f_ii_2 spec5f_ii_3 spec5f_ii_4
spec5h1 spec6b_ii spec6d2 spec6e spec6f
spec6h_ii spec6h_iii_1 spec6h_iii_3d spec8a spec8a_2 spec8b spec8c spec8d
spec9a spec9a2 spec9b spec9c1 spec9c2 spec9c3 spec9d spec9e spec9f
spec9g spec10
bug453 bug457 bug463 bug501 bug502 bug504 bug505 bug506 bug509
bug512 bug514 bug568 bug633 bug1307 bug1459 bug2276 variable_bug2772
name size size2 multiple_feature_blocks omitted_GlyphClassDef
ZeroValue_SinglePos_horizontal ZeroValue_SinglePos_vertical
ZeroValue_PairPos_horizontal ZeroValue_PairPos_vertical
ZeroValue_ChainSinglePos_horizontal ZeroValue_ChainSinglePos_vertical
PairPosSubtable ChainSubstSubtable SubstSubtable ChainPosSubtable
LigatureSubtable AlternateSubtable MultipleSubstSubtable
SingleSubstSubtable aalt_chain_contextual_subst AlternateChained
MultipleLookupsPerGlyph MultipleLookupsPerGlyph2 GSUB_6_formats
GSUB_5_formats delete_glyph STAT_test STAT_test_elidedFallbackNameID
variable_scalar_valuerecord variable_scalar_anchor variable_conditionset
variable_mark_anchor duplicate_lookup_reference
contextual_inline_multi_sub_format_2
contextual_inline_format_4
duplicate_language_stmt
CursivePosSubtable
MarkBasePosSubtable
MarkLigPosSubtable
MarkMarkPosSubtable
single_pos_NULL
class_pair_pos_duplicates
useExtension
bug3846_1 bug3846_2
empty_filter_sets_and_mark_classes
combo_mult_and_lig_sub
identical_feature_lookups
""".split()
VARFONT_AXES = [
("wght", 200, 200, 1000, "Weight"),
("wdth", 100, 100, 200, "Width"),
]
def __init__(self, methodName):
unittest.TestCase.__init__(self, methodName)
# Python 3 renamed assertRaisesRegexp to assertRaisesRegex,
# and fires deprecation warnings if a program uses the old name.
if not hasattr(self, "assertRaisesRegex"):
self.assertRaisesRegex = self.assertRaisesRegexp
def setUp(self):
self.tempdir = None
self.num_tempfiles = 0
def tearDown(self):
if self.tempdir:
shutil.rmtree(self.tempdir)
@staticmethod
def getpath(testfile):
path, _ = os.path.split(__file__)
return os.path.join(path, "data", testfile)
def temp_path(self, suffix):
if not self.tempdir:
self.tempdir = tempfile.mkdtemp()
self.num_tempfiles += 1
return os.path.join(self.tempdir, "tmp%d%s" % (self.num_tempfiles, suffix))
def read_ttx(self, path):
lines = []
with open(path, "r", encoding="utf-8") as ttx:
for line in ttx.readlines():
# Elide ttFont attributes because ttLibVersion may change.
if line.startswith("<ttFont "):
lines.append("<ttFont>\n")
else:
lines.append(line.rstrip() + "\n")
return lines
def expect_ttx(self, font, expected_ttx, replace=None):
path = self.temp_path(suffix=".ttx")
font.saveXML(
path,
tables=[
"head",
"name",
"BASE",
"GDEF",
"GSUB",
"GPOS",
"OS/2",
"STAT",
"hhea",
"vhea",
],
)
actual = self.read_ttx(path)
expected = self.read_ttx(expected_ttx)
if replace:
for i in range(len(expected)):
for k, v in replace.items():
expected[i] = expected[i].replace(k, v)
if actual != expected:
for line in difflib.unified_diff(
expected, actual, fromfile=expected_ttx, tofile=path
):
sys.stderr.write(line)
self.fail("TTX output is different from expected")
def build(self, featureFile, tables=None):
font = makeTTFont()
addOpenTypeFeaturesFromString(font, featureFile, tables=tables)
return font
def check_feature_file(self, name):
font = makeTTFont()
if name.startswith("variable_"):
font["name"] = newTable("name")
addFvar(font, self.VARFONT_AXES, [])
del font["name"]
feapath = self.getpath("%s.fea" % name)
addOpenTypeFeatures(font, feapath)
self.expect_ttx(font, self.getpath("%s.ttx" % name))
# Check that:
# 1) tables do compile (only G* tables as long as we have a mock font)
# 2) dumping after save-reload yields the same TTX dump as before
for tag in ("GDEF", "GSUB", "GPOS"):
if tag in font:
data = font[tag].compile(font)
font[tag].decompile(data, font)
self.expect_ttx(font, self.getpath("%s.ttx" % name))
# Optionally check a debug dump.
debugttx = self.getpath("%s-debug.ttx" % name)
if os.path.exists(debugttx):
addOpenTypeFeatures(font, feapath, debug=True)
self.expect_ttx(font, debugttx, replace={"__PATH__": feapath})
def check_fea2fea_file(self, name, base=None, parser=Parser):
font = makeTTFont()
fname = (name + ".fea") if "." not in name else name
p = parser(self.getpath(fname), glyphNames=font.getGlyphOrder())
doc = p.parse()
actual = self.normal_fea(doc.asFea().split("\n"))
with open(self.getpath(base or fname), "r", encoding="utf-8") as ofile:
expected = self.normal_fea(ofile.readlines())
if expected != actual:
fname = name.rsplit(".", 1)[0] + ".fea"
for line in difflib.unified_diff(
expected,
actual,
fromfile=fname + " (expected)",
tofile=fname + " (actual)",
):
sys.stderr.write(line + "\n")
self.fail(
"Fea2Fea output is different from expected. "
"Generated:\n{}\n".format("\n".join(actual))
)
def normal_fea(self, lines):
output = []
skip = 0
for l in lines:
l = l.strip()
if l.startswith("#test-fea2fea:"):
if len(l) > 15:
output.append(l[15:].strip())
skip = 1
x = l.find("#")
if x >= 0:
l = l[:x].strip()
if not len(l):
continue
if skip > 0:
skip = skip - 1
continue
output.append(l)
return output
def make_mock_vf(self):
font = makeTTFont()
font["name"] = newTable("name")
addFvar(font, self.VARFONT_AXES, [])
del font["name"]
return font
@staticmethod
def get_region(var_region_axis):
return (
var_region_axis.StartCoord,
var_region_axis.PeakCoord,
var_region_axis.EndCoord,
)
def test_alternateSubst_multipleSubstitutionsForSameGlyph(self):
self.assertRaisesRegex(
FeatureLibError,
'Already defined alternates for glyph "A"',
self.build,
"feature test {"
" sub A from [A.alt1 A.alt2];"
" sub B from [B.alt1 B.alt2 B.alt3];"
" sub A from [A.alt1 A.alt2];"
"} test;",
)
def test_singleSubst_multipleIdenticalSubstitutionsForSameGlyph_info(self):
logger = logging.getLogger("fontTools.feaLib.builder")
with CapturingLogHandler(logger, "INFO") as captor:
self.build(
"feature test {"
" sub A by A.sc;"
" sub B by B.sc;"
" sub A by A.sc;"
"} test;"
)
captor.assertRegex('Removing duplicate substitution from "A" to "A.sc"')
def test_multipleSubst_multipleSubstitutionsForSameGlyph(self):
self.assertRaisesRegex(
FeatureLibError,
'Already defined substitution for "f_f_i"',
self.build,
"feature test {"
" sub f_f_i by f f i;"
" sub c_t by c t;"
" sub f_f_i by f_f i;"
"} test;",
)
def test_multipleSubst_multipleIdenticalSubstitutionsForSameGlyph_info(self):
logger = logging.getLogger("fontTools.feaLib.builder")
with CapturingLogHandler(logger, "INFO") as captor:
self.build(
"feature test {"
" sub f_f_i by f f i;"
" sub c_t by c t;"
" sub f_f_i by f f i;"
"} test;"
)
captor.assertRegex('Removing duplicate substitution from "f_f_i" to "f, f, i"')
def test_mixed_singleSubst_multipleSubst(self):
font = self.build(
"lookup test {"
" sub f_f by f f;"
" sub f by f;"
" sub f_f_i by f f i;"
" sub [A A.sc] by A;"
" sub [B B.sc] by [B B.sc];"
"} test;"
)
assert "GSUB" in font
st = font["GSUB"].table.LookupList.Lookup[0].SubTable[0]
self.assertEqual(st.LookupType, 2)
self.assertEqual(
st.mapping,
{
"f_f": ("f", "f"),
"f": ("f",),
"f_f_i": ("f", "f", "i"),
"A": ("A",),
"A.sc": ("A",),
"B": ("B",),
"B.sc": ("B.sc",),
},
)
def test_mixed_singleSubst_multipleSubst_aalt(self):
font = self.build(
dedent(
"""
feature aalt {
feature ccmp;
} aalt;
feature ccmp {
sub f_f by f f;
sub f by f;
sub f_f_i by f f i;
sub [A A.sc] by A;
sub [B B.sc] by [B B.sc];
} ccmp;
"""
)
)
assert "GSUB" in font
st = font["GSUB"].table.LookupList.Lookup[0].SubTable[0]
self.assertEqual(st.LookupType, 1)
self.assertEqual(
st.mapping,
{
"A": "A",
"A.sc": "A",
"B": "B",
"B.sc": "B.sc",
"f": "f",
},
)
def test_mixed_singleSubst_ligatureSubst(self):
font = self.build(
"lookup test {"
" sub f f by f_f;"
" sub f f i by f_f_i;"
" sub A by A.sc;"
"} test;"
)
assert "GSUB" in font
st = font["GSUB"].table.LookupList.Lookup[0].SubTable[0]
self.assertEqual(st.LookupType, 4)
self.assertEqual(len(st.ligatures), 2)
self.assertEqual(len(st.ligatures["f"]), 2)
self.assertEqual(st.ligatures["f"][0].LigGlyph, "f_f_i")
self.assertEqual(len(st.ligatures["f"][0].Component), 2)
self.assertEqual(st.ligatures["f"][0].Component[0], "f")
self.assertEqual(st.ligatures["f"][0].Component[1], "i")
self.assertEqual(st.ligatures["f"][1].LigGlyph, "f_f")
self.assertEqual(len(st.ligatures["f"][1].Component), 1)
self.assertEqual(st.ligatures["f"][1].Component[0], "f")
self.assertEqual(len(st.ligatures["A"]), 1)
self.assertEqual(st.ligatures["A"][0].LigGlyph, "A.sc")
self.assertEqual(len(st.ligatures["A"][0].Component), 0)
def test_mixed_singleSubst_ligatureSubst_aalt(self):
font = self.build(
dedent(
"""
feature aalt {
feature liga;
} aalt;
feature liga {
sub f f by f_f;
sub f f i by f_f_i;
sub A by A.sc;
} liga;
"""
)
)
assert "GSUB" in font
st = font["GSUB"].table.LookupList.Lookup[0].SubTable[0]
self.assertEqual(st.LookupType, 1)
self.assertEqual(st.mapping, {"A": "A.sc"})
def test_mixed_singleSubst_multipleSubst_ligatureSubst_named_lookup(self):
self.assertRaisesRegex(
FeatureLibError,
"Within a named lookup block, all rules must be of the "
"same lookup type and flag",
self.build,
"lookup test {"
" sub A by A.sc;"
" sub f_f by f f;"
" sub f f i by f_f_i;"
"} test;",
)
def test_mixed_singleSubst_multipleSubst_ligatureSubst_feature(self):
font = self.build(
dedent(
"""
feature test {
sub A by A.sc;
sub f_f by f f;
sub f f i by f_f_i;
} test;
"""
)
)
assert "GSUB" in font
lookups = font["GSUB"].table.LookupList.Lookup
self.assertEqual(len(lookups), 2)
st = lookups[0].SubTable[0]
# first should get promoted to multi
self.assertEqual(st.LookupType, 2)
self.assertEqual(st.mapping, {"A": ("A.sc",), "f_f": ("f", "f")})
# st = lookups[1].SubTable[0]
# self.assertEqual(st.LookupType, 2)
# self.assertEqual(st.mapping, {"f_f": ("f", "f")})
st = lookups[1].SubTable[0]
self.assertEqual(st.LookupType, 4)
self.assertEqual(len(st.ligatures), 1)
self.assertEqual(len(st.ligatures["f"]), 1)
self.assertEqual(st.ligatures["f"][0].LigGlyph, "f_f_i")
features = font["GSUB"].table.FeatureList.FeatureRecord
self.assertEqual(len(features), 1)
feat = features[0].Feature
self.assertEqual(feat.LookupListIndex, [0, 1])
def test_pairPos_redefinition_warning(self):
# https://github.com/fonttools/fonttools/issues/1147
logger = logging.getLogger("fontTools.otlLib.builder")
with CapturingLogHandler(logger, "DEBUG") as captor:
# the pair "yacute semicolon" is redefined in the enum pos
font = self.build(
"@Y_LC = [y yacute ydieresis];"
"@SMALL_PUNC = [comma semicolon period];"
"feature kern {"
" pos yacute semicolon -70;"
" enum pos @Y_LC semicolon -80;"
" pos @Y_LC @SMALL_PUNC -100;"
"} kern;"
)
captor.assertRegex("Already defined position for pair yacute semicolon")
# the first definition prevails: yacute semicolon -70
st = font["GPOS"].table.LookupList.Lookup[0].SubTable[0]
self.assertEqual(st.Coverage.glyphs[2], "yacute")
self.assertEqual(st.PairSet[2].PairValueRecord[0].SecondGlyph, "semicolon")
self.assertEqual(
vars(st.PairSet[2].PairValueRecord[0].Value1), {"XAdvance": -70}
)
def test_singleSubst_multipleSubstitutionsForSameGlyph(self):
self.assertRaisesRegex(
FeatureLibError,
'Already defined substitution for "e"',
self.build,
"feature test {"
" sub [a-z] by [A.sc-Z.sc];"
" sub e by e.fina;"
"} test;",
)
def test_singlePos_redefinition(self):
self.assertRaisesRegex(
FeatureLibError,
'Already defined different position for glyph "A"',
self.build,
"feature test { pos A 123; pos A 456; } test;",
)
def test_feature_outside_aalt(self):
self.assertRaisesRegex(
FeatureLibError,
'Feature references are only allowed inside "feature aalt"',
self.build,
"feature test { feature test; } test;",
)
def test_feature_undefinedReference(self):
with warnings.catch_warnings(record=True) as w:
self.build("feature aalt { feature none; } aalt;")
assert len(w) == 1
assert "Feature none has not been defined" in str(w[0].message)
def test_GlyphClassDef_conflictingClasses(self):
self.assertRaisesRegex(
FeatureLibError,
"Glyph X was assigned to a different class",
self.build,
"table GDEF {"
" GlyphClassDef [a b], [X], , ;"
" GlyphClassDef [a b X], , , ;"
"} GDEF;",
)
def test_languagesystem(self):
builder = Builder(makeTTFont(), (None, None))
builder.add_language_system(None, "latn", "FRA")
builder.add_language_system(None, "cyrl", "RUS")
builder.start_feature(location=None, name="test")
self.assertEqual(builder.language_systems, {("latn", "FRA"), ("cyrl", "RUS")})
def test_languagesystem_duplicate(self):
self.assertRaisesRegex(
FeatureLibError,
'"languagesystem cyrl RUS" has already been specified',
self.build,
"languagesystem cyrl RUS; languagesystem cyrl RUS;",
)
def test_languagesystem_none_specified(self):
builder = Builder(makeTTFont(), (None, None))
builder.start_feature(location=None, name="test")
self.assertEqual(builder.language_systems, {("DFLT", "dflt")})
def test_languagesystem_DFLT_dflt_not_first(self):
self.assertRaisesRegex(
FeatureLibError,
'If "languagesystem DFLT dflt" is present, '
"it must be the first of the languagesystem statements",
self.build,
"languagesystem latn TRK; languagesystem DFLT dflt;",
)
def test_languagesystem_DFLT_not_preceding(self):
self.assertRaisesRegex(
FeatureLibError,
'languagesystems using the "DFLT" script tag must '
"precede all other languagesystems",
self.build,
"languagesystem DFLT dflt; "
"languagesystem latn dflt; "
"languagesystem DFLT fooo; ",
)
def test_script(self):
builder = Builder(makeTTFont(), (None, None))
builder.start_feature(location=None, name="test")
builder.set_script(location=None, script="cyrl")
self.assertEqual(builder.language_systems, {("cyrl", "dflt")})
def test_script_in_aalt_feature(self):
self.assertRaisesRegex(
FeatureLibError,
'Script statements are not allowed within "feature aalt"',
self.build,
"feature aalt { script latn; } aalt;",
)
def test_script_in_size_feature(self):
self.assertRaisesRegex(
FeatureLibError,
'Script statements are not allowed within "feature size"',
self.build,
"feature size { script latn; } size;",
)
def test_script_in_standalone_lookup(self):
self.assertRaisesRegex(
FeatureLibError,
"Script statements are not allowed within standalone lookup blocks",
self.build,
"lookup test { script latn; } test;",
)
def test_language(self):
builder = Builder(makeTTFont(), (None, None))
builder.add_language_system(None, "latn", "FRA ")
builder.start_feature(location=None, name="test")
builder.set_script(location=None, script="cyrl")
builder.set_language(
location=None, language="RUS ", include_default=False, required=False
)
self.assertEqual(builder.language_systems, {("cyrl", "RUS ")})
builder.set_language(
location=None, language="BGR ", include_default=True, required=False
)
self.assertEqual(builder.language_systems, {("cyrl", "BGR ")})
builder.start_feature(location=None, name="test2")
self.assertEqual(builder.language_systems, {("latn", "FRA ")})
def test_language_in_aalt_feature(self):
self.assertRaisesRegex(
FeatureLibError,
'Language statements are not allowed within "feature aalt"',
self.build,
"feature aalt { language FRA; } aalt;",
)
def test_language_in_size_feature(self):
self.assertRaisesRegex(
FeatureLibError,
'Language statements are not allowed within "feature size"',
self.build,
"feature size { language FRA; } size;",
)
def test_language_in_standalone_lookup(self):
self.assertRaisesRegex(
FeatureLibError,
"Language statements are not allowed within standalone lookup blocks",
self.build,
"lookup test { language FRA; } test;",
)
def test_language_required_duplicate(self):
self.assertRaisesRegex(
FeatureLibError,
r"Language FRA \(script latn\) has already specified "
"feature scmp as its required feature",
self.build,
"feature scmp {"
" script latn;"
" language FRA required;"
" language DEU required;"
" substitute [a-z] by [A.sc-Z.sc];"
"} scmp;"
"feature test {"
" script latn;"
" language FRA required;"
" substitute [a-z] by [A.sc-Z.sc];"
"} test;",
)
def test_lookup_already_defined(self):
self.assertRaisesRegex(
FeatureLibError,
'Lookup "foo" has already been defined',
self.build,
"lookup foo {} foo; lookup foo {} foo;",
)
def test_lookup_multiple_flags(self):
self.assertRaisesRegex(
FeatureLibError,
"Within a named lookup block, all rules must be "
"of the same lookup type and flag",
self.build,
"lookup foo {"
" lookupflag 1;"
" sub f i by f_i;"
" lookupflag 2;"
" sub f f i by f_f_i;"
"} foo;",
)
def test_lookup_multiple_types(self):
self.assertRaisesRegex(
FeatureLibError,
"Within a named lookup block, all rules must be "
"of the same lookup type and flag",
self.build,
"lookup foo {"
" sub f f i by f_f_i;"
" sub A from [A.alt1 A.alt2];"
"} foo;",
)
def test_lookup_inside_feature_aalt(self):
self.assertRaisesRegex(
FeatureLibError,
"Lookup blocks cannot be placed inside 'aalt' features",
self.build,
"feature aalt {lookup L {} L;} aalt;",
)
def test_chain_subst_refrences_GPOS_looup(self):
self.assertRaisesRegex(
FeatureLibError,
"Missing index of the specified lookup, might be a positioning lookup",
self.build,
"lookup dummy { pos a 50; } dummy;"
"feature test {"
" sub a' lookup dummy b;"
"} test;",
)
def test_chain_pos_refrences_GSUB_looup(self):
self.assertRaisesRegex(
FeatureLibError,
"Missing index of the specified lookup, might be a substitution lookup",
self.build,
"lookup dummy { sub a by A; } dummy;"
"feature test {"
" pos a' lookup dummy b;"
"} test;",
)
def test_STAT_elidedfallbackname_already_defined(self):
self.assertRaisesRegex(
FeatureLibError,
"ElidedFallbackName is already set.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
" ElidedFallbackNameID 256;"
"} STAT;",
)
def test_STAT_elidedfallbackname_set_twice(self):
self.assertRaisesRegex(
FeatureLibError,
"ElidedFallbackName is already set.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' ElidedFallbackName { name "Italic"; };'
"} STAT;",
)
def test_STAT_elidedfallbacknameID_already_defined(self):
self.assertRaisesRegex(
FeatureLibError,
"ElidedFallbackNameID is already set.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
" ElidedFallbackNameID 256;"
' ElidedFallbackName { name "Roman"; };'
"} STAT;",
)
def test_STAT_elidedfallbacknameID_not_in_name_table(self):
self.assertRaisesRegex(
FeatureLibError,
"ElidedFallbackNameID 256 points to a nameID that does not "
'exist in the "name" table',
self.build,
"table name {"
' nameid 257 "Roman"; '
"} name;"
"table STAT {"
" ElidedFallbackNameID 256;"
' DesignAxis opsz 1 { name "Optical Size"; };'
"} STAT;",
)
def test_STAT_design_axis_name(self):
self.assertRaisesRegex(
FeatureLibError,
'Expected "name"',
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' DesignAxis opsz 0 { badtag "Optical Size"; };'
"} STAT;",
)
def test_STAT_duplicate_design_axis_name(self):
self.assertRaisesRegex(
FeatureLibError,
'DesignAxis already defined for tag "opsz".',
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' DesignAxis opsz 0 { name "Optical Size"; };'
' DesignAxis opsz 1 { name "Optical Size"; };'
"} STAT;",
)
def test_STAT_design_axis_duplicate_order(self):
self.assertRaisesRegex(
FeatureLibError,
"DesignAxis already defined for axis number 0.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' DesignAxis opsz 0 { name "Optical Size"; };'
' DesignAxis wdth 0 { name "Width"; };'
" AxisValue {"
" location opsz 8;"
" location wdth 400;"
' name "Caption";'
" };"
"} STAT;",
)
def test_STAT_undefined_tag(self):
self.assertRaisesRegex(
FeatureLibError,
"DesignAxis not defined for wdth.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' DesignAxis opsz 0 { name "Optical Size"; };'
" AxisValue { "
" location wdth 125; "
' name "Wide"; '
" };"
"} STAT;",
)
def test_STAT_axis_value_format4(self):
self.assertRaisesRegex(
FeatureLibError,
"Axis tag wdth already defined.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' DesignAxis opsz 0 { name "Optical Size"; };'
' DesignAxis wdth 1 { name "Width"; };'
' DesignAxis wght 2 { name "Weight"; };'
" AxisValue { "
" location opsz 8; "
" location wdth 125; "
" location wdth 125; "
" location wght 500; "
' name "Caption Medium Wide"; '
" };"
"} STAT;",
)
def test_STAT_duplicate_axis_value_record(self):
# Test for Duplicate AxisValueRecords even when the definition order
# is different.
self.assertRaisesRegex(
FeatureLibError,
"An AxisValueRecord with these values is already defined.",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; };'
' DesignAxis opsz 0 { name "Optical Size"; };'
' DesignAxis wdth 1 { name "Width"; };'
" AxisValue {"
" location opsz 8;"
" location wdth 400;"
' name "Caption";'
" };"
" AxisValue {"
" location wdth 400;"
" location opsz 8;"
' name "Caption";'
" };"
"} STAT;",
)
def test_STAT_axis_value_missing_location(self):
self.assertRaisesRegex(
FeatureLibError,
'Expected "Axis location"',
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; '
"};"
' DesignAxis opsz 0 { name "Optical Size"; };'
" AxisValue { "
' name "Wide"; '
" };"
"} STAT;",
)
def test_STAT_invalid_location_tag(self):
self.assertRaisesRegex(
FeatureLibError,
"Tags cannot be longer than 4 characters",
self.build,
"table name {"
' nameid 256 "Roman"; '
"} name;"
"table STAT {"
' ElidedFallbackName { name "Roman"; '
' name 3 1 0x0411 "ローマン"; }; '
' DesignAxis width 0 { name "Width"; };'
"} STAT;",
)
def test_extensions(self):
class ast_BaseClass(ast.MarkClass):
def asFea(self, indent=""):
return ""
class ast_BaseClassDefinition(ast.MarkClassDefinition):
def asFea(self, indent=""):
return ""
class ast_MarkBasePosStatement(ast.MarkBasePosStatement):
def asFea(self, indent=""):
if isinstance(self.base, ast.MarkClassName):
res = ""
for bcd in self.base.markClass.definitions:
if res != "":
res += "\n{}".format(indent)
res += "pos base {} {}".format(
bcd.glyphs.asFea(), bcd.anchor.asFea()
)
for m in self.marks:
res += " mark @{}".format(m.name)
res += ";"
else:
res = "pos base {}".format(self.base.asFea())
for a, m in self.marks:
res += " {} mark @{}".format(a.asFea(), m.name)
res += ";"
return res
class testAst(object):
MarkBasePosStatement = ast_MarkBasePosStatement
def __getattr__(self, name):
return getattr(ast, name)
class testParser(Parser):
def parse_position_base_(self, enumerated, vertical):
location = self.cur_token_location_
self.expect_keyword_("base")
if enumerated:
raise FeatureLibError(
'"enumerate" is not allowed with '
"mark-to-base attachment positioning",
location,
)
base = self.parse_glyphclass_(accept_glyphname=True)
if self.next_token_ == "<":
marks = self.parse_anchor_marks_()
else:
marks = []
while self.next_token_ == "mark":
self.expect_keyword_("mark")
m = self.expect_markClass_reference_()
marks.append(m)
self.expect_symbol_(";")
return self.ast.MarkBasePosStatement(base, marks, location=location)
def parseBaseClass(self):
if not hasattr(self.doc_, "baseClasses"):
self.doc_.baseClasses = {}
location = self.cur_token_location_
glyphs = self.parse_glyphclass_(accept_glyphname=True)
anchor = self.parse_anchor_()
name = self.expect_class_name_()
self.expect_symbol_(";")
baseClass = self.doc_.baseClasses.get(name)
if baseClass is None:
baseClass = ast_BaseClass(name)
self.doc_.baseClasses[name] = baseClass
self.glyphclasses_.define(name, baseClass)
bcdef = ast_BaseClassDefinition(
baseClass, anchor, glyphs, location=location
)
baseClass.addDefinition(bcdef)
return bcdef
extensions = {"baseClass": lambda s: s.parseBaseClass()}
ast = testAst()
self.check_fea2fea_file(
"baseClass.feax", base="baseClass.fea", parser=testParser
)
def test_markClass_same_glyph_redefined(self):
self.assertRaisesRegex(
FeatureLibError,
"Glyph acute already defined",
self.build,
"markClass [acute] <anchor 350 0> @TOP_MARKS;" * 2,
)
def test_markClass_same_glyph_multiple_classes(self):
self.assertRaisesRegex(
FeatureLibError,
"Glyph uni0327 cannot be in both @ogonek and @cedilla",
self.build,
"feature mark {"
" markClass [uni0327 uni0328] <anchor 0 0> @ogonek;"
" pos base [a] <anchor 399 0> mark @ogonek;"
" markClass [uni0327] <anchor 0 0> @cedilla;"
" pos base [a] <anchor 244 0> mark @cedilla;"
"} mark;",
)
def test_build_specific_tables(self):
features = "feature liga {sub f i by f_i;} liga;"
font = self.build(features)
assert "GSUB" in font
font2 = self.build(features, tables=set())
assert "GSUB" not in font2
def test_build_unsupported_tables(self):
self.assertRaises(NotImplementedError, self.build, "", tables={"FOO"})
def test_build_pre_parsed_ast_featurefile(self):
f = StringIO("feature liga {sub f i by f_i;} liga;")
tree = Parser(f).parse()
font = makeTTFont()
addOpenTypeFeatures(font, tree)
assert "GSUB" in font
def test_unsupported_subtable_break(self):
logger = logging.getLogger("fontTools.otlLib.builder")
with CapturingLogHandler(logger, level="WARNING") as captor:
self.build(
"feature test {"
" pos a 10;"
" subtable;"
" pos b 10;"
"} test;"
)
captor.assertRegex(
'<features>:1:32: unsupported "subtable" statement for lookup type'
)
def test_skip_featureNames_if_no_name_table(self):
features = (
"feature ss01 {"
" featureNames {"
' name "ignored as we request to skip name table";'
" };"
" sub A by A.alt1;"
"} ss01;"
)
font = self.build(features, tables=["GSUB"])
self.assertIn("GSUB", font)
self.assertNotIn("name", font)
def test_singlePos_multiplePositionsForSameGlyph(self):
self.assertRaisesRegex(
FeatureLibError,
"Already defined different position for glyph",
self.build,
"lookup foo {" " pos A -45; " " pos A 45; " "} foo;",
)
def test_pairPos_enumRuleOverridenBySinglePair_DEBUG(self):
logger = logging.getLogger("fontTools.otlLib.builder")
with CapturingLogHandler(logger, "DEBUG") as captor:
self.build(
"feature test {"
" enum pos A [V Y] -80;"
" pos A V -75;"
"} test;"
)
captor.assertRegex("Already defined position for pair A V at")
def test_ligatureSubst_conflicting_rules(self):
self.assertRaisesRegex(
FeatureLibError,
'Already defined substitution for "a, b"',
self.build,
"feature test {" " sub a b by one;" " sub a b by two;" "} test;",
)
def test_ignore_empty_lookup_block(self):
# https://github.com/fonttools/fonttools/pull/2277
font = self.build(
"lookup EMPTY { ; } EMPTY;" "feature ss01 { lookup EMPTY; } ss01;"
)
assert "GPOS" not in font
assert "GSUB" not in font
def test_disable_empty_classes(self):
for test in [
"sub a by c []",
"sub f f [] by f",
"ignore sub a []'",
"ignore sub [] a'",
"sub a []' by b",
"sub [] a' by b",
"rsub [] by a",
"pos [] 120",
"pos a [] 120",
"enum pos a [] 120",
"pos cursive [] <anchor NULL> <anchor NULL>",
"pos base [] <anchor NULL> mark @TOPMARKS",
"pos ligature [] <anchor NULL> mark @TOPMARKS",
"pos mark [] <anchor NULL> mark @TOPMARKS",
"ignore pos a []'",
"ignore pos [] a'",
]:
self.assertRaisesRegex(
FeatureLibError,
"Empty ",
self.build,
f"markClass a <anchor 150 -10> @TOPMARKS; lookup foo {{ {test}; }} foo;",
)
self.assertRaisesRegex(
FeatureLibError,
"Empty glyph class in mark class definition",
self.build,
"markClass [] <anchor 150 -10> @TOPMARKS;",
)
self.assertRaisesRegex(
FeatureLibError,
'Expected a glyph class with 1 elements after "by", but found a glyph class with 0 elements',
self.build,
"feature test { sub a by []; test};",
)
def test_unmarked_ignore_statement(self):
name = "bug2949"
logger = logging.getLogger("fontTools.feaLib.parser")
with CapturingLogHandler(logger, level="WARNING") as captor:
self.check_feature_file(name)
self.check_fea2fea_file(name)
for line, sub in {(3, "sub"), (8, "pos"), (13, "sub")}:
captor.assertRegex(
f'{name}.fea:{line}:12: Ambiguous "ignore {sub}", there should be least one marked glyph'
)
def test_conditionset_multiple_features(self):
"""Test that using the same `conditionset` for multiple features reuses the
`FeatureVariationRecord`."""
features = """
languagesystem DFLT dflt;
conditionset test {
wght 600 1000;
wdth 150 200;
} test;
variation ccmp test {
sub e by a;
} ccmp;
variation rlig test {
sub b by c;
} rlig;
"""
def make_mock_vf():
font = makeTTFont()
font["name"] = newTable("name")
addFvar(
font,
[("wght", 0, 0, 1000, "Weight"), ("wdth", 100, 100, 200, "Width")],
[],
)
del font["name"]
return font
font = make_mock_vf()
addOpenTypeFeaturesFromString(font, features)
table = font["GSUB"].table
assert table.FeatureVariations.FeatureVariationCount == 1
fvr = table.FeatureVariations.FeatureVariationRecord[0]
assert fvr.FeatureTableSubstitution.SubstitutionCount == 2
def test_condition_set_avar(self):
"""Test that the `avar` table is consulted when normalizing user-space
values."""
features = """
languagesystem DFLT dflt;
lookup conditional_sub {
sub e by a;
} conditional_sub;
conditionset test {
wght 600 1000;
wdth 150 200;
} test;
variation rlig test {
lookup conditional_sub;
} rlig;
"""
def make_mock_vf():
font = makeTTFont()
font["name"] = newTable("name")
addFvar(
font,
[("wght", 0, 0, 1000, "Weight"), ("wdth", 100, 100, 200, "Width")],
[],
)
del font["name"]
return font
# Without `avar`:
font = make_mock_vf()
addOpenTypeFeaturesFromString(font, features)
condition_table = (
font.tables["GSUB"]
.table.FeatureVariations.FeatureVariationRecord[0]
.ConditionSet.ConditionTable
)
# user-space wdth=150 and wght=600:
assert condition_table[0].FilterRangeMinValue == 0.5
assert condition_table[1].FilterRangeMinValue == 0.6
# With `avar`, shifting the wght axis' positive midpoint 0.5 a bit to
# the right, but leaving the wdth axis alone:
font = make_mock_vf()
font["avar"] = newTable("avar")
font["avar"].segments = {"wght": {-1.0: -1.0, 0.0: 0.0, 0.5: 0.625, 1.0: 1.0}}
addOpenTypeFeaturesFromString(font, features)
condition_table = (
font.tables["GSUB"]
.table.FeatureVariations.FeatureVariationRecord[0]
.ConditionSet.ConditionTable
)
# user-space wdth=150 as before and wght=600 shifted to the right:
assert condition_table[0].FilterRangeMinValue == 0.5
assert condition_table[1].FilterRangeMinValue == 0.7
def test_condition_set_duplicated(self):
"""Test that overloading conditionset names raises an error."""
features = """
conditionset duplicated {
wght 600 1000;
} duplicated;
# Same name as previous condition set (should error).
conditionset duplicated {
wght 500 1000;
} duplicated;
"""
# Boilerplate to construct a TTF.
font = makeTTFont()
font["name"] = newTable("name")
addFvar(font, [("wght", 0, 0, 1000, "Weight")], [])
# Compile the invalid FEA, and confirm the error.
with self.assertRaisesRegex(
FeatureLibError,
r"Condition set 'duplicated' has the same name as a previous condition set",
):
addOpenTypeFeaturesFromString(font, features)
def test_variable_scalar_avar(self):
"""Test that the `avar` table is consulted when normalizing user-space
values."""
features = """
languagesystem DFLT dflt;
feature kern {
pos cursive one <anchor 0 (wght=200:12 wght=900:22 wdth=150,wght=900:42)> <anchor NULL>;
pos two <0 (wght=200:12 wght=900:22 wdth=150,wght=900:42) 0 0>;
} kern;
"""
# Without `avar` (wght=200, wdth=100 is the default location):
font = self.make_mock_vf()
addOpenTypeFeaturesFromString(font, features)
var_region_list = font.tables["GDEF"].table.VarStore.VarRegionList
var_region_axis_wght = var_region_list.Region[0].VarRegionAxis[0]
var_region_axis_wdth = var_region_list.Region[0].VarRegionAxis[1]
assert self.get_region(var_region_axis_wght) == (0.0, 0.875, 1.0)
assert self.get_region(var_region_axis_wdth) == (0.0, 0.0, 0.0)
var_region_axis_wght = var_region_list.Region[1].VarRegionAxis[0]
var_region_axis_wdth = var_region_list.Region[1].VarRegionAxis[1]
assert self.get_region(var_region_axis_wght) == (0.0, 0.875, 1.0)
assert self.get_region(var_region_axis_wdth) == (0.0, 0.5, 1.0)
# With `avar`, shifting the wght axis' positive midpoint 0.5 a bit to
# the right, but leaving the wdth axis alone:
font = self.make_mock_vf()
font["avar"] = newTable("avar")
font["avar"].segments = {"wght": {-1.0: -1.0, 0.0: 0.0, 0.5: 0.625, 1.0: 1.0}}
addOpenTypeFeaturesFromString(font, features)
var_region_list = font.tables["GDEF"].table.VarStore.VarRegionList
var_region_axis_wght = var_region_list.Region[0].VarRegionAxis[0]
var_region_axis_wdth = var_region_list.Region[0].VarRegionAxis[1]
assert self.get_region(var_region_axis_wght) == (0.0, 0.90625, 1.0)
assert self.get_region(var_region_axis_wdth) == (0.0, 0.0, 0.0)
var_region_axis_wght = var_region_list.Region[1].VarRegionAxis[0]
var_region_axis_wdth = var_region_list.Region[1].VarRegionAxis[1]
assert self.get_region(var_region_axis_wght) == (0.0, 0.90625, 1.0)
assert self.get_region(var_region_axis_wdth) == (0.0, 0.5, 1.0)
def test_ligatureCaretByPos_variable_scalar(self):
"""Test that the `avar` table is consulted when normalizing user-space
values."""
features = """
table GDEF {
LigatureCaretByPos f_i (wght=200:400 wght=900:1000) 380;
} GDEF;
"""
font = self.make_mock_vf()
addOpenTypeFeaturesFromString(font, features)
table = font["GDEF"].table
lig_glyph = table.LigCaretList.LigGlyph[0]
assert lig_glyph.CaretValue[0].Format == 1
assert lig_glyph.CaretValue[0].Coordinate == 380
assert lig_glyph.CaretValue[1].Format == 3
assert lig_glyph.CaretValue[1].Coordinate == 400
var_region_list = table.VarStore.VarRegionList
var_region_axis = var_region_list.Region[0].VarRegionAxis[0]
assert self.get_region(var_region_axis) == (0.0, 0.875, 1.0)
def test_variable_anchors_round_trip(self):
"""Test that calling `addOpenTypeFeatures` with parsed feature file does
not discard variations from variable anchors."""
features = """\
feature curs {
pos cursive one <anchor 0 (wdth=100,wght=200:12 wdth=150,wght=900:42)> <anchor NULL>;
} curs;
"""
f = StringIO(features)
feafile = Parser(f).parse()
font = self.make_mock_vf()
addOpenTypeFeatures(font, feafile)
assert dedent(str(feafile)) == dedent(features)
def test_feature_useExtension(self):
self.assertRaisesRegex(
FeatureLibError,
"'useExtension' keyword for feature blocks is allowed only for 'aalt' feature",
self.build,
"feature liga useExtension { sub f f by f_f; } liga;",
)
def generate_feature_file_test(name):
return lambda self: self.check_feature_file(name)
for name in BuilderTest.TEST_FEATURE_FILES:
setattr(BuilderTest, "test_FeatureFile_%s" % name, generate_feature_file_test(name))
def generate_fea2fea_file_test(name):
return lambda self: self.check_fea2fea_file(name)
for name in BuilderTest.TEST_FEATURE_FILES:
setattr(
BuilderTest,
"test_Fea2feaFile_{}".format(name),
generate_fea2fea_file_test(name),
)
if __name__ == "__main__":
sys.exit(unittest.main())
|