1

出于我的目的,我创建了一个保存对象的类。

该对象的实际长度是浮点数,而不是整数。可以有 2 个不同的对象——比如 0.00001,最短的对我来说是最好的。

为方便起见,我在类中定义了一个__len__能够调用 len(obj) 的方法。

但是,python 不允许我__len__返回浮点数,只能返回整数。

我想为给定的 K 返回 int(real_length * 10**K)。

有没有更好的解决方案——使用类对象的浮点长度?

编辑:

在我的课堂上,我在 n 维空间中有点,我考虑点之间的距离,这是一个实数,而不是整数。

我可以以某种方式使用len功能吗?

4

1 回答 1

1

这为浮点数添加了“字符串长度”功能。对象上的 len() 给出数字的长度,就好像它是一个字符串一样

   class mynumber(float):
        def __len__(self):
            return len(self.__str__())
        pass    


    a=mynumber(13.7)
    b=mynumber(13.7000001)

    print len(a)
    print len(b)

在 python 2.7 上测试。希望这可以帮助

根据您的评论,这是一个不同的答案。它设置了一个对象,该对象采用两个坐标对,然后使用 hasrsine(Python 中的 Haversine 公式(两个 GPS 点之间的方位和距离))公式来查找它们之间的距离

from math import radians, cos, sin, asin, sqrt

class mypointpair(object):
    def __init__(self):
        self.coord=[]
        pass
    def add_coords(self,a,b):
        self.coord.append((a,b)) 
    def __len__(self):
        return self.haversine(self.coord[0][0], self.coord[0][1], self.coord[1][0], self.coord[1][1])


    def haversine(self,lon1, lat1, lon2, lat2):
        """
        Calculate the great circle distance between two points 
        on the earth (specified in decimal degrees)
        """
        # convert decimal degrees to radians 
        lon1, lat1, lon2, lat2 = map(radians, [lon1, lat1, lon2, lat2])
        # haversine formula 
        dlon = lon2 - lon1 
        dlat = lat2 - lat1 
        a = sin(dlat/2)**2 + cos(lat1) * cos(lat2) * sin(dlon/2)**2
        c = 2 * asin(sqrt(a)) 
        km = 6367 * c
        return km 


pp1=mypointpair()
pp1.add_coords(53.32055555555556 , -1.7297222222222221 )
pp1.add_coords(53.31861111111111, -1.6997222222222223 )

print len(pp1)
于 2013-07-27T10:59:15.147 回答