2011-07-14 47 views
2

我有數據提交,看起來像服務器形式如下:Python的解析查詢字符串來列出

videos[0][type]=Vimeo& 
    videos[0][moments][0][time]=11& 
    videos[0][moments][0][lng]=111& 
    videos[0][moments][0][lat]=111& 
    videos[0][moments][1][time]=222& 
    videos[0][moments][1][lng]=222& 
    videos[0][moments][1][lat]=222& 
videos[1][type]=YouTube& 
    videos[1][moments][0][time]=111& 
    videos[1][moments][0][lng]=111& 
    videos[1][moments][0][lat]=111 
... 

我用的燒瓶中,我想通過videosmoments能夠循環但似乎沒有辦法做到這一點。我試圖在Google上尋找圖書館,但我的Google-fu今晚很虛弱。

有什麼建議嗎?謝謝!

編輯:基於lazy1的回答,我修改了他/她的代碼

def add(root, path, value): 
    for part in path[:-1]: 
    root = root.setdefault(part, {}) 
    root[path[-1]] = value 

def parse(s): 
    items = {} 
    for key, value in parse_qsl(s): 
    parts = filter(None, re.split('[\[\]]', key)) 
    name = parts[0] 
    if name not in items: 
     items[name] = {} 
    add(items[name], parts[1:], value) 
    return items 

,將生成一個散列:

{'map': {'title': 'orange'}, 'videos': {'1': {'moments': {'0': {'lat': '111', 'lng': '111', 'time': '111'}}, 'type': 'YouTube'}, '0': {'moments': {'1': {'lat': '222', 'lng': '222', 'time': '222'}, '0': {'lat': '111', 'lng': '111', 'time': '11'}}, 'type': 'Vimeo'}}} 

的查詢,看起來像:

map[title]=orange& 
videos[0][type]=Vimeo& 
    videos[0][moments][0][time]=11& 
    videos[0][moments][0][lng]=111& 
    videos[0][moments][0][lat]=111& 
    videos[0][moments][1][time]=222& 
    videos[0][moments][1][lng]=222& 
    videos[0][moments][1][lat]=222& 
videos[1][type]=YouTube& 
    videos[1][moments][0][time]=111& 
    videos[1][moments][0][lng]=111& 
    videos[1][moments][0][lat]=111 
... 

回答

3

您可以使用urlparse.parse_qsl來獲取查詢p arameters。但是,您需要手動構建視頻對象。

實現示例可以是:

def add(root, path, value): 
    for part in path[:-1]: 
     root = root.setdefault(part, {}) 
    root[path[-1]] = value 

def parse(s): 
    videos = {} 
    for key, value in parse_qsl(s): 
     parts = filter(None, re.split('[\[\]]', key)) 
     insert(videos, parts[1:], value) 
    return videos 
2

如果使用formencode並且可以在按鍵的格式更改爲:

map.title=orange& 
videos-0.type=Vimeo& 
    videos-0.moments-0.time=11& 
    videos-0.moments-0.lng=111& 
    videos-0.moments-0.lat=111& 
    videos-0.moments-1.time=222& 
    videos-0.moments-1.lng=222& 
    videos-0.moments-1.lat=222& 
videos-1.type=YouTube& 
    videos-1.moments-0.time]=111& 
    videos-1.moments-0.lng]=111& 
    videos-1.moments-0.lat]=111 

您可以使用:

from urlparse import parse_qsl 
from formencode.variabledecode import variable_decode 

def parse(s): 
    return variable_decode(parse_qsl(s)) 

舉:

{ 
'map': {'title': 'orange'}, 
'videos': [ 
    { 
    'moments': [ {'lat': '111', 'lng': '111', 'time': '11'}, 
        {'lat': '222', 'lng': '222', 'time': '222'}], 
    'type': 'Vimeo' 
    }, { 
    'moments': [ {'lat': '111', 'lng': '111', 'time': '111'} ], 

    'type': 'YouTube' 
    } 
] 
} 
+0

謝謝!我想我會用這個庫。我不喜歡名字的格式,但我想我可以忍受它。 :) – Haochi