我在验证clojure棱镜架构时遇到问题。这是代码。
:Some_Var1 {:Some_Var2 s/Str
:Some_Var3 ( s/conditional
#(= "mytype1" (:type %)) s/Str
#(= "mytype2" (:type %)) s/Str
)}
我正在尝试使用代码验证它:
"Some_Var1": {
"Some_Var2": "string",
"Some_Var3": {"mytype1":{"type":"string"}}
}
但它给我一个错误:
{
"errors": {
"Some_Var1": {
"Some_Var3": "(not (some-matching-condition? a-clojure.lang.PersistentArrayMap))"
}
}
}
这是我试图验证的一个非常基本的代码。我对clojure很新,并且仍在努力学习它的基础知识。
谢谢,
答案 0 :(得分:3)
欢迎来到Clojure!这是一门很棒的语言。
在Clojure中,关键字和字符串是不同的类型,即:type
不是"type"
。例如:
user=> (:type {"type" "string"})
nil
(:type {:type "string"})
"string"
但是,我认为这里存在一个更深层次的问题:从查看数据看,您似乎希望对数据本身中的类型信息进行编码,然后根据该信息进行检查。它可能是可能的,但它将是一种非常先进的模式用法。当类型在类型之前已知时,通常使用模式,例如,数据如:
(require '[schema.core :as s])
(def data
{:first-name "Bob"
:address {:state "WA"
:city "Seattle"}})
(def my-schema
{:first-name s/Str
:address {:state s/Str
:city s/Str}})
(s/validate my-schema data)
我建议如果您需要根据编码类型信息进行验证,那么为此编写自定义函数可能会更容易。
希望有所帮助!
更新:
conditional
如何运作的示例,这里有一个将验证的架构,但同样,这是对Schema的非惯用用法:
(s/validate
{:some-var3
(s/conditional
;; % is the value: {"mytype1" {"type" "string"}}
;; so if we want to check the "type", we need to first
;; access the "mytype1" key, then the "type" key
#(= "string" (get-in % ["mytype1" "type"]))
;; if the above returns true, then the following schema will be used.
;; Here, I've just verified that
;; {"mytype1" {"type" "string"}}
;; is a map with key strings to any value, which isn't super useful
{s/Str s/Any}
)}
{:some-var3 {"mytype1" {"type" "string"}}})
我希望有所帮助。