是否有任何内省的魔法会给我一个模块中定义的函数列表?
module Foo
function foo()
"foo"
end
function bar()
"bar"
end
end
一些神话般的功能,如:
functions_in(Foo)
哪会回来:[foo,bar]
答案 0 :(得分:8)
此处的问题是names
和whos
列出导出的名称来自模块。如果你想看到它们,那么你需要做这样的事情:
module Foo
export foo, bar
function foo()
"foo"
end
function bar()
"bar"
end
end # module
此时,names
和whos
都会列出所有内容。
如果您碰巧在REPL工作,并且由于某种原因不想导出任何名称,您可以通过键入Foo.[TAB]
以交互方式检查模块的内容。请参阅此会话中的示例:
julia> module Foo
function foo()
"foo"
end
function bar()
"bar"
end
end
julia> using Foo
julia> whos(Foo)
Foo Module
julia> names(Foo)
1-element Array{Symbol,1}:
:Foo
julia> Foo.
bar eval foo
以某种方式,标签完成正在查找未导出的名称,因此必须才能让Julia告诉他们。我只是不知道那个功能是什么。
我做了一点挖掘。未导出的函数Base.REPLCompletions.completions
似乎有效,正如我们之前使用的REPL会话的延续所示:
julia> function functions_in(m::Module)
s = string(m)
out = Base.REPLCompletions.completions(s * ".", length(s)+1)
# every module has a function named `eval` that is not defined by
# the user. Let's filter that out
return filter(x-> x != "eval", out[1])
end
functions_in (generic function with 1 method)
julia> whos(Foo)
Foo Module
julia> names(Foo)
1-element Array{Symbol,1}:
:Foo
julia> functions_in(Foo)
2-element Array{UTF8String,1}:
"bar"
"foo"