syntect/parsing/syntax_set.rs
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 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438 1439 1440 1441 1442 1443 1444 1445 1446 1447 1448 1449 1450 1451 1452 1453 1454 1455 1456 1457 1458 1459 1460 1461 1462 1463 1464 1465 1466 1467 1468 1469 1470 1471 1472 1473 1474 1475 1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490
use super::scope::*;
use super::syntax_definition::*;
use super::ParsingError;
#[cfg(feature = "metadata")]
use super::metadata::{LoadMetadata, Metadata, RawMetadataEntry};
#[cfg(feature = "yaml-load")]
use super::super::LoadingError;
use std::collections::{BTreeSet, HashMap, HashSet};
use std::fs::File;
use std::io::{self, BufRead, BufReader};
use std::mem;
use std::path::Path;
use super::regex::Regex;
use crate::parsing::syntax_definition::ContextId;
use once_cell::sync::OnceCell;
use serde_derive::{Deserialize, Serialize};
/// A syntax set holds multiple syntaxes that have been linked together.
///
/// Use a [`SyntaxSetBuilder`] to load syntax definitions and build a syntax set.
///
/// After building, the syntax set is immutable and can no longer be modified, but you can convert
/// it back into a builder by using the [`into_builder`] method.
///
/// [`SyntaxSetBuilder`]: struct.SyntaxSetBuilder.html
/// [`into_builder`]: #method.into_builder
#[derive(Debug, Serialize, Deserialize)]
pub struct SyntaxSet {
syntaxes: Vec<SyntaxReference>,
/// Stores the syntax index for every path that was loaded
path_syntaxes: Vec<(String, usize)>,
#[serde(skip_serializing, skip_deserializing, default = "OnceCell::new")]
first_line_cache: OnceCell<FirstLineCache>,
/// Metadata, e.g. indent and commenting information.
///
/// NOTE: if serializing, you should handle metadata manually; that is, you should serialize and
/// deserialize it separately. See `examples/gendata.rs` for an example.
#[cfg(feature = "metadata")]
#[serde(skip, default)]
pub(crate) metadata: Metadata,
}
/// A linked version of a [`SyntaxDefinition`] that is only useful as part of the
/// [`SyntaxSet`] that contains it. See docs for [`SyntaxSetBuilder::build`] for
/// more info.
#[derive(Clone, Debug, Serialize, Deserialize)]
pub struct SyntaxReference {
pub name: String,
pub file_extensions: Vec<String>,
pub scope: Scope,
pub first_line_match: Option<String>,
pub hidden: bool,
#[serde(serialize_with = "ordered_map")]
pub variables: HashMap<String, String>,
#[serde(skip)]
pub(crate) lazy_contexts: OnceCell<LazyContexts>,
pub(crate) serialized_lazy_contexts: Vec<u8>,
}
/// The lazy-loaded parts of a [`SyntaxReference`].
#[derive(Clone, Debug, Serialize, Deserialize)]
pub(crate) struct LazyContexts {
#[serde(serialize_with = "ordered_map")]
pub(crate) context_ids: HashMap<String, ContextId>,
pub(crate) contexts: Vec<Context>,
}
/// A syntax set builder is used for loading syntax definitions from the file
/// system or by adding [`SyntaxDefinition`] objects.
///
/// Once all the syntaxes have been added, call [`build`] to turn the builder into
/// a [`SyntaxSet`] that can be used for parsing or highlighting.
///
/// [`SyntaxDefinition`]: syntax_definition/struct.SyntaxDefinition.html
/// [`build`]: #method.build
/// [`SyntaxSet`]: struct.SyntaxSet.html
#[derive(Clone, Default)]
pub struct SyntaxSetBuilder {
syntaxes: Vec<SyntaxDefinition>,
path_syntaxes: Vec<(String, usize)>,
#[cfg(feature = "metadata")]
raw_metadata: LoadMetadata,
/// If this `SyntaxSetBuilder` is created with `SyntaxSet::into_builder`
/// from a `SyntaxSet` that already had metadata, we keep that metadata,
/// merging it with newly loaded metadata.
#[cfg(feature = "metadata")]
existing_metadata: Option<Metadata>,
}
#[cfg(feature = "yaml-load")]
fn load_syntax_file(
p: &Path,
lines_include_newline: bool,
) -> Result<SyntaxDefinition, LoadingError> {
let s = std::fs::read_to_string(p)?;
SyntaxDefinition::load_from_str(
&s,
lines_include_newline,
p.file_stem().and_then(|x| x.to_str()),
)
.map_err(|e| LoadingError::ParseSyntax(e, format!("{}", p.display())))
}
impl Clone for SyntaxSet {
fn clone(&self) -> SyntaxSet {
SyntaxSet {
syntaxes: self.syntaxes.clone(),
path_syntaxes: self.path_syntaxes.clone(),
// Will need to be re-initialized
first_line_cache: OnceCell::new(),
#[cfg(feature = "metadata")]
metadata: self.metadata.clone(),
}
}
}
impl Default for SyntaxSet {
fn default() -> Self {
SyntaxSet {
syntaxes: Vec::new(),
path_syntaxes: Vec::new(),
first_line_cache: OnceCell::new(),
#[cfg(feature = "metadata")]
metadata: Metadata::default(),
}
}
}
impl SyntaxSet {
pub fn new() -> SyntaxSet {
SyntaxSet::default()
}
/// Convenience constructor for creating a builder, then loading syntax
/// definitions from a folder and then building the syntax set.
///
/// Note that this uses `lines_include_newline` set to `false`, see the
/// [`add_from_folder`] method docs on [`SyntaxSetBuilder`] for an explanation
/// as to why this might not be the best.
///
/// [`add_from_folder`]: struct.SyntaxSetBuilder.html#method.add_from_folder
/// [`SyntaxSetBuilder`]: struct.SyntaxSetBuilder.html
#[cfg(feature = "yaml-load")]
pub fn load_from_folder<P: AsRef<Path>>(folder: P) -> Result<SyntaxSet, LoadingError> {
let mut builder = SyntaxSetBuilder::new();
builder.add_from_folder(folder, false)?;
Ok(builder.build())
}
/// The list of syntaxes in the set
pub fn syntaxes(&self) -> &[SyntaxReference] {
&self.syntaxes[..]
}
#[cfg(feature = "metadata")]
pub fn set_metadata(&mut self, metadata: Metadata) {
self.metadata = metadata;
}
/// The loaded metadata for this set.
#[cfg(feature = "metadata")]
pub fn metadata(&self) -> &Metadata {
&self.metadata
}
/// Finds a syntax by its default scope, for example `source.regexp` finds the regex syntax.
///
/// This and all similar methods below do a linear search of syntaxes, this should be fast
/// because there aren't many syntaxes, but don't think you can call it a bajillion times per
/// second.
pub fn find_syntax_by_scope(&self, scope: Scope) -> Option<&SyntaxReference> {
self.syntaxes.iter().rev().find(|&s| s.scope == scope)
}
pub fn find_syntax_by_name<'a>(&'a self, name: &str) -> Option<&'a SyntaxReference> {
self.syntaxes.iter().rev().find(|&s| name == s.name)
}
pub fn find_syntax_by_extension<'a>(&'a self, extension: &str) -> Option<&'a SyntaxReference> {
self.syntaxes.iter().rev().find(|&s| {
s.file_extensions
.iter()
.any(|e| e.eq_ignore_ascii_case(extension))
})
}
/// Searches for a syntax first by extension and then by case-insensitive name
///
/// This is useful for things like Github-flavoured-markdown code block highlighting where all
/// you have to go on is a short token given by the user
pub fn find_syntax_by_token<'a>(&'a self, s: &str) -> Option<&'a SyntaxReference> {
{
let ext_res = self.find_syntax_by_extension(s);
if ext_res.is_some() {
return ext_res;
}
}
self.syntaxes
.iter()
.rev()
.find(|&syntax| syntax.name.eq_ignore_ascii_case(s))
}
/// Try to find the syntax for a file based on its first line
///
/// This uses regexes that come with some sublime syntax grammars for matching things like
/// shebangs and mode lines like `-*- Mode: C -*-`
pub fn find_syntax_by_first_line<'a>(&'a self, s: &str) -> Option<&'a SyntaxReference> {
let s = s.strip_prefix("\u{feff}").unwrap_or(s); // Strip UTF-8 BOM
let cache = self.first_line_cache();
for &(ref reg, i) in cache.regexes.iter().rev() {
if reg.search(s, 0, s.len(), None) {
return Some(&self.syntaxes[i]);
}
}
None
}
/// Searches for a syntax by it's original file path when it was first loaded from disk
///
/// This is primarily useful for syntax tests. Some may specify a
/// `Packages/PackageName/SyntaxName.sublime-syntax` path, and others may just have
/// `SyntaxName.sublime-syntax`. This caters for these by matching the end of the path of the
/// loaded syntax definition files
// however, if a syntax name is provided without a folder, make sure we don't accidentally match the end of a different syntax definition's name - by checking a / comes before it or it is the full path
pub fn find_syntax_by_path<'a>(&'a self, path: &str) -> Option<&'a SyntaxReference> {
let mut slash_path = "/".to_string();
slash_path.push_str(path);
self.path_syntaxes
.iter()
.rev()
.find(|t| t.0.ends_with(&slash_path) || t.0 == path)
.map(|&(_, i)| &self.syntaxes[i])
}
/// Convenience method that tries to find the syntax for a file path, first by extension/name
/// and then by first line of the file if that doesn't work.
///
/// May IO Error because it sometimes tries to read the first line of the file.
///
/// # Examples
///
/// When determining how to highlight a file, use this in combination with a fallback to plain
/// text:
///
/// ```
/// use syntect::parsing::SyntaxSet;
/// let ss = SyntaxSet::load_defaults_newlines();
/// let syntax = ss.find_syntax_for_file("testdata/highlight_test.erb")
/// .unwrap() // for IO errors, you may want to use try!() or another plain text fallback
/// .unwrap_or_else(|| ss.find_syntax_plain_text());
/// assert_eq!(syntax.name, "HTML (Rails)");
/// ```
pub fn find_syntax_for_file<P: AsRef<Path>>(
&self,
path_obj: P,
) -> io::Result<Option<&SyntaxReference>> {
let path: &Path = path_obj.as_ref();
let file_name = path.file_name().and_then(|n| n.to_str()).unwrap_or("");
let extension = path.extension().and_then(|x| x.to_str()).unwrap_or("");
let ext_syntax = self
.find_syntax_by_extension(file_name)
.or_else(|| self.find_syntax_by_extension(extension));
let line_syntax = if ext_syntax.is_none() {
let mut line = String::new();
let f = File::open(path)?;
let mut line_reader = BufReader::new(&f);
line_reader.read_line(&mut line)?;
self.find_syntax_by_first_line(&line)
} else {
None
};
let syntax = ext_syntax.or(line_syntax);
Ok(syntax)
}
/// Finds a syntax for plain text, which usually has no highlighting rules.
///
/// This is good as a fallback when you can't find another syntax but you still want to use the
/// same highlighting pipeline code.
///
/// This syntax should always be present, if not this method will panic. If the way you load
/// syntaxes doesn't create one, use [`add_plain_text_syntax`].
///
/// # Examples
/// ```
/// use syntect::parsing::SyntaxSetBuilder;
/// let mut builder = SyntaxSetBuilder::new();
/// builder.add_plain_text_syntax();
/// let ss = builder.build();
/// let syntax = ss.find_syntax_by_token("rs").unwrap_or_else(|| ss.find_syntax_plain_text());
/// assert_eq!(syntax.name, "Plain Text");
/// ```
///
/// [`add_plain_text_syntax`]: struct.SyntaxSetBuilder.html#method.add_plain_text_syntax
pub fn find_syntax_plain_text(&self) -> &SyntaxReference {
self.find_syntax_by_name("Plain Text")
.expect("All syntax sets ought to have a plain text syntax")
}
/// Converts this syntax set into a builder so that more syntaxes can be
/// added to it.
///
/// Note that newly added syntaxes can have references to existing syntaxes
/// in the set, but not the other way around.
pub fn into_builder(self) -> SyntaxSetBuilder {
#[cfg(feature = "metadata")]
let SyntaxSet {
syntaxes,
path_syntaxes,
metadata,
..
} = self;
#[cfg(not(feature = "metadata"))]
let SyntaxSet {
syntaxes,
path_syntaxes,
..
} = self;
let mut context_map = HashMap::new();
for (syntax_index, syntax) in syntaxes.iter().enumerate() {
for (context_index, context) in syntax.contexts().iter().enumerate() {
context_map.insert(
ContextId {
syntax_index,
context_index,
},
context.clone(),
);
}
}
let mut builder_syntaxes = Vec::with_capacity(syntaxes.len());
for syntax in syntaxes {
let SyntaxReference {
name,
file_extensions,
scope,
first_line_match,
hidden,
variables,
serialized_lazy_contexts,
..
} = syntax;
let lazy_contexts = LazyContexts::deserialize(&serialized_lazy_contexts[..]);
let mut builder_contexts = HashMap::with_capacity(lazy_contexts.context_ids.len());
for (name, context_id) in lazy_contexts.context_ids {
if let Some(context) = context_map.remove(&context_id) {
builder_contexts.insert(name, context);
}
}
let syntax_definition = SyntaxDefinition {
name,
file_extensions,
scope,
first_line_match,
hidden,
variables,
contexts: builder_contexts,
};
builder_syntaxes.push(syntax_definition);
}
SyntaxSetBuilder {
syntaxes: builder_syntaxes,
path_syntaxes,
#[cfg(feature = "metadata")]
existing_metadata: Some(metadata),
#[cfg(feature = "metadata")]
raw_metadata: LoadMetadata::default(),
}
}
#[inline(always)]
pub(crate) fn get_context(&self, context_id: &ContextId) -> Result<&Context, ParsingError> {
let syntax = &self
.syntaxes
.get(context_id.syntax_index)
.ok_or(ParsingError::MissingContext(*context_id))?;
syntax
.contexts()
.get(context_id.context_index)
.ok_or(ParsingError::MissingContext(*context_id))
}
fn first_line_cache(&self) -> &FirstLineCache {
self.first_line_cache
.get_or_init(|| FirstLineCache::new(self.syntaxes()))
}
pub fn find_unlinked_contexts(&self) -> BTreeSet<String> {
let SyntaxSet { syntaxes, .. } = self;
let mut unlinked_contexts = BTreeSet::new();
for syntax in syntaxes {
let SyntaxReference { name, scope, .. } = syntax;
for context in syntax.contexts() {
Self::find_unlinked_contexts_in_context(
name,
scope,
context,
&mut unlinked_contexts,
);
}
}
unlinked_contexts
}
fn find_unlinked_contexts_in_context(
name: &str,
scope: &Scope,
context: &Context,
unlinked_contexts: &mut BTreeSet<String>,
) {
for pattern in context.patterns.iter() {
let maybe_refs_to_check = match pattern {
Pattern::Match(match_pat) => match &match_pat.operation {
MatchOperation::Push(context_refs) => Some(context_refs),
MatchOperation::Set(context_refs) => Some(context_refs),
_ => None,
},
_ => None,
};
for context_ref in maybe_refs_to_check.into_iter().flatten() {
match context_ref {
ContextReference::Direct(_) => {}
_ => {
unlinked_contexts.insert(format!(
"Syntax '{}' with scope '{}' has unresolved context reference {:?}",
name, scope, &context_ref
));
}
}
}
}
}
}
impl SyntaxReference {
pub(crate) fn context_ids(&self) -> &HashMap<String, ContextId> {
&self.lazy_contexts().context_ids
}
fn contexts(&self) -> &[Context] {
&self.lazy_contexts().contexts
}
fn lazy_contexts(&self) -> &LazyContexts {
self.lazy_contexts
.get_or_init(|| LazyContexts::deserialize(&self.serialized_lazy_contexts[..]))
}
}
impl LazyContexts {
fn deserialize(data: &[u8]) -> LazyContexts {
crate::dumps::from_reader(data).expect("data is not corrupt or out of sync with the code")
}
}
impl SyntaxSetBuilder {
pub fn new() -> SyntaxSetBuilder {
SyntaxSetBuilder::default()
}
/// Add a syntax to the set.
pub fn add(&mut self, syntax: SyntaxDefinition) {
self.syntaxes.push(syntax);
}
/// The list of syntaxes added so far.
pub fn syntaxes(&self) -> &[SyntaxDefinition] {
&self.syntaxes[..]
}
/// A rarely useful method that loads in a syntax with no highlighting rules for plain text
///
/// Exists mainly for adding the plain text syntax to syntax set dumps, because for some reason
/// the default Sublime plain text syntax is still in `.tmLanguage` format.
#[cfg(feature = "yaml-load")]
pub fn add_plain_text_syntax(&mut self) {
let s = "---\nname: Plain Text\nfile_extensions: [txt]\nscope: text.plain\ncontexts: \
{main: []}";
let syn = SyntaxDefinition::load_from_str(s, false, None).unwrap();
self.syntaxes.push(syn);
}
/// Loads all the `.sublime-syntax` files in a folder into this builder.
///
/// The `lines_include_newline` parameter is used to work around the fact that Sublime Text
/// normally passes line strings including newline characters (`\n`) to its regex engine. This
/// results in many syntaxes having regexes matching `\n`, which doesn't work if you don't pass
/// in newlines. It is recommended that if you can you pass in lines with newlines if you can
/// and pass `true` for this parameter. If that is inconvenient pass `false` and the loader
/// will do some hacky find and replaces on the match regexes that seem to work for the default
/// syntax set, but may not work for any other syntaxes.
///
/// In the future I might include a "slow mode" that copies the lines passed in and appends a
/// newline if there isn't one, but in the interest of performance currently this hacky fix will
/// have to do.
#[cfg(feature = "yaml-load")]
pub fn add_from_folder<P: AsRef<Path>>(
&mut self,
folder: P,
lines_include_newline: bool,
) -> Result<(), LoadingError> {
for entry in crate::utils::walk_dir(folder).sort_by(|a, b| a.file_name().cmp(b.file_name()))
{
let entry = entry.map_err(LoadingError::WalkDir)?;
if entry
.path()
.extension()
.map_or(false, |e| e == "sublime-syntax")
{
let syntax = load_syntax_file(entry.path(), lines_include_newline)?;
if let Some(path_str) = entry.path().to_str() {
// Split the path up and rejoin with slashes so that syntaxes loaded on Windows
// can still be loaded the same way.
let path = Path::new(path_str);
let path_parts: Vec<_> = path.iter().map(|c| c.to_str().unwrap()).collect();
self.path_syntaxes
.push((path_parts.join("/").to_string(), self.syntaxes.len()));
}
self.syntaxes.push(syntax);
}
#[cfg(feature = "metadata")]
{
if entry.path().extension() == Some("tmPreferences".as_ref()) {
match RawMetadataEntry::load(entry.path()) {
Ok(meta) => self.raw_metadata.add_raw(meta),
Err(_err) => (),
}
}
}
}
Ok(())
}
/// Build a [`SyntaxSet`] from the syntaxes that have been added to this
/// builder.
///
/// ### Linking
///
/// The contexts in syntaxes can reference other contexts in the same syntax
/// or even other syntaxes. For example, a HTML syntax can reference a CSS
/// syntax so that CSS blocks in HTML work as expected.
///
/// Those references work in various ways and involve one or two lookups.
/// To avoid having to do these lookups during parsing/highlighting, the
/// references are changed to directly reference contexts via index. That's
/// called linking.
///
/// Linking is done in this build step. So in order to get the best
/// performance, you should try to avoid calling this too much. Ideally,
/// create a [`SyntaxSet`] once and then use it many times. If you can,
/// serialize a [`SyntaxSet`] for your program and when you run the program,
/// directly load the [`SyntaxSet`].
///
/// [`SyntaxSet`]: struct.SyntaxSet.html
pub fn build(self) -> SyntaxSet {
#[cfg(not(feature = "metadata"))]
let SyntaxSetBuilder {
syntaxes: syntax_definitions,
path_syntaxes,
} = self;
#[cfg(feature = "metadata")]
let SyntaxSetBuilder {
syntaxes: syntax_definitions,
path_syntaxes,
raw_metadata,
existing_metadata,
} = self;
let mut syntaxes = Vec::with_capacity(syntax_definitions.len());
let mut all_context_ids = Vec::new();
let mut all_contexts = vec![Vec::new(); syntax_definitions.len()];
for (syntax_index, syntax_definition) in syntax_definitions.into_iter().enumerate() {
let SyntaxDefinition {
name,
file_extensions,
scope,
first_line_match,
hidden,
variables,
contexts,
} = syntax_definition;
let mut context_ids = HashMap::new();
let mut contexts: Vec<(String, Context)> = contexts.into_iter().collect();
// Sort the values of the HashMap so that the contexts in the
// resulting SyntaxSet have a deterministic order for serializing.
// Because we're sorting by the keys which are unique, we can use
// an unstable sort.
contexts.sort_unstable_by(|(name_a, _), (name_b, _)| name_a.cmp(name_b));
for (name, context) in contexts {
let context_index = all_contexts[syntax_index].len();
context_ids.insert(
name,
ContextId {
syntax_index,
context_index,
},
);
all_contexts[syntax_index].push(context);
}
let syntax = SyntaxReference {
name,
file_extensions,
scope,
first_line_match,
hidden,
variables,
lazy_contexts: OnceCell::new(),
serialized_lazy_contexts: Vec::new(), // initialized in the last step
};
syntaxes.push(syntax);
all_context_ids.push(context_ids);
}
let mut found_more_backref_includes = true;
for (syntax_index, _syntax) in syntaxes.iter().enumerate() {
let mut no_prototype = HashSet::new();
let prototype = all_context_ids[syntax_index].get("prototype");
if let Some(prototype_id) = prototype {
// TODO: We could do this after parsing YAML, instead of here?
Self::recursively_mark_no_prototype(
prototype_id,
&all_context_ids[syntax_index],
&all_contexts,
&mut no_prototype,
);
}
for context_id in all_context_ids[syntax_index].values() {
let context = &mut all_contexts[context_id.syntax_index][context_id.context_index];
if let Some(prototype_id) = prototype {
if context.meta_include_prototype && !no_prototype.contains(context_id) {
context.prototype = Some(*prototype_id);
}
}
Self::link_context(context, syntax_index, &all_context_ids, &syntaxes);
if context.uses_backrefs {
found_more_backref_includes = true;
}
}
}
// We need to recursively mark contexts that include contexts which
// use backreferences as using backreferences. In theory we could use
// a more efficient method here like doing a toposort or constructing
// a representation with reversed edges and then tracing in the
// opposite direction, but I benchmarked this and it adds <2% to link
// time on the default syntax set, and linking doesn't even happen
// when loading from a binary dump.
while found_more_backref_includes {
found_more_backref_includes = false;
// find any contexts which include a context which uses backrefs
// and mark those as using backrefs - to support nested includes
for syntax_index in 0..syntaxes.len() {
for context_index in 0..all_contexts[syntax_index].len() {
let context = &all_contexts[syntax_index][context_index];
if !context.uses_backrefs && context.patterns.iter().any(|pattern| {
matches!(pattern, Pattern::Include(ContextReference::Direct(id)) if all_contexts[id.syntax_index][id.context_index].uses_backrefs)
}) {
let context = &mut all_contexts[syntax_index][context_index];
context.uses_backrefs = true;
// look for contexts including this context
found_more_backref_includes = true;
}
}
}
}
#[cfg(feature = "metadata")]
let metadata = match existing_metadata {
Some(existing) => existing.merged_with_raw(raw_metadata),
None => raw_metadata.into(),
};
// The combination of
// * the algorithms above
// * the borrow checker
// makes it necessary to set these up as the last step.
for syntax in &mut syntaxes {
let lazy_contexts = LazyContexts {
context_ids: all_context_ids.remove(0),
contexts: all_contexts.remove(0),
};
syntax.serialized_lazy_contexts = crate::dumps::dump_binary(&lazy_contexts);
}
SyntaxSet {
syntaxes,
path_syntaxes,
first_line_cache: OnceCell::new(),
#[cfg(feature = "metadata")]
metadata,
}
}
/// Anything recursively included by the prototype shouldn't include the prototype.
/// This marks them as such.
fn recursively_mark_no_prototype(
context_id: &ContextId,
syntax_context_ids: &HashMap<String, ContextId>,
all_contexts: &[Vec<Context>],
no_prototype: &mut HashSet<ContextId>,
) {
let first_time = no_prototype.insert(*context_id);
if !first_time {
return;
}
for pattern in &all_contexts[context_id.syntax_index][context_id.context_index].patterns {
match *pattern {
// Apparently inline blocks also don't include the prototype when within the prototype.
// This is really weird, but necessary to run the YAML syntax.
Pattern::Match(ref match_pat) => {
let maybe_context_refs = match match_pat.operation {
MatchOperation::Push(ref context_refs)
| MatchOperation::Set(ref context_refs) => Some(context_refs),
MatchOperation::Pop | MatchOperation::None => None,
};
if let Some(context_refs) = maybe_context_refs {
for context_ref in context_refs.iter() {
match context_ref {
ContextReference::Inline(ref s)
| ContextReference::Named(ref s) => {
if let Some(i) = syntax_context_ids.get(s) {
Self::recursively_mark_no_prototype(
i,
syntax_context_ids,
all_contexts,
no_prototype,
);
}
}
ContextReference::Direct(ref id) => {
Self::recursively_mark_no_prototype(
id,
syntax_context_ids,
all_contexts,
no_prototype,
);
}
_ => (),
}
}
}
}
Pattern::Include(ref reference) => match reference {
ContextReference::Named(ref s) => {
if let Some(id) = syntax_context_ids.get(s) {
Self::recursively_mark_no_prototype(
id,
syntax_context_ids,
all_contexts,
no_prototype,
);
}
}
ContextReference::Direct(ref id) => {
Self::recursively_mark_no_prototype(
id,
syntax_context_ids,
all_contexts,
no_prototype,
);
}
_ => (),
},
}
}
}
fn link_context(
context: &mut Context,
syntax_index: usize,
all_context_ids: &[HashMap<String, ContextId>],
syntaxes: &[SyntaxReference],
) {
for pattern in &mut context.patterns {
match *pattern {
Pattern::Match(ref mut match_pat) => {
Self::link_match_pat(match_pat, syntax_index, all_context_ids, syntaxes)
}
Pattern::Include(ref mut context_ref) => {
Self::link_ref(context_ref, syntax_index, all_context_ids, syntaxes)
}
}
}
}
fn link_ref(
context_ref: &mut ContextReference,
syntax_index: usize,
all_context_ids: &[HashMap<String, ContextId>],
syntaxes: &[SyntaxReference],
) {
// println!("{:?}", context_ref);
use super::syntax_definition::ContextReference::*;
let linked_context_id = match *context_ref {
Named(ref s) | Inline(ref s) => {
// This isn't actually correct, but it is better than nothing/crashing.
// This is being phased out anyhow, see https://github.com/sublimehq/Packages/issues/73
// Fixes issue #30
if s == "$top_level_main" {
all_context_ids[syntax_index].get("main")
} else {
all_context_ids[syntax_index].get(s)
}
}
ByScope {
scope,
ref sub_context,
with_escape,
} => Self::with_plain_text_fallback(
all_context_ids,
syntaxes,
with_escape,
Self::find_id(sub_context, all_context_ids, syntaxes, |index_and_syntax| {
index_and_syntax.1.scope == scope
}),
),
File {
ref name,
ref sub_context,
with_escape,
} => Self::with_plain_text_fallback(
all_context_ids,
syntaxes,
with_escape,
Self::find_id(sub_context, all_context_ids, syntaxes, |index_and_syntax| {
&index_and_syntax.1.name == name
}),
),
Direct(_) => None,
};
if let Some(context_id) = linked_context_id {
let mut new_ref = Direct(*context_id);
mem::swap(context_ref, &mut new_ref);
}
}
fn with_plain_text_fallback<'a>(
all_context_ids: &'a [HashMap<String, ContextId>],
syntaxes: &'a [SyntaxReference],
with_escape: bool,
context_id: Option<&'a ContextId>,
) -> Option<&'a ContextId> {
context_id.or_else(|| {
if with_escape {
// If we keep this reference unresolved, syntect will crash
// when it encounters the reference. Rather than crashing,
// we instead fall back to "Plain Text". This seems to be
// how Sublime Text behaves. It should be a safe thing to do
// since `embed`s always includes an `escape` to get out of
// the `embed`.
Self::find_id(&None, all_context_ids, syntaxes, |index_and_syntax| {
index_and_syntax.1.name == "Plain Text"
})
} else {
None
}
})
}
fn find_id<'a>(
sub_context: &Option<String>,
all_context_ids: &'a [HashMap<String, ContextId>],
syntaxes: &'a [SyntaxReference],
predicate: impl FnMut(&(usize, &SyntaxReference)) -> bool,
) -> Option<&'a ContextId> {
let context_name = sub_context.as_ref().map_or("main", |x| &**x);
syntaxes
.iter()
.enumerate()
.rev()
.find(predicate)
.and_then(|index_and_syntax| all_context_ids[index_and_syntax.0].get(context_name))
}
fn link_match_pat(
match_pat: &mut MatchPattern,
syntax_index: usize,
all_context_ids: &[HashMap<String, ContextId>],
syntaxes: &[SyntaxReference],
) {
let maybe_context_refs = match match_pat.operation {
MatchOperation::Push(ref mut context_refs)
| MatchOperation::Set(ref mut context_refs) => Some(context_refs),
MatchOperation::Pop | MatchOperation::None => None,
};
if let Some(context_refs) = maybe_context_refs {
for context_ref in context_refs.iter_mut() {
Self::link_ref(context_ref, syntax_index, all_context_ids, syntaxes);
}
}
if let Some(ref mut context_ref) = match_pat.with_prototype {
Self::link_ref(context_ref, syntax_index, all_context_ids, syntaxes);
}
}
}
#[derive(Debug)]
struct FirstLineCache {
/// (first line regex, syntax index) pairs for all syntaxes with a first line regex
regexes: Vec<(Regex, usize)>,
}
impl FirstLineCache {
fn new(syntaxes: &[SyntaxReference]) -> FirstLineCache {
let mut regexes = Vec::new();
for (i, syntax) in syntaxes.iter().enumerate() {
if let Some(ref reg_str) = syntax.first_line_match {
let reg = Regex::new(reg_str.into());
regexes.push((reg, i));
}
}
FirstLineCache { regexes }
}
}
#[cfg(feature = "yaml-load")]
#[cfg(test)]
mod tests {
use super::*;
use crate::parsing::{syntax_definition, ParseState, Scope};
use std::collections::HashMap;
#[test]
fn can_load() {
let mut builder = SyntaxSetBuilder::new();
builder.add_from_folder("testdata/Packages", false).unwrap();
let cmake_dummy_syntax = SyntaxDefinition {
name: "CMake".to_string(),
file_extensions: vec!["CMakeLists.txt".to_string(), "cmake".to_string()],
scope: Scope::new("source.cmake").unwrap(),
first_line_match: None,
hidden: false,
variables: HashMap::new(),
contexts: HashMap::new(),
};
builder.add(cmake_dummy_syntax);
builder.add_plain_text_syntax();
let ps = builder.build();
assert_eq!(
&ps.find_syntax_by_first_line("#!/usr/bin/env node")
.unwrap()
.name,
"JavaScript"
);
let rails_scope = Scope::new("source.ruby.rails").unwrap();
let syntax = ps.find_syntax_by_name("Ruby on Rails").unwrap();
ps.find_syntax_plain_text();
assert_eq!(&ps.find_syntax_by_extension("rake").unwrap().name, "Ruby");
assert_eq!(&ps.find_syntax_by_extension("RAKE").unwrap().name, "Ruby");
assert_eq!(&ps.find_syntax_by_token("ruby").unwrap().name, "Ruby");
assert_eq!(
&ps.find_syntax_by_first_line("lol -*- Mode: C -*- such line")
.unwrap()
.name,
"C"
);
assert_eq!(
&ps.find_syntax_for_file("testdata/parser.rs")
.unwrap()
.unwrap()
.name,
"Rust"
);
assert_eq!(
&ps.find_syntax_for_file("testdata/test_first_line.test")
.expect("Error finding syntax for file")
.expect("No syntax found for file")
.name,
"Ruby"
);
assert_eq!(
&ps.find_syntax_for_file(".bashrc").unwrap().unwrap().name,
"Bourne Again Shell (bash)"
);
assert_eq!(
&ps.find_syntax_for_file("CMakeLists.txt")
.unwrap()
.unwrap()
.name,
"CMake"
);
assert_eq!(
&ps.find_syntax_for_file("test.cmake").unwrap().unwrap().name,
"CMake"
);
assert_eq!(
&ps.find_syntax_for_file("Rakefile").unwrap().unwrap().name,
"Ruby"
);
assert!(&ps.find_syntax_by_first_line("derp derp hi lol").is_none());
assert_eq!(
&ps.find_syntax_by_path("Packages/Rust/Rust.sublime-syntax")
.unwrap()
.name,
"Rust"
);
// println!("{:#?}", syntax);
assert_eq!(syntax.scope, rails_scope);
// unreachable!();
let main_context = ps
.get_context(&syntax.context_ids()["main"])
.expect("#[cfg(test)]");
let count = syntax_definition::context_iter(&ps, main_context).count();
assert_eq!(count, 109);
}
#[test]
fn can_clone() {
let cloned_syntax_set = {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.add(syntax_b());
let syntax_set_original = builder.build();
#[allow(clippy::redundant_clone)] // We want to test .clone()
syntax_set_original.clone()
// Note: The original syntax set is dropped
};
let syntax = cloned_syntax_set.find_syntax_by_extension("a").unwrap();
let mut parse_state = ParseState::new(syntax);
let ops = parse_state
.parse_line("a go_b b", &cloned_syntax_set)
.expect("#[cfg(test)]");
let expected = (7, ScopeStackOp::Push(Scope::new("b").unwrap()));
assert_ops_contain(&ops, &expected);
}
#[test]
fn can_list_added_syntaxes() {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.add(syntax_b());
let syntaxes = builder.syntaxes();
assert_eq!(syntaxes.len(), 2);
assert_eq!(syntaxes[0].name, "A");
assert_eq!(syntaxes[1].name, "B");
}
#[test]
fn can_add_more_syntaxes_with_builder() {
let syntax_set_original = {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.add(syntax_b());
builder.build()
};
let mut builder = syntax_set_original.into_builder();
let syntax_c = SyntaxDefinition::load_from_str(
r#"
name: C
scope: source.c
file_extensions: [c]
contexts:
main:
- match: 'c'
scope: c
- match: 'go_a'
push: scope:source.a#main
"#,
true,
None,
)
.unwrap();
builder.add(syntax_c);
let syntax_set = builder.build();
let syntax = syntax_set.find_syntax_by_extension("c").unwrap();
let mut parse_state = ParseState::new(syntax);
let ops = parse_state
.parse_line("c go_a a go_b b", &syntax_set)
.expect("#[cfg(test)]");
let expected = (14, ScopeStackOp::Push(Scope::new("b").unwrap()));
assert_ops_contain(&ops, &expected);
}
#[test]
fn falls_back_to_plain_text_when_embedded_scope_is_missing() {
test_plain_text_fallback(
r#"
name: Z
scope: source.z
file_extensions: [z]
contexts:
main:
- match: 'z'
scope: z
- match: 'go_x'
embed: scope:does.not.exist
escape: 'leave_x'
"#,
);
}
#[test]
fn falls_back_to_plain_text_when_embedded_file_is_missing() {
test_plain_text_fallback(
r#"
name: Z
scope: source.z
file_extensions: [z]
contexts:
main:
- match: 'z'
scope: z
- match: 'go_x'
embed: DoesNotExist.sublime-syntax
escape: 'leave_x'
"#,
);
}
fn test_plain_text_fallback(syntax_definition: &str) {
let syntax = SyntaxDefinition::load_from_str(syntax_definition, true, None).unwrap();
let mut builder = SyntaxSetBuilder::new();
builder.add_plain_text_syntax();
builder.add(syntax);
let syntax_set = builder.build();
let syntax = syntax_set.find_syntax_by_extension("z").unwrap();
let mut parse_state = ParseState::new(syntax);
let ops = parse_state
.parse_line("z go_x x leave_x z", &syntax_set)
.unwrap();
let expected_ops = vec![
(0, ScopeStackOp::Push(Scope::new("source.z").unwrap())),
(0, ScopeStackOp::Push(Scope::new("z").unwrap())),
(1, ScopeStackOp::Pop(1)),
(6, ScopeStackOp::Push(Scope::new("text.plain").unwrap())),
(9, ScopeStackOp::Pop(1)),
(17, ScopeStackOp::Push(Scope::new("z").unwrap())),
(18, ScopeStackOp::Pop(1)),
];
assert_eq!(ops, expected_ops);
}
#[test]
fn can_find_unlinked_contexts() {
let syntax_set = {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.add(syntax_b());
builder.build()
};
let unlinked_contexts = syntax_set.find_unlinked_contexts();
assert_eq!(unlinked_contexts.len(), 0);
let syntax_set = {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.build()
};
let unlinked_contexts: Vec<String> =
syntax_set.find_unlinked_contexts().into_iter().collect();
assert_eq!(unlinked_contexts.len(), 1);
assert_eq!(unlinked_contexts[0], "Syntax 'A' with scope 'source.a' has unresolved context reference ByScope { scope: <source.b>, sub_context: Some(\"main\"), with_escape: false }");
}
#[test]
fn can_use_in_multiple_threads() {
use rayon::prelude::*;
let syntax_set = {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.add(syntax_b());
builder.build()
};
let lines = vec!["a a a", "a go_b b", "go_b b", "go_b b b"];
let results: Vec<Vec<(usize, ScopeStackOp)>> = lines
.par_iter()
.map(|line| {
let syntax = syntax_set.find_syntax_by_extension("a").unwrap();
let mut parse_state = ParseState::new(syntax);
parse_state
.parse_line(line, &syntax_set)
.expect("#[cfg(test)]")
})
.collect();
assert_ops_contain(
&results[0],
&(4, ScopeStackOp::Push(Scope::new("a").unwrap())),
);
assert_ops_contain(
&results[1],
&(7, ScopeStackOp::Push(Scope::new("b").unwrap())),
);
assert_ops_contain(
&results[2],
&(5, ScopeStackOp::Push(Scope::new("b").unwrap())),
);
assert_ops_contain(
&results[3],
&(8, ScopeStackOp::Push(Scope::new("b").unwrap())),
);
}
#[test]
fn is_sync() {
check_sync::<SyntaxSet>();
}
#[test]
fn is_send() {
check_send::<SyntaxSet>();
}
#[test]
fn can_override_syntaxes() {
let syntax_set = {
let mut builder = SyntaxSetBuilder::new();
builder.add(syntax_a());
builder.add(syntax_b());
let syntax_a2 = SyntaxDefinition::load_from_str(
r#"
name: A improved
scope: source.a
file_extensions: [a]
first_line_match: syntax\s+a
contexts:
main:
- match: a
scope: a2
- match: go_b
push: scope:source.b#main
"#,
true,
None,
)
.unwrap();
builder.add(syntax_a2);
let syntax_c = SyntaxDefinition::load_from_str(
r#"
name: C
scope: source.c
file_extensions: [c]
first_line_match: syntax\s+.*
contexts:
main:
- match: c
scope: c
- match: go_a
push: scope:source.a#main
"#,
true,
None,
)
.unwrap();
builder.add(syntax_c);
builder.build()
};
let mut syntax = syntax_set.find_syntax_by_extension("a").unwrap();
assert_eq!(syntax.name, "A improved");
syntax = syntax_set
.find_syntax_by_scope(Scope::new("source.a").unwrap())
.unwrap();
assert_eq!(syntax.name, "A improved");
syntax = syntax_set.find_syntax_by_first_line("syntax a").unwrap();
assert_eq!(syntax.name, "C");
let mut parse_state = ParseState::new(syntax);
let ops = parse_state
.parse_line("c go_a a", &syntax_set)
.expect("msg");
let expected = (7, ScopeStackOp::Push(Scope::new("a2").unwrap()));
assert_ops_contain(&ops, &expected);
}
#[test]
fn can_parse_issue219() {
// Go to builder and back after loading so that build() gets Direct references instead of
// Named ones. The bug was that Direct references were not handled when marking as
// "no prototype", so prototype contexts accidentally had the prototype set, which made
// the parser loop forever.
let syntax_set = SyntaxSet::load_defaults_newlines().into_builder().build();
let syntax = syntax_set.find_syntax_by_extension("yaml").unwrap();
let mut parse_state = ParseState::new(syntax);
let ops = parse_state
.parse_line("# test\n", &syntax_set)
.expect("#[cfg(test)]");
let expected = (
0,
ScopeStackOp::Push(Scope::new("comment.line.number-sign.yaml").unwrap()),
);
assert_ops_contain(&ops, &expected);
}
#[test]
fn no_prototype_for_contexts_included_from_prototype() {
let mut builder = SyntaxSetBuilder::new();
let syntax = SyntaxDefinition::load_from_str(
r#"
name: Test Prototype
scope: source.test
file_extensions: [test]
contexts:
prototype:
- include: included_from_prototype
main:
- match: main
- match: other
push: other
other:
- match: o
included_from_prototype:
- match: p
scope: p
"#,
true,
None,
)
.unwrap();
builder.add(syntax);
let ss = builder.build();
// "main" and "other" should have context set, "prototype" and "included_from_prototype"
// must not have a prototype set.
assert_prototype_only_on(&["main", "other"], &ss, &ss.syntaxes()[0]);
// Building again should have the same result. The difference is that after the first
// build(), the references have been replaced with Direct references, so the code needs to
// handle that correctly.
let rebuilt = ss.into_builder().build();
assert_prototype_only_on(&["main", "other"], &rebuilt, &rebuilt.syntaxes()[0]);
}
#[test]
fn no_prototype_for_contexts_inline_in_prototype() {
let mut builder = SyntaxSetBuilder::new();
let syntax = SyntaxDefinition::load_from_str(
r#"
name: Test Prototype
scope: source.test
file_extensions: [test]
contexts:
prototype:
- match: p
push:
- match: p2
main:
- match: main
"#,
true,
None,
)
.unwrap();
builder.add(syntax);
let ss = builder.build();
assert_prototype_only_on(&["main"], &ss, &ss.syntaxes()[0]);
let rebuilt = ss.into_builder().build();
assert_prototype_only_on(&["main"], &rebuilt, &rebuilt.syntaxes()[0]);
}
#[test]
fn find_syntax_set_from_line_with_bom() {
// Regression test for #529
let syntax_set = SyntaxSet::load_defaults_newlines();
let syntax_ref = syntax_set
.find_syntax_by_first_line("\u{feff}<?xml version=\"1.0\"?>")
.unwrap();
assert_eq!(syntax_ref.name, "XML");
}
fn assert_ops_contain(ops: &[(usize, ScopeStackOp)], expected: &(usize, ScopeStackOp)) {
assert!(
ops.contains(expected),
"expected operations to contain {:?}: {:?}",
expected,
ops
);
}
fn assert_prototype_only_on(
expected: &[&str],
syntax_set: &SyntaxSet,
syntax: &SyntaxReference,
) {
for (name, id) in syntax.context_ids() {
if name == "__main" || name == "__start" {
// Skip special contexts
continue;
}
let context = syntax_set.get_context(id).expect("#[cfg(test)]");
if expected.contains(&name.as_str()) {
assert!(
context.prototype.is_some(),
"Expected context {} to have prototype",
name
);
} else {
assert!(
context.prototype.is_none(),
"Expected context {} to not have prototype",
name
);
}
}
}
fn check_send<T: Send>() {}
fn check_sync<T: Sync>() {}
fn syntax_a() -> SyntaxDefinition {
SyntaxDefinition::load_from_str(
r#"
name: A
scope: source.a
file_extensions: [a]
contexts:
main:
- match: 'a'
scope: a
- match: 'go_b'
push: scope:source.b#main
"#,
true,
None,
)
.unwrap()
}
fn syntax_b() -> SyntaxDefinition {
SyntaxDefinition::load_from_str(
r#"
name: B
scope: source.b
file_extensions: [b]
contexts:
main:
- match: 'b'
scope: b
"#,
true,
None,
)
.unwrap()
}
}