Binary operator '..<' cannot be applied to operands of type 'Int' and 'CGFloat'

前端 未结 2 1105
走了就别回头了
走了就别回头了 2020-12-06 19:20

I\'m trying to create a for loop but can\'t seem to understand how to get rid of this error

My code:

for i:CGFloat in 0 ..< 2 + self.frame.size.wi         


        
相关标签:
2条回答
  • 2020-12-06 20:03

    You cannot create a CountableRange (or CountableClosedRange) with floating point types.

    You either want to convert your 2 + self.frame.size.width / movingGroundTexture.size().width to an Int:

    for i in 0 ..< Int(2 + self.frame.size.width / movingGroundTexture.size().width) { 
        // i is an Int      
    }
    

    Or you want to use stride (Swift 2 syntax):

    for i in CGFloat(0).stride(to: 2 + self.frame.size.width / movingGroundTexture.size().width, by: 1) { 
        // i is a CGFloat   
    }
    

    Swift 3 syntax:

    for i in stride(from: 0, to: 2 + self.frame.size.width / movingGroundTexture.size().width, by: 1) {
        // i is a CGFloat
    }
    

    Depends on whether you need floating point precision or not. Note that if your upper bound is a non-integral value, the stride version will iterate one more time than the range operator version, due to the fact that Int(...) will ignore the fractional component.

    0 讨论(0)
  • 2020-12-06 20:17

    You have to convert the right side of the range to an integer type, like Int or UInt:

    for i in 0 ..< Int(2 + self.frame.size.width / (movingGroundTexture.size().width)) {
        ...
    }
    
    0 讨论(0)
提交回复
热议问题