我正在尝试对一些数据实施 Fisher-Yates 洗牌。该算法对于一维数组很容易实现。但是,我需要能够对二维矩阵中的数据进行洗牌。
我认为可以很好地推广到高维数组的一种方法是将我的任意维数矩阵转换为一维索引数组,将它们打乱,然后通过将该索引数组的每个索引处的元素与元素交换来重组矩阵在索引数组元素的索引处。换句话说,取一个 2x2 矩阵,例如:
1 2
3 4
我会把它转换成这个“数组”:
[(0, (0,0)), (1, (0,1)), (2, ((1,0)), (3, (1,1))]
然后我会按照正常情况争先恐后地进入,比如说,
[(0, (1,0)), (1, (0,1)), (2, ((1,1)), (3, (0,0))]
重组后,原始矩阵将变为:
2 3
4 1
我的基本方法是我想要一个看起来像这样的类型类:
class Shufflable a where
indices :: a -> Array Int b
reorganize :: a -> Array Int b -> a
然后我将有一个函数来执行如下所示的随机播放:
fisherYates :: (RandomGen g) => g -> Array Int b -> (Array Int b, g)
我的想法是(减去 RandomGen 管道)我应该能够像这样洗牌一个可洗牌的东西:
shuffle :: (Shufflable a, RandomGen g) => a -> g -> (a, g)
shuffle array = reorganize array (fisherYates (indices array))
这是我到目前为止所拥有的:
{-# LANGUAGE MultiParamTypeClasses, FunctionalDependencies, FlexibleInstances #-}
module Shuffle where
import Data.Array hiding (indices)
import System.Random
fisherYates :: (RandomGen g) => Array Int e -> g -> (Array Int e, g)
fisherYates arr gen = go max gen arr
where
(_, max) = bounds arr
go 0 g arr = (arr, g)
go i g arr = go (i-1) g' (swap arr i j)
where
(j, g') = randomR (0, i) g
class Shuffle a b | a -> b where
indices :: a -> Array Int b
reorganize :: a -> Array Int b -> a
shuffle :: (Shuffle a b, RandomGen g) => a -> g -> (a, g)
shuffle a gen = (reorganize a indexes, gen')
where
(indexes, gen') = fisherYates (indices a) gen
instance (Ix ix) => Shuffle (Array ix e) ix where
reorganize a = undefined
indices a = array (0, maxIdx) (zip [0..maxIdx] (range bound))
where
bound = bounds a
maxIdx = rangeSize bound - 1
swap :: Ix i => Array i e -> i -> i -> Array i e
swap arr i j = arr // [ (i, i'), (j, j') ]
where
i' = arr!j
j' = arr!i
我的问题:
- 我觉得这是解决一个简单问题的很多语言扩展。用另一种方式理解或写会更容易吗?
- 我觉得社区正在朝着功能依赖的类型家族发展。有没有办法用它来解决这个问题?
- 我的一部分想知道该
fisherYates
函数是否可以以Shuffle
某种方式移动到类型类中。是否有可能和/或值得这样做,以便您实现shuffle
或同时实现indices
andreorganize
?
谢谢!