Idiomatic way to write Clojure code for repeatedly reading lines from the console?

后端 未结 3 1688
余生分开走
余生分开走 2021-02-06 00:06

Recently I was writing a little CLI script which needed to repeatedly read dates from the console (the number of dates to read was calculated and could be different each time).

相关标签:
3条回答
  • 2021-02-06 00:31

    You can do something like this:

    (defn read-dates [n] 
         (doall  (for [_ (range n)] (java.util.Date/parse (read-line)))))
    
    (def my-dates (read-dates 5)) ;Read 5 dates from console
    
    0 讨论(0)
  • 2021-02-06 00:34

    If your goal is to end up with a sequence of exactly x dates entered by user then:

    (for [line (repeatedly x read-line)] (DateFormat/parse line))
    

    or using map:

    (map DateFormat/parse (repeatedly x read-line))
    

    Beware of lazy sequences in Clojure: user will be asked to enter more dates as they are needed. If your goal is for user to enter all dates at once (say at startup) then use doall:

    (map DateFormat/parse (doall (repeatedly x read-line)))
    

    This will read all dates at once, but will parse them lazily still, so date format validation could fail much later in your program. You can move doall one level up to parse promptly as well:

    (doall (map DateFormat/parse (repeatedly x read-line)))
    

    And you can use a helper function to read line with prompt:

    (defn read-line-with-prompt [prompt]
      (print prompt)
      (read-line))
    

    Then replace read-line with either:

    #(read-line-with-prompt "Enter date: ")
    

    or

    (partial read-line-with-prompt "Enter date: ")
    
    0 讨论(0)
  • 2021-02-06 00:39

    read-line returns nil when the end of file is reached. On the console that is when you press CTRL-d (CTRL-z on Windows).

    You could use this code to take advantage of this:

    (doseq [line (repeatedly read-line) :while line]
        (do-something-with line))
    

    If you must read a fixed number of lines you can use:

    (repeatedly n read-line)
    
    0 讨论(0)
提交回复
热议问题