-
-
Notifications
You must be signed in to change notification settings - Fork 5.5k
/
Copy pathREPLCompletions.jl
1601 lines (1453 loc) · 67.3 KB
/
REPLCompletions.jl
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
# This file is a part of Julia. License is MIT: https://julialang.org/license
module REPLCompletions
export completions, shell_completions, bslash_completions, completion_text, named_completion
using Core: Const
# We want to insulate the REPLCompletion module from any changes the user may
# make to the compiler, since it runs by default and the system becomes unusable
# if it breaks.
const CC = Base.Compiler
using Base.Meta
using Base: propertynames, something, IdSet
using Base.Filesystem: _readdirx
using ..REPL.LineEdit: NamedCompletion
abstract type Completion end
struct TextCompletion <: Completion
text::String
end
struct KeywordCompletion <: Completion
keyword::String
end
struct KeyvalCompletion <: Completion
keyval::String
end
struct PathCompletion <: Completion
path::String
end
struct ModuleCompletion <: Completion
parent::Module
mod::String
end
struct PackageCompletion <: Completion
package::String
end
struct PropertyCompletion <: Completion
value
property::Symbol
end
struct FieldCompletion <: Completion
typ::DataType
field::Symbol
end
struct MethodCompletion <: Completion
tt # may be used by an external consumer to infer return type, etc.
method::Method
MethodCompletion(@nospecialize(tt), method::Method) = new(tt, method)
end
struct BslashCompletion <: Completion
completion::String # what is actually completed, for example "\trianglecdot"
name::String # what is displayed, for example "◬ \trianglecdot"
end
BslashCompletion(completion::String) = BslashCompletion(completion, completion)
struct ShellCompletion <: Completion
text::String
end
struct DictCompletion <: Completion
dict::AbstractDict
key::String
end
struct KeywordArgumentCompletion <: Completion
kwarg::String
end
# interface definition
function Base.getproperty(c::Completion, name::Symbol)
if name === :text
return getfield(c, :text)::String
elseif name === :keyword
return getfield(c, :keyword)::String
elseif name === :path
return getfield(c, :path)::String
elseif name === :parent
return getfield(c, :parent)::Module
elseif name === :mod
return getfield(c, :mod)::String
elseif name === :package
return getfield(c, :package)::String
elseif name === :property
return getfield(c, :property)::Symbol
elseif name === :field
return getfield(c, :field)::Symbol
elseif name === :method
return getfield(c, :method)::Method
elseif name === :bslash
return getfield(c, :bslash)::String
elseif name === :text
return getfield(c, :text)::String
elseif name === :key
return getfield(c, :key)::String
elseif name === :kwarg
return getfield(c, :kwarg)::String
end
return getfield(c, name)
end
_completion_text(c::TextCompletion) = c.text
_completion_text(c::KeywordCompletion) = c.keyword
_completion_text(c::KeyvalCompletion) = c.keyval
_completion_text(c::PathCompletion) = c.path
_completion_text(c::ModuleCompletion) = c.mod
_completion_text(c::PackageCompletion) = c.package
_completion_text(c::PropertyCompletion) = sprint(Base.show_sym, c.property)
_completion_text(c::FieldCompletion) = sprint(Base.show_sym, c.field)
_completion_text(c::MethodCompletion) = repr(c.method)
_completion_text(c::ShellCompletion) = c.text
_completion_text(c::DictCompletion) = c.key
_completion_text(c::KeywordArgumentCompletion) = c.kwarg*'='
completion_text(c) = _completion_text(c)::String
named_completion(c::BslashCompletion) = NamedCompletion(c.completion, c.name)
function named_completion(c)
text = completion_text(c)::String
return NamedCompletion(text, text)
end
named_completion_completion(c) = named_completion(c).completion::String
const Completions = Tuple{Vector{Completion}, UnitRange{Int}, Bool}
function completes_global(x, name)
return startswith(x, name) && !('#' in x)
end
function appendmacro!(syms, macros, needle, endchar)
for macsym in macros
s = String(macsym)
if endswith(s, needle)
from = nextind(s, firstindex(s))
to = prevind(s, sizeof(s)-sizeof(needle)+1)
push!(syms, s[from:to]*endchar)
end
end
end
function append_filtered_mod_names!(ffunc::Function, suggestions::Vector{Completion},
mod::Module, name::String, complete_internal_only::Bool)
imported = usings = !complete_internal_only
ssyms = names(mod; all=true, imported, usings)
filter!(ffunc, ssyms)
macros = filter(x -> startswith(String(x), "@" * name), ssyms)
# don't complete string and command macros when the input matches the internal name like `r_` to `r"`
if !startswith(name, "@")
filter!(macros) do m
s = String(m)
if endswith(s, "_str") || endswith(s, "_cmd")
occursin(name, first(s, length(s)-4))
else
true
end
end
end
syms = String[sprint((io,s)->Base.show_sym(io, s; allow_macroname=true), s) for s in ssyms if completes_global(String(s), name)]
appendmacro!(syms, macros, "_str", "\"")
appendmacro!(syms, macros, "_cmd", "`")
for sym in syms
push!(suggestions, ModuleCompletion(mod, sym))
end
return suggestions
end
# REPL Symbol Completions
function complete_symbol!(suggestions::Vector{Completion},
@nospecialize(prefix), name::String, context_module::Module;
complete_modules_only::Bool=false,
shift::Bool=false)
local mod, t, val
complete_internal_only = false
if prefix !== nothing
res = repl_eval_ex(prefix, context_module)
res === nothing && return Completion[]
if res isa Const
val = res.val
if isa(val, Module)
mod = val
if !shift
# when module is explicitly accessed, show internal bindings that are
# defined by the module, unless shift key is pressed
complete_internal_only = true
end
else
t = typeof(val)
end
else
t = CC.widenconst(res)
end
else
mod = context_module
end
if @isdefined(mod) # lookup names available within the module
let modname = nameof(mod),
is_main = mod===Main
append_filtered_mod_names!(suggestions, mod, name, complete_internal_only) do s::Symbol
if Base.isdeprecated(mod, s)
return false
elseif s === modname
return false # exclude `Main.Main.Main`, etc.
elseif complete_modules_only && !completes_module(mod, s)
return false
elseif is_main && s === :MainInclude
return false
end
return true
end
end
elseif @isdefined(val) # looking for a property of an instance
try
for property in propertynames(val, false)
# TODO: support integer arguments (#36872)
if property isa Symbol && startswith(string(property), name)
push!(suggestions, PropertyCompletion(val, property))
end
end
catch
end
elseif @isdefined(t) && field_completion_eligible(t)
# Looking for a member of a type
add_field_completions!(suggestions, name, t)
end
return suggestions
end
completes_module(mod::Module, x::Symbol) = isdefined(mod, x) && isa(getglobal(mod, x), Module)
function add_field_completions!(suggestions::Vector{Completion}, name::String, @nospecialize(t))
if isa(t, Union)
add_field_completions!(suggestions, name, t.a)
add_field_completions!(suggestions, name, t.b)
else
@assert isconcretetype(t)
fields = fieldnames(t)
for field in fields
isa(field, Symbol) || continue # Tuple type has ::Int field name
s = string(field)
if startswith(s, name)
push!(suggestions, FieldCompletion(t, field))
end
end
end
end
const GENERIC_PROPERTYNAMES_METHOD = which(propertynames, (Any,))
function field_completion_eligible(@nospecialize t)
if isa(t, Union)
return field_completion_eligible(t.a) && field_completion_eligible(t.b)
end
isconcretetype(t) || return false
# field completion is correct only when `getproperty` fallbacks to `getfield`
match = Base._which(Tuple{typeof(propertynames),t}; raise=false)
match === nothing && return false
return match.method === GENERIC_PROPERTYNAMES_METHOD
end
function complete_from_list!(suggestions::Vector{Completion}, T::Type, list::Vector{String}, s::String)
r = searchsorted(list, s)
i = first(r)
n = length(list)
while i <= n && startswith(list[i],s)
r = first(r):i
i += 1
end
for kw in list[r]
push!(suggestions, T(kw))
end
return suggestions
end
const sorted_keywords = [
"abstract type", "baremodule", "begin", "break", "catch", "ccall",
"const", "continue", "do", "else", "elseif", "end", "export",
"finally", "for", "function", "global", "if", "import",
"let", "local", "macro", "module", "mutable struct",
"primitive type", "quote", "return", "struct",
"try", "using", "while"]
complete_keyword!(suggestions::Vector{Completion}, s::String) =
complete_from_list!(suggestions, KeywordCompletion, sorted_keywords, s)
const sorted_keyvals = ["false", "true"]
complete_keyval!(suggestions::Vector{Completion}, s::String) =
complete_from_list!(suggestions, KeyvalCompletion, sorted_keyvals, s)
function do_raw_escape(s)
# escape_raw_string with delim='`' and ignoring the rule for the ending \
return replace(s, r"(\\+)`" => s"\1\\`")
end
function do_shell_escape(s)
return Base.shell_escape_posixly(s)
end
function do_string_escape(s)
return escape_string(s, ('\"','$'))
end
const PATH_cache_lock = Base.ReentrantLock()
const PATH_cache = Set{String}()
PATH_cache_task::Union{Task,Nothing} = nothing # used for sync in tests
next_cache_update::Float64 = 0.0
function maybe_spawn_cache_PATH()
global PATH_cache_task, next_cache_update
@lock PATH_cache_lock begin
PATH_cache_task isa Task && !istaskdone(PATH_cache_task) && return
time() < next_cache_update && return
PATH_cache_task = Threads.@spawn begin
REPLCompletions.cache_PATH()
@lock PATH_cache_lock PATH_cache_task = nothing # release memory when done
end
Base.errormonitor(PATH_cache_task)
end
end
# caches all reachable files in PATH dirs
function cache_PATH()
path = get(ENV, "PATH", nothing)
path isa String || return
global next_cache_update
# Calling empty! on PATH_cache would be annoying for async typing hints as completions would temporarily disappear.
# So keep track of what's added this time and at the end remove any that didn't appear this time from the global cache.
this_PATH_cache = Set{String}()
@debug "caching PATH files" PATH=path
pathdirs = split(path, @static Sys.iswindows() ? ";" : ":")
next_yield_time = time() + 0.01
t = @elapsed for pathdir in pathdirs
actualpath = try
realpath(pathdir)
catch ex
ex isa Base.IOError || rethrow()
# Bash doesn't expect every folder in PATH to exist, so neither shall we
continue
end
if actualpath != pathdir && in(actualpath, pathdirs)
# Remove paths which (after resolving links) are in the env path twice.
# Many distros eg. point /bin to /usr/bin but have both in the env path.
continue
end
path_entries = try
_readdirx(pathdir)
catch e
# Bash allows dirs in PATH that can't be read, so we should as well.
if isa(e, Base.IOError) || isa(e, Base.ArgumentError)
continue
else
# We only handle IOError and ArgumentError here
rethrow()
end
end
for entry in path_entries
# In a perfect world, we would filter on whether the file is executable
# here, or even on whether the current user can execute the file in question.
try
if isfile(entry)
@lock PATH_cache_lock push!(PATH_cache, entry.name)
push!(this_PATH_cache, entry.name)
end
catch e
# `isfile()` can throw in rare cases such as when probing a
# symlink that points to a file within a directory we do not
# have read access to.
if isa(e, Base.IOError)
continue
else
rethrow()
end
end
if time() >= next_yield_time
yield() # to avoid blocking typing when -t1
next_yield_time = time() + 0.01
end
end
end
@lock PATH_cache_lock begin
intersect!(PATH_cache, this_PATH_cache) # remove entries from PATH_cache that weren't found this time
next_cache_update = time() + 10 # earliest next update can run is 10s after
end
@debug "caching PATH files took $t seconds" length(pathdirs) length(PATH_cache)
return PATH_cache
end
function complete_path(path::AbstractString;
use_envpath=false,
shell_escape=false,
raw_escape=false,
string_escape=false,
contract_user=false)
@assert !(shell_escape && string_escape)
if Base.Sys.isunix() && occursin(r"^~(?:/|$)", path)
# if the path is just "~", don't consider the expanded username as a prefix
if path == "~"
dir, prefix = homedir(), ""
else
dir, prefix = splitdir(homedir() * path[2:end])
end
else
dir, prefix = splitdir(path)
end
entries = try
if isempty(dir)
_readdirx()
elseif isdir(dir)
_readdirx(dir)
else
return Completion[], dir, false
end
catch ex
ex isa Base.IOError || rethrow()
return Completion[], dir, false
end
matches = Set{String}()
for entry in entries
if startswith(entry.name, prefix)
is_dir = try isdir(entry) catch ex; ex isa Base.IOError ? false : rethrow() end
push!(matches, is_dir ? entry.name * "/" : entry.name)
end
end
if use_envpath && isempty(dir)
# Look for files in PATH as well. These are cached in `cache_PATH` in an async task to not block typing.
# If we cannot get lock because its still caching just pass over this so that typing isn't laggy.
maybe_spawn_cache_PATH() # only spawns if enough time has passed and the previous caching task has completed
@lock PATH_cache_lock begin
for file in PATH_cache
startswith(file, prefix) && push!(matches, file)
end
end
end
matches = ((shell_escape ? do_shell_escape(s) : string_escape ? do_string_escape(s) : s) for s in matches)
matches = ((raw_escape ? do_raw_escape(s) : s) for s in matches)
matches = Completion[PathCompletion(contract_user ? contractuser(s) : s) for s in matches]
return matches, dir, !isempty(matches)
end
function complete_path(path::AbstractString,
pos::Int;
use_envpath=false,
shell_escape=false,
string_escape=false,
contract_user=false)
## TODO: enable this depwarn once Pkg is fixed
#Base.depwarn("complete_path with pos argument is deprecated because the return value [2] is incorrect to use", :complete_path)
paths, dir, success = complete_path(path; use_envpath, shell_escape, string_escape)
if Base.Sys.isunix() && occursin(r"^~(?:/|$)", path)
# if the path is just "~", don't consider the expanded username as a prefix
if path == "~"
dir, prefix = homedir(), ""
else
dir, prefix = splitdir(homedir() * path[2:end])
end
else
dir, prefix = splitdir(path)
end
startpos = pos - lastindex(prefix) + 1
Sys.iswindows() && map!(paths, paths) do c::PathCompletion
# emulation for unnecessarily complicated return value, since / is a
# perfectly acceptable path character which does not require quoting
# but is required by Pkg's awkward parser handling
return endswith(c.path, "/") ? PathCompletion(chop(c.path) * "\\\\") : c
end
return paths, startpos:pos, success
end
function complete_expanduser(path::AbstractString, r)
expanded =
try expanduser(path)
catch e
e isa ArgumentError || rethrow()
path
end
return Completion[PathCompletion(expanded)], r, path != expanded
end
# Returns a range that includes the method name in front of the first non
# closed start brace from the end of the string.
function find_start_brace(s::AbstractString; c_start='(', c_end=')')
r = reverse(s)
i = firstindex(r)
braces = in_comment = 0
in_single_quotes = in_double_quotes = in_back_ticks = false
num_single_quotes_in_string = count('\'', s)
while i <= ncodeunits(r)
c, i = iterate(r, i)
if c == '#' && i <= ncodeunits(r) && iterate(r, i)[1] == '='
c, i = iterate(r, i) # consume '='
new_comments = 1
# handle #=#=#=#, by counting =# pairs
while i <= ncodeunits(r) && iterate(r, i)[1] == '#'
c, i = iterate(r, i) # consume '#'
iterate(r, i)[1] == '=' || break
c, i = iterate(r, i) # consume '='
new_comments += 1
end
if c == '='
in_comment += new_comments
else
in_comment -= new_comments
end
elseif !in_single_quotes && !in_double_quotes && !in_back_ticks && in_comment == 0
if c == c_start
braces += 1
elseif c == c_end
braces -= 1
elseif c == '\'' && num_single_quotes_in_string % 2 == 0
# ' can be a transpose too, so check if there are even number of 's in the string
# TODO: This probably needs to be more robust
in_single_quotes = true
elseif c == '"'
in_double_quotes = true
elseif c == '`'
in_back_ticks = true
end
else
if in_single_quotes &&
c == '\'' && i <= ncodeunits(r) && iterate(r, i)[1] != '\\'
in_single_quotes = false
elseif in_double_quotes &&
c == '"' && i <= ncodeunits(r) && iterate(r, i)[1] != '\\'
in_double_quotes = false
elseif in_back_ticks &&
c == '`' && i <= ncodeunits(r) && iterate(r, i)[1] != '\\'
in_back_ticks = false
elseif in_comment > 0 &&
c == '=' && i <= ncodeunits(r) && iterate(r, i)[1] == '#'
# handle =#=#=#=, by counting #= pairs
c, i = iterate(r, i) # consume '#'
old_comments = 1
while i <= ncodeunits(r) && iterate(r, i)[1] == '='
c, i = iterate(r, i) # consume '='
iterate(r, i)[1] == '#' || break
c, i = iterate(r, i) # consume '#'
old_comments += 1
end
if c == '#'
in_comment -= old_comments
else
in_comment += old_comments
end
end
end
braces == 1 && break
end
braces != 1 && return 0:-1, -1
method_name_end = reverseind(s, i)
startind = nextind(s, something(findprev(in(non_identifier_chars), s, method_name_end), 0))::Int
return (startind:lastindex(s), method_name_end)
end
struct REPLCacheToken end
struct REPLInterpreter <: CC.AbstractInterpreter
limit_aggressive_inference::Bool
world::UInt
inf_params::CC.InferenceParams
opt_params::CC.OptimizationParams
inf_cache::Vector{CC.InferenceResult}
function REPLInterpreter(limit_aggressive_inference::Bool=false;
world::UInt = Base.get_world_counter(),
inf_params::CC.InferenceParams = CC.InferenceParams(;
aggressive_constant_propagation=true),
opt_params::CC.OptimizationParams = CC.OptimizationParams(),
inf_cache::Vector{CC.InferenceResult} = CC.InferenceResult[])
return new(limit_aggressive_inference, world, inf_params, opt_params, inf_cache)
end
end
CC.InferenceParams(interp::REPLInterpreter) = interp.inf_params
CC.OptimizationParams(interp::REPLInterpreter) = interp.opt_params
CC.get_inference_world(interp::REPLInterpreter) = interp.world
CC.get_inference_cache(interp::REPLInterpreter) = interp.inf_cache
CC.cache_owner(::REPLInterpreter) = REPLCacheToken()
# REPLInterpreter is only used for type analysis, so it should disable optimization entirely
CC.may_optimize(::REPLInterpreter) = false
# REPLInterpreter doesn't need any sources to be cached, so discard them aggressively
CC.transform_result_for_cache(::REPLInterpreter, ::CC.InferenceResult) = nothing
# REPLInterpreter analyzes a top-level frame, so better to not bail out from it
CC.bail_out_toplevel_call(::REPLInterpreter, ::CC.InferenceLoopState, ::CC.InferenceState) = false
# `REPLInterpreter` aggressively resolves global bindings to enable reasonable completions
# for lines like `Mod.a.|` (where `|` is the cursor position).
# Aggressive binding resolution poses challenges for the inference cache validation
# (until https://github.com/JuliaLang/julia/issues/40399 is implemented).
# To avoid the cache validation issues, `REPLInterpreter` only allows aggressive binding
# resolution for top-level frame representing REPL input code and for child uncached frames
# that are constant propagated from the top-level frame ("repl-frame"s). This works, even if
# those global bindings are not constant and may be mutated in the future, since:
# a.) "repl-frame"s are never cached, and
# b.) mutable values are never observed by any cached frames.
#
# `REPLInterpreter` also aggressively concrete evaluate `:inconsistent` calls within
# "repl-frame" to provide reasonable completions for lines like `Ref(Some(42))[].|`.
# Aggressive concrete evaluation allows us to get accurate type information about complex
# expressions that otherwise can not be constant folded, in a safe way, i.e. it still
# doesn't evaluate effectful expressions like `pop!(xs)`.
# Similarly to the aggressive binding resolution, aggressive concrete evaluation doesn't
# present any cache validation issues because "repl-frame" is never cached.
# `REPLInterpreter` is specifically used by `repl_eval_ex`, where all top-level frames are
# `repl_frame` always. However, this assumption wouldn't stand if `REPLInterpreter` were to
# be employed, for instance, by `typeinf_ext_toplevel`.
is_repl_frame(sv::CC.InferenceState) = sv.linfo.def isa Module && sv.cache_mode === CC.CACHE_MODE_NULL
function is_call_graph_uncached(sv::CC.InferenceState)
CC.is_cached(sv) && return false
parent = CC.frame_parent(sv)
parent === nothing && return true
return is_call_graph_uncached(parent::CC.InferenceState)
end
# aggressive global binding resolution within `repl_frame`
function CC.abstract_eval_globalref(interp::REPLInterpreter, g::GlobalRef, bailed::Bool,
sv::CC.InferenceState)
# Ignore saw_latestworld
partition = CC.abstract_eval_binding_partition!(interp, g, sv)
if (interp.limit_aggressive_inference ? is_repl_frame(sv) : is_call_graph_uncached(sv))
if CC.is_defined_const_binding(CC.binding_kind(partition))
return Pair{CC.RTEffects, Union{Nothing, Core.BindingPartition}}(
CC.RTEffects(Const(CC.partition_restriction(partition)), Union{}, CC.EFFECTS_TOTAL), partition)
else
b = convert(Core.Binding, g)
if CC.binding_kind(partition) == CC.BINDING_KIND_GLOBAL && isdefined(b, :value)
return Pair{CC.RTEffects, Union{Nothing, Core.BindingPartition}}(
CC.RTEffects(Const(b.value), Union{}, CC.EFFECTS_TOTAL), partition)
end
end
return Pair{CC.RTEffects, Union{Nothing, Core.BindingPartition}}(
CC.RTEffects(Union{}, UndefVarError, CC.EFFECTS_THROWS), partition)
end
return @invoke CC.abstract_eval_globalref(interp::CC.AbstractInterpreter, g::GlobalRef, bailed::Bool,
sv::CC.InferenceState)
end
function is_repl_frame_getproperty(sv::CC.InferenceState)
def = sv.linfo.def
def isa Method || return false
def.name === :getproperty || return false
CC.is_cached(sv) && return false
return is_repl_frame(CC.frame_parent(sv))
end
# aggressive global binding resolution for `getproperty(::Module, ::Symbol)` calls within `repl_frame`
function CC.builtin_tfunction(interp::REPLInterpreter, @nospecialize(f),
argtypes::Vector{Any}, sv::CC.InferenceState)
if f === Core.getglobal && (interp.limit_aggressive_inference ? is_repl_frame_getproperty(sv) : is_call_graph_uncached(sv))
if length(argtypes) == 2
a1, a2 = argtypes
if isa(a1, Const) && isa(a2, Const)
a1val, a2val = a1.val, a2.val
if isa(a1val, Module) && isa(a2val, Symbol)
g = GlobalRef(a1val, a2val)
if isdefined_globalref(g)
return Const(ccall(:jl_get_globalref_value, Any, (Any,), g))
end
return Union{}
end
end
end
end
return @invoke CC.builtin_tfunction(interp::CC.AbstractInterpreter, f::Any,
argtypes::Vector{Any}, sv::CC.InferenceState)
end
# aggressive concrete evaluation for `:inconsistent` frames within `repl_frame`
function CC.concrete_eval_eligible(interp::REPLInterpreter, @nospecialize(f),
result::CC.MethodCallResult, arginfo::CC.ArgInfo,
sv::CC.InferenceState)
if (interp.limit_aggressive_inference ? is_repl_frame(sv) : is_call_graph_uncached(sv))
neweffects = CC.Effects(result.effects; consistent=CC.ALWAYS_TRUE)
result = CC.MethodCallResult(result.rt, result.exct, neweffects, result.edge,
result.edgecycle, result.edgelimited, result.volatile_inf_result)
end
ret = @invoke CC.concrete_eval_eligible(interp::CC.AbstractInterpreter, f::Any,
result::CC.MethodCallResult, arginfo::CC.ArgInfo,
sv::CC.InferenceState)
if ret === :semi_concrete_eval
# while the base eligibility check probably won't permit semi-concrete evaluation
# for `REPLInterpreter` (given it completely turns off optimization),
# this ensures we don't inadvertently enter irinterp
ret = :none
end
return ret
end
# allow constant propagation for mutable constants
function CC.const_prop_argument_heuristic(interp::REPLInterpreter, arginfo::CC.ArgInfo, sv::CC.InferenceState)
if !interp.limit_aggressive_inference
any(@nospecialize(a)->isa(a, Const), arginfo.argtypes) && return true # even if mutable
end
return @invoke CC.const_prop_argument_heuristic(interp::CC.AbstractInterpreter, arginfo::CC.ArgInfo, sv::CC.InferenceState)
end
function resolve_toplevel_symbols!(src::Core.CodeInfo, mod::Module)
@ccall jl_resolve_definition_effects_in_ir(
#=jl_array_t *stmts=# src.code::Any,
#=jl_module_t *m=# mod::Any,
#=jl_svec_t *sparam_vals=# Core.svec()::Any,
#=jl_value_t *binding_edge=# C_NULL::Ptr{Cvoid},
#=int binding_effects=# 0::Int)::Cvoid
return src
end
# lower `ex` and run type inference on the resulting top-level expression
function repl_eval_ex(@nospecialize(ex), context_module::Module; limit_aggressive_inference::Bool=false)
if (isexpr(ex, :toplevel) || isexpr(ex, :tuple)) && !isempty(ex.args)
# get the inference result for the last expression
ex = ex.args[end]
end
lwr = try
Meta.lower(context_module, ex)
catch # macro expansion failed, etc.
return nothing
end
if lwr isa Symbol
return isdefined(context_module, lwr) ? Const(getfield(context_module, lwr)) : nothing
end
lwr isa Expr || return Const(lwr) # `ex` is literal
isexpr(lwr, :thunk) || return nothing # lowered to `Expr(:error, ...)` or similar
src = lwr.args[1]::Core.CodeInfo
resolve_toplevel_symbols!(src, context_module)
# construct top-level `MethodInstance`
mi = ccall(:jl_method_instance_for_thunk, Ref{Core.MethodInstance}, (Any, Any), src, context_module)
interp = REPLInterpreter(limit_aggressive_inference)
result = CC.InferenceResult(mi)
frame = CC.InferenceState(result, src, #=cache=#:no, interp)
# NOTE Use the fixed world here to make `REPLInterpreter` robust against
# potential invalidations of `Core.Compiler` methods.
Base.invoke_in_world(COMPLETION_WORLD[], CC.typeinf, interp, frame)
result = frame.result.result
result === Union{} && return nothing # for whatever reason, callers expect this as the Bottom and/or Top type instead
return result
end
# `COMPLETION_WORLD[]` will be initialized within `__init__`
# (to allow us to potentially remove REPL from the sysimage in the future).
# Note that inference from the `code_typed` call below will use the current world age
# rather than `typemax(UInt)`, since `Base.invoke_in_world` uses the current world age
# when the given world age is higher than the current one.
const COMPLETION_WORLD = Ref{UInt}(typemax(UInt))
# Generate code cache for `REPLInterpreter` now:
# This code cache will be available at the world of `COMPLETION_WORLD`,
# assuming no invalidation will happen before initializing REPL.
# Once REPL is loaded, `REPLInterpreter` will be resilient against future invalidations.
code_typed(CC.typeinf, (REPLInterpreter, CC.InferenceState))
# Method completion on function call expression that look like :(max(1))
MAX_METHOD_COMPLETIONS::Int = 40
function _complete_methods(ex_org::Expr, context_module::Module, shift::Bool)
funct = repl_eval_ex(ex_org.args[1], context_module)
funct === nothing && return 2, nothing, [], Set{Symbol}()
funct = CC.widenconst(funct)
args_ex, kwargs_ex, kwargs_flag = complete_methods_args(ex_org, context_module, true, true)
return kwargs_flag, funct, args_ex, kwargs_ex
end
function complete_methods(ex_org::Expr, context_module::Module=Main, shift::Bool=false)
kwargs_flag, funct, args_ex, kwargs_ex = _complete_methods(ex_org, context_module, shift)::Tuple{Int, Any, Vector{Any}, Set{Symbol}}
out = Completion[]
kwargs_flag == 2 && return out # one of the kwargs is invalid
kwargs_flag == 0 && push!(args_ex, Vararg{Any}) # allow more arguments if there is no semicolon
complete_methods!(out, funct, args_ex, kwargs_ex, shift ? -2 : MAX_METHOD_COMPLETIONS, kwargs_flag == 1)
return out
end
MAX_ANY_METHOD_COMPLETIONS::Int = 10
function recursive_explore_names!(seen::IdSet, callee_module::Module, initial_module::Module, exploredmodules::IdSet{Module}=IdSet{Module}())
push!(exploredmodules, callee_module)
for name in names(callee_module; all=true, imported=true)
if !Base.isdeprecated(callee_module, name) && !startswith(string(name), '#') && isdefined(initial_module, name)
func = getfield(callee_module, name)
if !isa(func, Module)
funct = Core.Typeof(func)
push!(seen, funct)
elseif isa(func, Module) && func ∉ exploredmodules
recursive_explore_names!(seen, func, initial_module, exploredmodules)
end
end
end
end
function recursive_explore_names(callee_module::Module, initial_module::Module)
seen = IdSet{Any}()
recursive_explore_names!(seen, callee_module, initial_module)
seen
end
function complete_any_methods(ex_org::Expr, callee_module::Module, context_module::Module, moreargs::Bool, shift::Bool)
out = Completion[]
args_ex, kwargs_ex, kwargs_flag = try
# this may throw, since we set default_any to false
complete_methods_args(ex_org, context_module, false, false)
catch ex
ex isa ArgumentError || rethrow()
return out
end
kwargs_flag == 2 && return out # one of the kwargs is invalid
# moreargs determines whether to accept more args, independently of the presence of a
# semicolon for the ".?(" syntax
moreargs && push!(args_ex, Vararg{Any})
for seen_name in recursive_explore_names(callee_module, callee_module)
complete_methods!(out, seen_name, args_ex, kwargs_ex, MAX_ANY_METHOD_COMPLETIONS, false)
end
if !shift
# Filter out methods where all arguments are `Any`
filter!(out) do c
isa(c, TextCompletion) && return false
isa(c, MethodCompletion) || return true
sig = Base.unwrap_unionall(c.method.sig)::DataType
return !all(@nospecialize(T) -> T === Any || T === Vararg{Any}, sig.parameters[2:end])
end
end
return out
end
function detect_invalid_kwarg!(kwargs_ex::Vector{Symbol}, @nospecialize(x), kwargs_flag::Int, possible_splat::Bool)
n = isexpr(x, :kw) ? x.args[1] : x
if n isa Symbol
push!(kwargs_ex, n)
return kwargs_flag
end
possible_splat && isexpr(x, :...) && return kwargs_flag
return 2 # The kwarg is invalid
end
function detect_args_kwargs(funargs::Vector{Any}, context_module::Module, default_any::Bool, broadcasting::Bool)
args_ex = Any[]
kwargs_ex = Symbol[]
kwargs_flag = 0
# kwargs_flag is:
# * 0 if there is no semicolon and no invalid kwarg
# * 1 if there is a semicolon and no invalid kwarg
# * 2 if there are two semicolons or more, or if some kwarg is invalid, which
# means that it is not of the form "bar=foo", "bar" or "bar..."
for i in (1+!broadcasting):length(funargs)
ex = funargs[i]
if isexpr(ex, :parameters)
kwargs_flag = ifelse(kwargs_flag == 0, 1, 2) # there should be at most one :parameters
for x in ex.args
kwargs_flag = detect_invalid_kwarg!(kwargs_ex, x, kwargs_flag, true)
end
elseif isexpr(ex, :kw)
kwargs_flag = detect_invalid_kwarg!(kwargs_ex, ex, kwargs_flag, false)
else
if broadcasting
# handle broadcasting, but only handle number of arguments instead of
# argument types
push!(args_ex, Any)
else
argt = repl_eval_ex(ex, context_module)
if argt !== nothing
push!(args_ex, CC.widenconst(argt))
elseif default_any
push!(args_ex, Any)
else
throw(ArgumentError("argument not found"))
end
end
end
end
return args_ex, Set{Symbol}(kwargs_ex), kwargs_flag
end
is_broadcasting_expr(ex::Expr) = ex.head === :. && isexpr(ex.args[2], :tuple)
function complete_methods_args(ex::Expr, context_module::Module, default_any::Bool, allow_broadcasting::Bool)
if allow_broadcasting && is_broadcasting_expr(ex)
return detect_args_kwargs((ex.args[2]::Expr).args, context_module, default_any, true)
end
return detect_args_kwargs(ex.args, context_module, default_any, false)
end
function complete_methods!(out::Vector{Completion}, @nospecialize(funct), args_ex::Vector{Any}, kwargs_ex::Set{Symbol}, max_method_completions::Int, exact_nargs::Bool)
# Input types and number of arguments
t_in = Tuple{funct, args_ex...}
m = Base._methods_by_ftype(t_in, nothing, max_method_completions, Base.get_world_counter(),
#=ambig=# true, Ref(typemin(UInt)), Ref(typemax(UInt)), Ptr{Int32}(C_NULL))
if !isa(m, Vector)
push!(out, TextCompletion(sprint(Base.show_signature_function, funct) * "( too many methods, use SHIFT-TAB to show )"))
return
end
for match in m
# TODO: if kwargs_ex, filter out methods without kwargs?
push!(out, MethodCompletion(match.spec_types, match.method))
end
# TODO: filter out methods with wrong number of arguments if `exact_nargs` is set
end
include("latex_symbols.jl")
include("emoji_symbols.jl")
const non_identifier_chars = [" \t\n\r\"\\'`\$><=:;|&{}()[],+-*/?%^~"...]
const whitespace_chars = [" \t\n\r"...]
# "\"'`"... is added to whitespace_chars as non of the bslash_completions
# characters contain any of these characters. It prohibits the
# bslash_completions function to try and complete on escaped characters in strings
const bslash_separators = [whitespace_chars..., "\"'`"...]
const subscripts = Dict(k[3]=>v[1] for (k,v) in latex_symbols if startswith(k, "\\_") && length(k)==3)
const subscript_regex = Regex("^\\\\_[" * join(isdigit(k) || isletter(k) ? "$k" : "\\$k" for k in keys(subscripts)) * "]+\\z")
const superscripts = Dict(k[3]=>v[1] for (k,v) in latex_symbols if startswith(k, "\\^") && length(k)==3)
const superscript_regex = Regex("^\\\\\\^[" * join(isdigit(k) || isletter(k) ? "$k" : "\\$k" for k in keys(superscripts)) * "]+\\z")
# Aux function to detect whether we're right after a using or import keyword
function get_import_mode(s::String)
# allow all of these to start with leading whitespace and macros like @eval and @eval(
# ^\s*(?:@\w+\s*(?:\(\s*)?)?
# match simple cases like `using |` and `import |`
mod_import_match_simple = match(r"^\s*(?:@\w+\s*(?:\(\s*)?)?\b(using|import)\s*$", s)
if mod_import_match_simple !== nothing
if mod_import_match_simple[1] == "using"
return :using_module
else
return :import_module
end
end
# match module import statements like `using Foo|`, `import Foo, Bar|` and `using Foo.Bar, Baz, |`
mod_import_match = match(r"^\s*(?:@\w+\s*(?:\(\s*)?)?\b(using|import)\s+([\w\.]+(?:\s*,\s*[\w\.]+)*),?\s*$", s)
if mod_import_match !== nothing
if mod_import_match.captures[1] == "using"
return :using_module
else
return :import_module
end
end
# now match explicit name import statements like `using Foo: |` and `import Foo: bar, baz|`
name_import_match = match(r"^\s*(?:@\w+\s*(?:\(\s*)?)?\b(using|import)\s+([\w\.]+)\s*:\s*([\w@!\s,]+)$", s)
if name_import_match !== nothing
if name_import_match[1] == "using"
return :using_name
else
return :import_name
end
end
return nothing
end
function close_path_completion(dir, path, str, pos)
path = unescape_string(replace(path, "\\\$"=>"\$"))
path = joinpath(dir, path)
# ...except if it's a directory...
Base.isaccessibledir(path) && return false
# ...and except if there's already a " at the cursor.
return lastindex(str) <= pos || str[nextind(str, pos)] != '"'
end
function bslash_completions(string::String, pos::Int, hint::Bool=false)
slashpos = something(findprev(isequal('\\'), string, pos), 0)
if (something(findprev(in(bslash_separators), string, pos), 0) < slashpos &&
!(1 < slashpos && (string[prevind(string, slashpos)]=='\\')))
# latex / emoji symbol substitution
s = string[slashpos:pos]
latex = get(latex_symbols, s, "")
if !isempty(latex) # complete an exact match
return (true, (Completion[BslashCompletion(latex)], slashpos:pos, true))
elseif occursin(subscript_regex, s)
sub = map(c -> subscripts[c], s[3:end])
return (true, (Completion[BslashCompletion(sub)], slashpos:pos, true))
elseif occursin(superscript_regex, s)
sup = map(c -> superscripts[c], s[3:end])
return (true, (Completion[BslashCompletion(sup)], slashpos:pos, true))
end