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
|
defmodule Makeup.Lexers.ElixirLexer do
@moduledoc """
A `Makeup` lexer for the Elixir language.
"""
import NimbleParsec
import Makeup.Lexer.Combinators
import Makeup.Lexer.Groups
import Makeup.Lexers.ElixirLexer.Helper
@behaviour Makeup.Lexer
###################################################################
# Step #1: tokenize the input (into a list of tokens)
###################################################################
# We will often compose combinators into larger combinators.
# Sometimes, the smaller combinator is useful on its own as a token, and sometimes it isn't.
# We'll adopt the following "convention":
#
# 1. A combinator that ends with `_name` returns a string
# 2. Other combinators will *usually* return a token
#
# Why this convention? Tokens can't be composed further, while raw strings can.
# This way, we immediately know which of the combinators we can compose.
# TODO: check we're following this convention
# NOTE: if Elixir had a good static type system it would help us do the right thing here.
whitespace = ascii_string([?\r, ?\s, ?\n, ?\t], min: 1) |> token(:whitespace)
newlines =
optional(ascii_string([?\s, ?\t, ?\r], min: 1))
|> choice([string("\r\n"), string("\n")])
|> optional(ascii_string([?\s, ?\n, ?\f, ?\r], min: 1))
|> token(:whitespace)
any_char = utf8_char([]) |> token(:error)
# Numbers
digits = ascii_string([?0..?9], min: 1)
bin_digits = ascii_string([?0..?1], min: 1)
hex_digits = ascii_string([?0..?9, ?a..?f, ?A..?F], min: 1)
oct_digits = ascii_string([?0..?7], min: 1)
# Digits in an integer may be separated by underscores
number_bin_part = with_optional_separator(bin_digits, "_")
number_oct_part = with_optional_separator(oct_digits, "_")
number_hex_part = with_optional_separator(hex_digits, "_")
integer = with_optional_separator(digits, "_")
# Tokens for the lexer
number_bin = string("0b") |> concat(number_bin_part) |> token(:number_bin)
number_oct = string("0o") |> concat(number_oct_part) |> token(:number_oct)
number_hex = string("0x") |> concat(number_hex_part) |> token(:number_hex)
# Base 10
number_integer = token(integer, :number_integer)
# Floating point numbers
float_scientific_notation_part =
ascii_string([?e, ?E], 1)
|> optional(string("-"))
|> concat(integer)
number_float =
integer
|> string(".")
|> concat(integer)
|> optional(float_scientific_notation_part)
|> token(:number_float)
variable_name =
parsec({Makeup.Lexers.ElixirLexer.Variables, :variable_start_chars})
|> repeat(parsec({Makeup.Lexers.ElixirLexer.Variables, :variable_continue_chars}))
|> optional(utf8_char([??, ?!]))
variable =
variable_name
|> lexeme
|> token(:name)
# TODO: as above
alias_part =
ascii_string([?A..?Z], 1)
|> optional(ascii_string([?a..?z, ?_, ?0..?9, ?A..?Z], min: 1))
module_name = alias_part |> concat(repeat(string(".") |> concat(alias_part)))
module = token(module_name, :name_class)
operator_name = word_from_list(~W(
<<< >>> ||| &&& ^^^ ~~~ === !== ~>> <~> |~> <|>
== != <= >= && || \\ <> ++ -- |> =~ -> <- ~> <~ :: ..
= < > + - * / | . ^ & ! //
))
operator = token(operator_name, :operator)
# The lexer needs to test these before `>>` and `<<`
bitshifts =
word_from_list(~W(<<< >>>))
|> token(:operator)
special_atom_name = word_from_list(~W(... <<>> %{} % {} ..//))
triple_dot = token("...", :name)
map_arrow = token("=>", :punctuation)
anon_function_arguments =
string("&")
|> concat(digits)
|> token(:name_entity)
normal_char =
string("?")
|> utf8_string([], 1)
|> token(:string_char)
escape_char =
string("?\\")
|> utf8_string([], 1)
|> token(:string_char)
special_atom =
string(":")
|> concat(special_atom_name)
|> token(:string_symbol)
attribute =
string("@")
|> concat(variable_name)
|> token(:name_attribute)
punctuation =
word_from_list(
[":", ";", ",", ".", "%"],
:punctuation
)
# Combinators that highlight elixir expressions surrounded by a pair of delimiters.
# Most of the time, the delimiters can be described by symple characters, but the
# combinator that parses a struct is more complex
interpolation = many_surrounded_by(parsec(:root_element), "\#{", "}", :string_interpol)
tuple = many_surrounded_by(parsec(:root_element), "{", "}")
binary_inside_opaque_struct = many_surrounded_by(parsec(:root_element), "<<", ">>")
# Only for the IEx lexer (it's not valid Elixir code):
opaque_struct =
many_surrounded_by(
choice([
binary_inside_opaque_struct,
parsec(:root_element)
]),
token("#", :punctuation) |> concat(module) |> concat(token("<", :punctuation)),
token(">", :punctuation)
)
delimiters_punctuation =
word_from_list(
~W"( ) [ ] << >>",
:punctuation
)
map = many_surrounded_by(parsec(:root_element), "%{", "}")
delimiter_pairs = [
delimiters_punctuation,
tuple,
map
]
normal_atom_name =
parsec({Makeup.Lexers.ElixirLexer.Atoms, :atom_start_chars})
|> repeat(parsec({Makeup.Lexers.ElixirLexer.Atoms, :atom_continue_chars}))
|> optional(utf8_char([??, ?!]))
normal_atom =
string(":")
|> choice([operator_name, normal_atom_name])
|> token(:string_symbol)
unicode_char_in_string =
string("\\u")
|> ascii_string([?0..?9, ?a..?f, ?A..?F], 4)
|> token(:string_escape)
escaped_char =
string("\\")
|> utf8_string([], 1)
|> token(:string_escape)
# We must support iex prompts inside a string, sigil or heredoc.
# For example:
#
# iex(1)> a = """
# ...(1)> line1
# ...(1)> line2
# ...(1)> """
#
# Inside the string we don't expect the `iex>` prompt, only the `...>` prompt.
iex_prompt_inside_string =
string("\n...")
|> optional(string("(") |> ascii_string([not: ?)], min: 1) |> string(")"))
|> string(">")
|> optional(string(" "))
|> token(:generic_prompt, %{selectable: false})
combinators_inside_string = [
unicode_char_in_string,
escaped_char,
interpolation,
iex_prompt_inside_string
]
string_atom =
choice([
string_like(":\"", "\"", combinators_inside_string, :string_symbol),
string_like(":'", "'", combinators_inside_string, :string_symbol)
])
atom =
choice([
special_atom,
normal_atom,
string_atom
])
string_keyword =
choice([
string_like("\"", "\"", combinators_inside_string, :string_symbol),
string_like("'", "'", combinators_inside_string, :string_symbol)
])
|> concat(token(string(":"), :punctuation))
normal_keyword =
choice([operator_name, normal_atom_name])
|> token(:string_symbol)
|> concat(token(string(":"), :punctuation))
keyword =
choice([
normal_keyword,
string_keyword
])
|> lookahead(whitespace)
sigil_delimiters = [
{~S["""], ~S["""]},
{"'''", "'''"},
{"\"", "\""},
{"'", "'"},
{"/", "/"},
{"{", "}"},
{"[", "]"},
{"(", ")"},
{"<", ">"},
{"|", "|"}
]
sigils_interpol =
for {ldelim, rdelim} <- sigil_delimiters do
sigil(ldelim, rdelim, utf8_string([?a..?z], 1), combinators_inside_string)
end
sigils_no_interpol =
for {ldelim, rdelim} <- sigil_delimiters do
sigil(ldelim, rdelim, ascii_string([?A..?Z], min: 1), [
escape_delim(rdelim),
iex_prompt_inside_string
])
end
all_sigils = sigils_interpol ++ sigils_no_interpol
double_quoted_string_interpol = string_like("\"", "\"", combinators_inside_string, :string)
single_quoted_string_interpol = string_like("'", "'", combinators_inside_string, :string_char)
double_quoted_heredocs = string_like(~S["""], ~S["""], combinators_inside_string, :string)
single_quoted_heredocs = string_like("'''", "'''", combinators_inside_string, :string_char)
# `#PID<123.456.789>`
pid =
token("#", :punctuation)
|> concat(token("PID", :name_class))
|> concat(token("<", :punctuation))
|> concat(number_integer)
|> concat(token(".", :operator))
|> concat(number_integer)
|> concat(token(".", :operator))
|> concat(number_integer)
|> concat(token(">", :punctuation))
line = repeat(lookahead_not(ascii_char([?\n])) |> utf8_string([], 1))
inline_comment =
string("#")
|> concat(line)
|> token(:comment_single)
# An IEx prompt is supported in the normal Elixir lexer because false positives
# would be extremely rare
iex_prompt =
choice([string("iex"), string("...")])
|> optional(string("(") |> ascii_string([not: ?)], min: 1) |> string(")"))
|> string(">")
|> optional(string(" "))
|> token(:generic_prompt, %{selectable: false})
stacktrace =
string("** (")
# The rest of the line is part of the traceback
|> concat(line)
# All lines indented by 4 spaces are part of the traceback
|> repeat(string("\n ") |> concat(line))
|> token(:generic_traceback)
root_element_combinator =
choice(
[
# START of IEx-specific tokens
# IEx prompt must come before names
newlines |> choice([iex_prompt, stacktrace]),
# a PID is a special kind of opaque struct
pid,
# Opaque struct (must come before inline comments)
opaque_struct,
# END of IEx-specific tokens
whitespace,
# Comments
inline_comment,
# Syntax sugar for keyword lists (must come before variables and strings)
keyword,
# Strings and sigils
double_quoted_heredocs,
single_quoted_heredocs,
double_quoted_string_interpol,
single_quoted_string_interpol
] ++
all_sigils ++
[
# Chars
escape_char,
normal_char,
# Atoms
atom,
# Module attributes
attribute,
# Anonymous function arguments (must come before the operators)
anon_function_arguments,
# Bitwise operators must match first
bitshifts
# Matching delimiters
] ++
delimiter_pairs ++
[
# Triple dot (must come before operators)
triple_dot,
# Map arrow (must come before operators)
map_arrow,
# Operators
operator,
# Numbers
number_bin,
number_oct,
number_hex,
# Floats must come before integers
number_float,
number_integer,
# Names
variable,
# Module names
module,
punctuation,
# If we can't parse any of the above, we highlight the next character as an error
# and proceed from there.
# A lexer should always consume any string given as input.
any_char
]
)
# By default, don't inline the lexers.
# Inlining them increases performance by ~20%
# at the cost of doubling the compilation times...
@inline false
@doc false
def __as_elixir_language__({ttype, meta, value}) do
{ttype, Map.put(meta, :language, :elixir), value}
end
# Semi-public API: these two functions can be used by someone who wants to
# embed an Elixir lexer into another lexer, but other than that, they are not
# meant to be used by end-users.
# @impl Makeup.Lexer
defparsec(
:root_element,
root_element_combinator |> map({__MODULE__, :__as_elixir_language__, []}),
inline: @inline,
export_combinator: true
)
# @impl Makeup.Lexer
defparsec(
:root,
repeat(parsec(:root_element)),
inline: @inline,
export_combinator: true
)
###################################################################
# Step #2: postprocess the list of tokens
###################################################################
@def_like ~W[def defp defmacro defmacrop defguard defguardp defn defnp]
@keyword_declaration @def_like ++ ~W[
defmodule defprotocol defdelegate defexception defstruct defimpl]
@keyword ~W[
fn do end after else rescue catch with
case cond for if unless try receive raise
quote unquote unquote_splicing throw super]
@operator_word ~W[not and or when in]
@keyword_namespace ~W[import require use alias]
@name_constant ~W[nil true false]
@name_builtin_pseudo ~W[_ __MODULE__ __DIR__ __ENV__ __CALLER__]
# The `postprocess/1` function will require a major redesign when we decide to support
# custom `def`-like keywords supplied by the user.
defp postprocess_helper([]), do: []
# In an expression such as:
#
# def a + b, do: nil
#
# the variable_name `a` is a parameter for the `+/2` operator.
# It should not be highlighted as a function name.
# for that, we must scan a little further (one additional token) for the operator.
defp postprocess_helper([
{:name, attrs1, text1},
{:whitespace, _, _} = ws1,
{:name, _, text2} = param,
{:whitespace, _, _} = ws2,
{:operator, _, _} = op
| tokens
])
when text1 in @def_like and text2 != "unquote" do
[{:keyword_declaration, attrs1, text1}, ws1, param, ws2, op | postprocess_helper(tokens)]
end
# The same as above without whitespace
defp postprocess_helper([
{:name, attrs1, text1},
{:whitespace, _, _} = ws,
{:name, _, text2} = param,
{:operator, _, _} = op
| tokens
])
when text1 in @def_like and text2 != "unquote" do
[{:keyword_declaration, attrs1, text1}, ws, param, op | postprocess_helper(tokens)]
end
# If we're matching this branch, we already know that this is not an operator definition.
# We can highlight the variable_name after the function name as a function name.
defp postprocess_helper([
{:name, attrs1, text1},
{:whitespace, _, _} = ws,
{:name, attrs2, text2} | tokens
])
when text1 in @def_like and text2 != "unquote" do
[
{:keyword_declaration, attrs1, text1},
ws,
{:name_function, attrs2, text2} | postprocess_helper(tokens)
]
end
# When calling functions from an erlang module, highlight the atom as a module.
#
# :crypto.strong_rand_bytes(4)
defp postprocess_helper([
{:string_symbol, attrs1, [":" | _] = module},
{:operator, _, "."} = op,
{:name, _, _} = text
| tokens
]) do
[{:name_class, attrs1, module}, op, text | postprocess_helper(tokens)]
end
defp postprocess_helper([{:name, attrs, text} | tokens]) when text in @keyword,
do: [{:keyword, attrs, text} | postprocess_helper(tokens)]
defp postprocess_helper([{:name, attrs, text} | tokens]) when text in @keyword_declaration,
do: [{:keyword_declaration, attrs, text} | postprocess_helper(tokens)]
defp postprocess_helper([{:name, attrs, text} | tokens]) when text in @operator_word,
do: [{:operator_word, attrs, text} | postprocess_helper(tokens)]
defp postprocess_helper([{:name, attrs, text} | tokens]) when text in @keyword_namespace,
do: [{:keyword_namespace, attrs, text} | postprocess_helper(tokens)]
defp postprocess_helper([{:name, attrs, text} | tokens]) when text in @name_constant,
do: [{:name_constant, attrs, text} | postprocess_helper(tokens)]
defp postprocess_helper([{:name, attrs, text} | tokens]) when text in @name_builtin_pseudo,
do: [{:name_builtin_pseudo, attrs, text} | postprocess_helper(tokens)]
# Unused variables
defp postprocess_helper([{:name, attrs, "_" <> _name = text} | tokens]),
do: [{:comment, attrs, text} | postprocess_helper(tokens)]
# Custom sigil lexers
defp postprocess_helper([{:string_sigil, attrs, content} | tokens]) do
# content is a list of the format ["~", sigil_char, separator, ... sigil_content ..., end_separator]
sigil =
content
|> Enum.at(1)
|> List.wrap()
|> List.to_string()
{lexer, options} = Map.get(get_sigil_lexers(), sigil, {nil, []})
if lexer do
["~", _sigil, separator | content_with_end_separator] = content
end_separator = Enum.at(content_with_end_separator, -1)
content = Enum.slice(content_with_end_separator, 0..-2//1) |> List.to_string()
inner_tokens = lexer.lex(content, options)
List.flatten([
{:string_sigil, attrs, "~#{sigil}#{separator}"},
inner_tokens,
[{:string_sigil, attrs, end_separator}]
| postprocess_helper(tokens)
])
else
[{:string_sigil, attrs, content} | postprocess_helper(tokens)]
end
end
# Otherwise, don't do anything with the current token and go to the next token.
defp postprocess_helper([token | tokens]), do: [token | postprocess_helper(tokens)]
# Public API
@impl Makeup.Lexer
def postprocess(tokens, _opts \\ []), do: postprocess_helper(tokens)
###################################################################
# Step #3: highlight matching delimiters
###################################################################
@impl Makeup.Lexer
defgroupmatcher(:match_groups,
do_end: [
open: [
[{:keyword, %{language: :elixir}, "do"}]
],
middle: [
[{:keyword, %{language: :elixir}, "else"}],
[{:keyword, %{language: :elixir}, "catch"}],
[{:keyword, %{language: :elixir}, "rescue"}],
[{:keyword, %{language: :elixir}, "after"}]
],
close: [
[{:keyword, %{language: :elixir}, "end"}]
]
],
fn_end: [
open: [[{:keyword, %{language: :elixir}, "fn"}]],
close: [[{:keyword, %{language: :elixir}, "end"}]]
],
parentheses: [
open: [[{:punctuation, %{language: :elixir}, "("}]],
close: [[{:punctuation, %{language: :elixir}, ")"}]]
],
list: [
open: [
[{:punctuation, %{language: :elixir}, "["}]
],
close: [
[{:punctuation, %{language: :elixir}, "]"}]
]
],
tuple: [
open: [
[{:punctuation, %{language: :elixir}, "{"}]
],
close: [
[{:punctuation, %{language: :elixir}, "}"}]
]
],
map: [
open: [
[{:punctuation, %{language: :elixir}, "%{"}]
],
close: [
[{:punctuation, %{language: :elixir}, "}"}]
]
],
struct: [
open: [
[
{:punctuation, %{language: :elixir}, "%"},
{:name_class, %{language: :elixir}, _},
{:punctuation, %{language: :elixir}, "{"}
]
],
close: [
[{:punctuation, %{language: :elixir}, "}"}]
]
],
opaque_struct: [
open: [
[
{:punctuation, %{language: :elixir}, "#"},
{:name_class, %{language: :elixir}, _},
{:punctuation, %{language: :elixir}, "<"}
]
],
close: [
[{:punctuation, %{language: :elixir}, ">"}]
]
],
binaries: [
open: [
[{:punctuation, %{language: :elixir}, "<<"}]
],
close: [
[{:punctuation, %{language: :elixir}, ">>"}]
]
],
interpolation: [
open: [
[{:string_interpol, %{language: :elixir}, "\#{"}]
],
close: [
[{:string_interpol, %{language: :elixir}, "}"}]
]
]
)
defp remove_initial_newline([{ttype, meta, text} | tokens]) do
case to_string(text) do
"\n" -> tokens
"\n" <> rest -> [{ttype, meta, rest} | tokens]
end
end
# Finally, the public API for the lexer
@impl Makeup.Lexer
def lex(text, opts \\ []) do
group_prefix = Keyword.get(opts, :group_prefix, random_prefix(10))
{:ok, tokens, "", _, _, _} = root("\n" <> text)
tokens
|> remove_initial_newline()
|> postprocess([])
|> match_groups(group_prefix)
end
@doc """
Register a custom lexer to be used for lexing sigil contents.
## Examples
> Makeup.Lexers.ElixirLexer.register_sigil_lexer("H", Makeup.Lexers.HEExLexer)
"""
def register_sigil_lexer(sigil, lexer, options \\ []) do
lexers = get_sigil_lexers()
Application.put_env(:makeup_elixir, :sigil_lexers, Map.put(lexers, sigil, {lexer, options}))
end
defp get_sigil_lexers() do
Application.fetch_env!(:makeup_elixir, :sigil_lexers)
end
end
|