Lwt_io.read_int 的正确用法是什么?

What's the proper usage for Lwt_io.read_int?

如何正确使用Lwt_io.read_int?我尝试了我认为明显的用法,但没有得到明显的结果...

open Lwt.Infix

let _ =
  Lwt_main.run
    (
      Lwt_io.print "Enter number: " >>=
      fun () -> Lwt_io.read_int (Lwt_io.stdin) >>=
      fun d -> Lwt_io.printf "%d\n" d
    )

我编译了,运行提示输入12345,程序显示875770417。

我在这里遗漏了一些东西...

在下面的帮助下,我得到了这个。它有效,我希望它是正确的。

open Lwt.Infix

let _ =
  Lwt_main.run
    (
      Lwt_io.print "Enter number: " >>=
      fun () -> Lwt_io.read_line (Lwt_io.stdin) >>=
      fun s -> 
      (
        try
          Lwt.return_some( Pervasives.int_of_string s)
        with
        | _ -> Lwt.return_none
      ) >>=
      fun o -> 
      Lwt_io.print
        (
          match o with
          | Some i -> Printf.sprintf "%d\n" i
          | None -> "Ooops, invalid format!\n"
        )
    )

我想我应该 post 一些代码来演示 Lwt_io.read_int 的正确用法。

open Lwt.Infix
open Lwt_io

let _ =
  Lwt_main.run
    (
      let i, o = Lwt_io.pipe() in
      Lwt_io.write_int o 1 >>=
      fun () -> Lwt_io.flush o >>=
      fun () -> Lwt_io.close o >>=
      fun () -> Lwt_io.read_int i >>=
      fun d -> Lwt_io.printf "%d\n" d >>=
      fun () -> Lwt_io.close i
    )

这会读取一个二进制编码的整数,例如为了反序列化文件中的一些数据。

你读到的 875770417 是十六进制的 0x34333231,它依次对应小端顺序中的“1”、“2”、“3”和“4”的 ASCII 编码。

您可能想使用 Lwt_io.read_line 读取字符串并使用 int_of_string 转换结果。

根据这个page,我尝试了一些实验。

首先,我写道:

open Lwt.Infix

let _ =
  Lwt_main.run
    (
      let open Lwt_io in
      print "Enter number: " >>=
        fun () -> read_line stdin >>=
      fun d -> printlf "%s" d
    )

我得到了我想要的所有输出。

好吧,现在让我们尝试使用整数,因为上面写着

val read_int : Lwt_io.input_channel -> int Lwt.t

Reads a 32-bits integer as an ocaml int

open Lwt.Infix

let _ =
  Lwt_main.run
    (
      let open Lwt_io in
      print "Enter number: " >>=
        fun () -> read_int stdin >>=
      fun d -> write_int stdout d
    )

嗯,这里有奇怪的行为:

lhooq@lhooq-linux lwt_io $ ./main.native 
Enter number: 100
100
lhooq@lhooq-linux lwt_io $ ./main.native 
Enter number: 1000
1000lhooq@lhooq-linux lwt_io $ ./main.native 
Enter number: 10000
1000lhooq@lhooq-linux lwt_io $ 
lhooq@lhooq-linux lwt_io $ ./main.native 
Enter number: 10
20
10
2lhooq@lhooq-linux lwt_io $

所以,看起来三位数是这个函数可以处理的最大值,但至少它会打印出你写的数字。

下次测试:

open Lwt.Infix

let _ =
  Lwt_main.run
    (
      let open Lwt_io in
      print "Enter number: " >>=
        fun () -> read_int stdin >>=
      fun d -> printlf "%d" d
    )

正是你的问题:

lhooq@lhooq-linux lwt_io $ ./main.native 
Enter number: 100
170930225

所以让我们写这个:

open Lwt.Infix

let _ =
  Lwt_main.run
    (
      let open Lwt_io in
      print "Enter number: " >>=
        fun () -> read_int stdin >>=
      fun d -> eprintf "%x\n" d
    )

再次测试:

lhooq@lhooq-linux lwt_io $ ./main.native 
Enter number: 100
a303031

在 ASCII 中正好是 "001"

我希望这能帮助您确定要使用哪个函数。以我的愚见,我不明白为什么读取一个整数(它与 float64int64 完全相同,但这次限制为 7 位数字)看起来如此困难。我建议使用 read_lineint_of_string,因为至少这很有效。