在 Clojurenil?
中检查 nil。如何检查非零?
我想做与以下 Java 代码等效的 Clojure:
if (value1==null && value2!=null) {
}
跟进:我希望有一个 not nil 检查,而不是用not
. if
有if-not
对应的。有这样的对应nil?
吗?
在 Clojurenil?
中检查 nil。如何检查非零?
我想做与以下 Java 代码等效的 Clojure:
if (value1==null && value2!=null) {
}
跟进:我希望有一个 not nil 检查,而不是用not
. if
有if-not
对应的。有这样的对应nil?
吗?
在 Clojure 1.6 之后,您可以使用some?
:
(some? :foo) => true
(some? nil) => false
这很有用,例如,作为谓词:
(filter some? [1 nil 2]) => (1 2)
另一种定义not-nil?
方法是使用complement
函数,它只是反转布尔函数的真实性:
(def not-nil? (complement nil?))
如果您要检查多个值,请使用not-any?
:
user> (not-any? nil? [true 1 '()])
true
user> (not-any? nil? [true 1 nil])
false
如果您对区分 不感兴趣false
,nil
则可以使用该值作为条件:
(if value1
"value1 is neither nil nor false"
"value1 is nil or false")
在 Clojure中,出于条件表达式的目的, nil 被视为 false。
因此,(not x)
工作实际上与大多数情况下的工作方式完全相同(nil? x)
(布尔值 false 除外)。例如
(not "foostring")
=> false
(not nil)
=> true
(not false) ;; false is the only non-nil value that will return true
=> true
所以要回答你原来的问题,你可以这样做:
(if (and value1 (not value2))
...
...)
健康)状况:(and (nil? value1) (not (nil? value2)))
如果条件:(if (and (nil? value1) (not (nil? value2))) 'something)
编辑:Charles Duffy 提供了正确的自定义定义not-nil?
:
你想要一个非零?轻松完成:
(def not-nil? (comp not nil?))
true
如果您希望您的测试在给出时返回false
,那么您需要此处的其他答案之一。但是,如果您只是想测试它在传递除nil
or以外的东西时返回一个真值false
,您可以使用identity
. 例如,从序列中剥离nil
s(或s):false
(filter identity [1 2 nil 3 nil 4 false 5 6])
=> (1 2 3 4 5 6)
您可以尝试when-not:
user> (when-not nil (println "hello world"))
=>hello world
=>nil
user> (when-not false (println "hello world"))
=>hello world
=>nil
user> (when-not true (println "hello world"))
=>nil
user> (def value1 nil)
user> (def value2 "somevalue")
user> (when-not value1 (if value2 (println "hello world")))
=>hello world
=>nil
user> (when-not value2 (if value1 (println "hello world")))
=>nil
如果您想要一个not-nil?
功能,那么我建议您将其定义如下:
(defn not-nil?
(^boolean [x]
(not (nil? x)))
话虽如此,值得将其用法与明显的替代方法进行比较:
(not (nil? x))
(not-nil? x)
我不确定引入额外的非标准函数是否值得保存两个字符/一级嵌套。但是,如果您想在高阶函数等中使用它,那将是有意义的。
另一种选择:
(def not-nil? #(not= nil %))