erlang 列表中的整数是否打印为"\v"?

gz5pxeao  于 2022-12-08  发布在  Erlang
关注(0)|答案(1)|浏览(139)

有谁能解释一下Erlang的这种意想不到的列表理解的奇怪之处吗?

4> [A+B || [A, B] <- [1, 2, 3, [5, 6]]].
"\v"

预期值:11
得到:"\v"
要获得预期的输出,必须做些什么?

mbjcgjjk

mbjcgjjk1#

According to the Erlang documentation :
A string is a list of codepoints, binaries with UTF-8-encoded codepoints (UTF-8 binaries), or a mix of the two.

"abcd"               % is a valid string  
<<"abcd">>           % is a valid string  
["abcd"]             % is a valid string  
<<"abc..åäö"/utf8>>  % is a valid string  
<<"abc..åäö">>       % is NOT a valid string,  
                     % but a binary with Latin-1-encoded codepoints  
[<<"abc">>, "..åäö"] % is a valid string  
[atom]               % is NOT a valid string

So in above you got integer 11 inside a list or [11] :

Eshell V8.3  (abort with ^G)
1> [A+B || [A, B] <- [1, 2, 3, [5, 6]]].
"\v"
%% With hd/1 function you can get first element (head) of a list
2> hd([A+B || [A, B] <- [1, 2, 3, [5, 6]]]).
11
3> [11].
"\v"

Erlang VM prints a printable list in form of string. Currently it supports two printable range. latin1 which is default and unicode .

$ erl
Erlang/OTP 19 [erts-8.3] [source] [64-bit] [smp:8:8] [async-threads:10] [hipe] [kernel-poll:false]
Eshell V8.3  (abort with ^G)
1> io:printable_range().
latin1

You can change latin1 to unicode using +pc flag:

$ erl
Erlang/OTP 19 [erts-8.3] [source] [64-bit] [smp:8:8] [async-threads:10] [hipe] [kernel-poll:false]
Eshell V8.3  (abort with ^G)
1> [1662]. %% not printable in latin1 range
[1662]
2> 
BREAK: (a)bort (c)ontinue (p)roc info (i)nfo (l)oaded
       (v)ersion (k)ill (D)b-tables (d)istribution
a
$ erl +pc unicode
Erlang/OTP 19 [erts-8.3] [source] [64-bit] [smp:8:8] [async-threads:10] [hipe] [kernel-poll:false]

Eshell V8.3  (abort with ^G)
1> [1662].
"پ"
2>

相关问题