我试图用一个非常简单的程序在Julia中找到与ismatch()函数匹配的程序。假设我的模式是
2018/02/10 09:09:54 ENTER SETUP
2018/02/10 09:09:55 EXIT SETUP
=== RUN TestCreateCustomer
--- PASS: TestCreateCustomer (0.14s)
a_customerProfile_test.go:108: Create Customer successful
=== RUN TestCustomerProfile
--- PASS: TestCustomerProfile (0.27s)
a_customerProfile_test.go:152: Customer Profile Test Successful
PASS
2018/02/10 09:09:55 ENTER SHUTDOWN
2018/02/10 09:09:55 EXIT SHUTDOWN
然后我用一些随机元素创建一个名为input的列表:
e_pat = r".+@.+"
现在我想确定存在多少匹配,然后使用e_pat作为参考打印它们:
input= ["pipo@gmail.com", 23, "trapo", "holi@gmail.com"]
使用该代码,我得到" true"并且错误显示如下:
for i in input
println(ismatch(e_pat, i)) && println(i)
end
为了获得以下内容,我该怎么办?
true
TypeError: non-boolean (Void) used in boolean context
Stacktrace:
[1] macro expansion at ./In[27]:4 [inlined]
[2] anonymous at ./<missing>:?
[3] include_string(::String, ::String) at ./loading.jl:522
我读过ismatch()文档,但没有发现任何有用的东西。 任何帮助将不胜感激
答案 0 :(得分:3)
问题在于,此表达式返回 true
:
julia> @show ismatch(e_pat, "pipo@gmail.com");
ismatch(e_pat,"pipo@gmail.com") = true
使用println
,只需打印true
,但返回 nothing
:
julia> @show println(ismatch(e_pat, "pipo@gmail.com"));
true
println(ismatch(e_pat,"pipo@gmail.com")) = nothing
属于Void
的类型:
julia> typeof(nothing)
Void
错误告诉您,您无法在布尔上下文中使用Void
类型的对象(nothing
)只是Void
的一个实例在Julia中被视为 singleton :
julia> nothing && true
ERROR: TypeError: non-boolean (Void) used in boolean context
修复后还注意到这也是另一个错误:
julia> @show ismatch(e_pat, 42);
ERROR: MethodError: no method matching ismatch(::Regex, ::Int32)
Closest candidates are:
ismatch(::Regex, ::SubString{T<:AbstractString}) at regex.jl:151
ismatch(::Regex, ::SubString{T<:AbstractString}, ::Integer) at regex.jl:151
ismatch(::Regex, ::AbstractString) at regex.jl:145
...
这告诉您ismatch
没有这样的方法,您不能将它与类型的参数组合使用:(Regex, Int)
。
您可以执行类似的操作,以确保所有对象都是String
s:
julia> input = string.(["pipo@gmail.com", 23, "trapo", "holi@gmail.com"])
4-element Array{String,1}:
"pipo@gmail.com"
"23"
"trapo"
"holi@gmail.com"
最后,您可以使用宏@show
(打印表达式及其结果,最后返回结果)而不是println
函数(打印结果)和返回 nothing
,以调试最新进展:
julia> for i in input
@show(ismatch(e_pat, i)) && println(i)
end
ismatch(e_pat,i) = true
pipo@gmail.com
ismatch(e_pat,i) = false
ismatch(e_pat,i) = false
ismatch(e_pat,i) = true
holi@gmail.com
因此,为了打印您的预期结果,只需删除左侧println
:
julia> for i in input
ismatch(e_pat, i) && println(i)
end
pipo@gmail.com
holi@gmail.com
如果你想存储它们而不是打印它们,你可以改为使用数组:
julia> result = [str for str in input if ismatch(e_pat, str)]
2-element Array{String,1}:
"pipo@gmail.com"
"holi@gmail.com"
或像这样的索引表达式:
julia> ismatch.(e_pat, input)
4-element BitArray{1}:
true
false
false
true
julia> result = input[ismatch.(e_pat, input)]
2-element Array{String,1}:
"pipo@gmail.com"
"holi@gmail.com"
这样你可以在以后打印它们而不必重复计算:
julia> println.(result)
pipo@gmail.com
holi@gmail.com