A configuração:
Meu aplicativo tem uma função genérica que espelha pontualmente uma matriz quadrática de elementos arbitrários em seu centro:
func pointMirroredMatrix<T>(_ matrix: inout [[T]]) {
assert(matrix.count > 0 && matrix[0].count > 0) // Ensure matrix is not empty
assert(matrix.count == matrix[0].count) // Ensure matrix is quadratic
let n = matrix.count // The matrix is n x n
for row in 0 ..< n/2 {
for col in 0 ..< n {
// Swapping elements
(matrix[row][col], matrix[n - 1 - row][n - 1 - col]) = (matrix[n - 1 - row][n - 1 - col], matrix[row][col])
}
}
}
Quero escrever um teste Swift que verifique se func pointMirroredMatrix
funciona corretamente.
Assim, defini primeiro:
typealias PointMirroredMatrixParams = (matrix: [[Any]], expectedResult: [[Any]])
let pointMirroredMatrixArgs: [PointMirroredMatrixParams] = [(matrix: [[0, 1], [0, 0]],
expectedResult: [[0, 0], [1, 0]])]
struct VisionTests {
@Test("pointMirroredMatrix", arguments: pointMirroredMatrixArgs)
func pointMirroredMatrix(p: PointMirroredMatrixParams) throws {
// see below
}
Observe que os elementos da matriz são do tipo Any
, porque @Test
não permite usar genéricos.
O teste deve fazer algo como o seguinte:
var mirroredMatrix = deepCopyMatrix(p.matrix) // Make deep copy
vision.pointMirroredMatrix(&mirroredMatrix) // Mirror the copy
let mirroredCorrectly = maticesAreEqual(p.expectedResult, mirroredMatrix)
#expect(mirroredCorrectly)
O problema:
Não consigo escrever func maticesAreEqual
, porque as matrizes passadas pelos parâmetros de teste são do tipo Any
. Tentei o seguinte sem sucesso:
func maticesAreEqual(_ matrix1: [[Any]], _ matrix2: [[Any]]) -> Bool {
guard matrix1.count == matrix2.count else { return false }
guard matrix1[0].count == matrix2[0].count else { return false }
guard !matrix1.isEmpty else { return true }
guard type(of: matrix1[0][0]) == type(of: matrix2[0][0]) else { return false }
guard type(of: matrix1[0][0]) == (any Equatable).self else { return false }
// Here it is known that both matrices have the same dimension, their elements are of the same type and are equatable
// But how to find out if they are equal?
for i in 0 ..< matrix1.count {
for j in 0 ..< matrix1[i].count {
if matrix1[i][j] != matrix2[i][j] { return false } // Build error
}
}
return true
}
mas a instrução no loop interno não compila devido ao tipo Any
. Eu recebo o erro Type 'Any' cannot conform to 'Collection'
.
Minha pergunta:
Como posso testar func pointMirroredMatrix
com matrizes que possuem elementos de tipos diferentes, passados por @Test
?