我正在使用Cython
扩展代码,但是此代码引发错误:
/Users/rkumar/src/fast-geohash/cython/_fast_geohash.pyx in _fast_geohash.encode()
56 ch = 0
57
---> 58 return result[:i].decode('ascii')
59 finally:
60 free(result)
TypeError: Expected str, got unicode
在Python 3上没有出现此错误。我想在Python2上使用此扩展。我不知道该如何解决。 这是扩展代码:
cpdef str encode(double latitude, double longitude, int precision=12):
"""
Encode a position given in float arguments latitude, longitude to
a geohash which will have the character count precision.
"""
cdef (double, double) lat_interval
cdef (double, double) lon_interval
lat_interval, lon_interval = (-90.0, 90.0), (-180.0, 180.0)
cdef char* result = <char *> malloc((precision + 1) * sizeof(char))
if not result:
raise MemoryError()
result[precision] = '\0'
cdef int bit = 0
cdef int ch = 0
even = True
cdef int i = 0
try:
while i < precision:
if even:
mid = (lon_interval[0] + lon_interval[1]) / 2
if longitude > mid:
ch |= bits[bit]
lon_interval = (mid, lon_interval[1])
else:
lon_interval = (lon_interval[0], mid)
else:
mid = (lat_interval[0] + lat_interval[1]) / 2
if latitude > mid:
ch |= bits[bit]
lat_interval = (mid, lat_interval[1])
else:
lat_interval = (lat_interval[0], mid)
even = not even
if bit < 4:
bit += 1
else:
result[i] = __base32[ch]
i += 1
bit = 0
ch = 0
return result[:i].decode('ascii')
finally:
free(result)
答案 0 :(得分:1)
Python 2 m_central_widget
== Python 3 str
Python 2 bytes
== Python 3 unicode
。
Cython在Python 2上将C str
转换为char[]
,而在Python 3上将str
转换为bytes
(因为在两种情况下这都是最合逻辑的转换)。
在Python 2上,str.decode
返回一个unicode
对象。您会收到一条错误消息,因为它与函数签名中的str
对象不匹配。在Python 3上,bytes.decode
返回一个str
对象(相当于Python 2 unicode
对象)。这与函数签名中的str
相匹配,就可以了。
最简单的解决方案是停止在函数签名中指定返回类型-指定Python对象的确切类型很少会带来很多好处:
cpdef encode(double latitude, double longitude, int precision=12):