{{clojure.string/split}} 带有限制参数不能正确按照以下方式分割字符串
(clojure.string/split "quaqb" #"q(?!u)") ; <- 匹配一个后不是 'u' 的 'q'
;;=> ["qua" "b"]
(clojure.string/split "quaqb" #"q(?!u)" 2)
;;=> ["" "uaqb"]
第一个例子结果是我们要的,但第二个例子结果是错误的。
因为,如果有限制,它会使用自己的方法而不是 JavaScript 的 {{String.prototype.split}} 函数来分割字符串。
该程序使用正则表达式中的 [前瞻或后顾|
https://regexper.cn/lookaround.html] 时存在问题。
;; clojure.string/split
(let [re #"q(?!u)"]
(loop [s "quaqb"
limit 2
parts []]
(if (== 1 limit)
(conj parts s)
(let [m (re-find re s)] ; <- 1!
(if-not (nil? m)
(let [index (.indexOf s m)] ; <- 2!
(recur (.substring s (+ index (count m)))
(dec limit)
(conj parts (.substring s 0 index))))
(conj parts s))))))
;;=> ["" "uaqb"]
(re-find #"q(?!u)" "quaqb") ; <- 1!
;; => "q"
(.indexOf "quaqb" "q") ; <- 2!
;;=> 0
我们应该从 JavaScript 的 {{RegExp.prototype.exec}} 函数中获取索引,而不是自行计算。
;; clojure.string/split
(let [re #"q(?!u)"]
(loop [s "quaqb"
limit 2
parts []]
(if (== 1 limit)
(conj parts s)
(let [m (.exec re s)]
(if-not (nil? m)
(let [index (.-index m)]
(recur (.substring s (+ index (count (aget m 0))))
(dec limit)
(conj parts (.substring s 0 index))))
(conj parts s))))))
;;=> ["qua" "b"]
i 在 V8、Spidermonkey、Nashorn 上进行了测试。