嗨,我有一个带有一些位置数据的遗留数据库。这些字段只是包含此0°25'30"S, 91°7'W
字符串的文本字段。我可以通过某种方式将这些转换为Decimal Latitude
和Decimal Longitude
的两个浮点数吗?
编辑:
所以一个例子是:0°25'30"S, 91°7'W
- > 0.425
,91.116667
其中原始单字段位置产生两个浮点数。
任何帮助都非常感激。
答案 0 :(得分:17)
这种方法可以处理缺少的秒和分钟,我认为正确处理指南针方向:
# -*- coding: latin-1 -*-
def conversion(old):
direction = {'N':1, 'S':-1, 'E': 1, 'W':-1}
new = old.replace(u'°',' ').replace('\'',' ').replace('"',' ')
new = new.split()
new_dir = new.pop()
new.extend([0,0,0])
return (int(new[0])+int(new[1])/60.0+int(new[2])/3600.0) * direction[new_dir]
lat, lon = u'''0°25'30"S, 91°7'W'''.split(', ')
print conversion(lat), conversion(lon)
#Output:
0.425 91.1166666667
答案 1 :(得分:2)
这会将输入字符串转换为预期输出。它可以处理不存在的分钟和秒。
目前,它不考虑北/南,东/西。如果你告诉我你喜欢那些处理方式,我会更新答案。
# -*- coding: latin-1 -*-
import re
PATTERN = re.compile(r"""(?P<lat_deg>\d+)° # Latitude Degrees
(?:(?P<lat_min>\d+)')? # Latitude Minutes (Optional)
(?:(?P<lat_sec>\d+)")? # Latitude Seconds (Optional)
(?P<north_south>[NS]) # North or South
,[ ]
(?P<lon_deg>\d+)° # Longitude Degrees
(?:(?P<lon_min>\d+)')? # Longitude Minutes (Optional)
(?:(?P<lon_sec>\d+)")? # Longitude Seconds (Optional)
(?P<east_west>[EW]) # East or West
""", re.VERBOSE)
LAT_FIELDS = ("lat_deg", "lat_min", "lat_sec")
LON_FIELDS = ("lon_deg", "lon_min", "lon_sec")
def parse_dms_string(s, out_type=float):
"""
Convert a string of the following form to a tuple of out_type latitude, longitude.
Example input:
0°25'30"S, 91°7'W
"""
values = PATTERN.match(s).groupdict()
return tuple(sum(out_type(values[field] or 0) / out_type(60 ** idx) for idx, field in enumerate(field_names)) for field_names in (LAT_FIELDS, LON_FIELDS))
INPUT = """0°25'30"S, 91°7'W"""
print parse_dms_string(INPUT) # Prints: (0.42500000000000004, 91.11666666666666)
答案 2 :(得分:1)
一种简单的方法(鉴于此问题,我今天就自己讲了正则表达式)。处理丢失的字段和指南针方向。
# -*- coding: latin-1 -*-
import re
s = """0°25'30"S, 91°7'W"""
def compLat_Long(degs, mins, secs, comp_dir):
return (degs + (mins / 60) + (secs / 3600)) * comp_dir
def extract_DegMinSec(data):
m = re.search(r'(\d+°)*(\d+\')*(\d+")*', data.strip())
deg, mins, secs = [0.0 if m.group(i) is None else float(m.group(i)[:-1]) for i in range(1, 4)]
comp_dir = 1 if data[-1] in ('W', 'S') else -1
return deg, mins, secs, comp_dir
s1, s2 = s.split(',')
dms1 = extract_DegMinSec(s1)
dms2 = extract_DegMinSec(s2)
print('{:7.4f} {:7.4f}'.format(compLat_Long(*dms1), compLat_Long(*dms2)))
产量
0.4250 91.1167
答案 3 :(得分:0)
如果您的数据位于 DataFrame 中,您可以使用库 clean_lat_long()
中的函数 DataPrep。使用 pip install dataprep
安装 DataPrep。
from dataprep.clean import clean_lat_long
df = pd.DataFrame({"coord": ["""0°25'30"S, 91°7'W""", """27°29'04.2"N 89°19'44.6"E"""]})
df2 = clean_lat_long(df, "coord", split=True)
# print(df2)
coord latitude longitude
0 0°25'30"S, 91°7'W -0.4250 -91.1167
1 27°29'04.2"N\t89°19'44.6"E 27.4845 89.3291