这有效:
// sample objects
let dctStrDbl = [("k1",1.0); ("k2",2.0)] |> Map.ofList
let dctStrStr = [("k1","v1"); ("k2","v2")] |> Map.ofList
let lstMisc = [1; 2; 3]
let testStrDbl (odico : obj) : bool =
match odico with
| :? Map<string,double> as d -> true
| _ -> false
let testTrue = testStrDbl (box dctStrDbl) // this evaluates to true
let testFalse = testStrStr (box dctStrStr) // this evaluates to false
let testMiscFalse = testStrDbl (box lstMisc) // evaluates to false
但是,我想在类型Map<'k,'v>
的通用Map上进行模式匹配(而不是在Map<string,double>
这样的特定类型Map上进行模式匹配)。用伪代码:
let testGenMap (odico : obj) : bool =
match odico with
| :? Map<'k,'v> as d -> true
| _ -> false
但是它不起作用,因为它们都将评估为false
let testStrDblGen = testGenMap (box dctStrDbl)
let testStrDblGen = testGenMap (box dctStrStr)
我的问题:有没有办法在通用Map<'k,'v>
上进行匹配?
=编辑=======
也许我应该给一些额外的背景信息。我真正追求的是这样的东西
let findGen (odico : obj) (defVal : 'a) (apply : (Map<'k,'v> -> 'a)) : 'a =
match odico with
| :? Map<'k,'v> as d -> apply d
| _ -> defVal // the object is not of the expected type
...在这里,我可以恢复通用类型'k
和'v
。从这个意义上讲,nilekirk提出的解决方案无法按原样工作。
答案 0 :(得分:2)
在通用地图上没有内置的模式匹配方式。
您可以做的是使用反射和活动图案:
let (|IsMap|_|) (x: obj) =
if x.GetType().Name.StartsWith("FSharpMap") then Some () else None
let test = function
| IsMap -> true
| _ -> false
Map.empty<int,string> |> test // true
[1] |> test // false
=编辑=======
看到上面的修改,也许可以使用以下方法:
let isMap<'k,'v when 'k : comparison> (m: obj) =
typeof<Map<'k,'v>> = m.GetType()
let findGen odico defVal (apply : Map<'k,'v> -> 'a) =
if odico |> isMap<'k,'v> then
odico |> unbox<Map<'k,'v>> |> apply
else
defVal
let apply (x: Map<int,string>) = "the apply result"
findGen ([1,"one"] |> Map.ofList) "defVal" apply // "the apply result"
findGen (["one",1] |> Map.ofList) "defVal" apply // "defval"
findGen [1] "defVal" apply // "defval"