如何使用带有参数的 Swift 测试来测试泛型函数?

问题描述 投票:0回答:1

设置:
我的应用程序有一个通用函数,可以在其中心点镜像任意元素的二次矩阵:

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])
        }
    }
}

我想编写一个 Swift 测试来检查

func pointMirroredMatrix
是否正常工作。
我因此首先定义:

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
    }  

请注意,矩阵元素的类型为

Any
,因为
@Test
不允许使用泛型。
测试应该执行以下操作:

var mirroredMatrix = deepCopyMatrix(p.matrix) // Make deep copy
vision.pointMirroredMatrix(&mirroredMatrix) // Mirror the copy
let mirroredCorrectly = maticesAreEqual(p.expectedResult, mirroredMatrix)
#expect(mirroredCorrectly)  

问题:
我无法写

func maticesAreEqual
,因为测试参数传递的矩阵是
Any
类型。 我尝试了以下方法但没有成功:

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
}  

但是由于类型

Any
,内部循环中的指令无法编译。我收到错误
Type 'Any' cannot conform to 'Collection'

我的问题:
如何使用由

func pointMirroredMatrix
传入的具有不同类型元素的矩阵来测试
@Test

swift generics swift-testing
1个回答
0
投票

你不需要用多个类型T来测试pointMirroredMatrix<T>

。那将测试Swift泛型是否泛型,这是不必要的。您只想知道函数的特定输入会产生正确的输出。

我认为你最好将

pointMirroredMatrix<T>

 制作为 
throws
 方法,而不是使用 
assert
。这样,您就可以测试空矩阵或非二次矩阵的抛出情况。还要记住,在发布版本中会忽略 
assert
,因此您并没有真正捕获错误的输入。

© www.soinside.com 2019 - 2024. All rights reserved.