Flask / Jinja2 - 迭代嵌套词典

时间:2014-01-08 21:09:56

标签: python dictionary flask nested jinja2

我试图以一堆嵌套的无序列表的形式显示字典的内容和结构。

我设法拉到一起的数据看起来像这样,

{'.': {'walk.py': None, 'what.html': None, 'misc': {}, 'orders': {'order1.html':  None, 'more': {'stuff.html': None}}}}

代表这个目录树,

.:
misc/  orders/  walk.py  what.html

./misc:

./orders:
more/  order1.html

./orders/more:
stuff.html

我如何使用Jinja2语法对此进行迭代?这样做有更好的方法吗?

先谢谢。

编辑:我觉得很蠢。在再次寻找解决方案后,我发现了我正在寻找的东西。猜猜我的google-fu第一次尝试并不是真的和我在一起。 Here it is...

3 个答案:

答案 0 :(得分:8)

使用for looprecursive修饰符(取自文档的示例):

<ul class="sitemap">
{%- for item in sitemap recursive %}
    <li><a href="{{ item.href|e }}">{{ item.title }}</a>
    {%- if item.children -%}
        <ul class="submenu">{{ loop(item.children) }}</ul>
    {%- endif %}</li>
{%- endfor %}
</ul>

<强>更新

我想出的是:

from jinja2 import Template

x = Template("""{%- for key, value in tree.iteritems() recursive %}
{{ '--' * (loop.depth-1) }}{{ key }}
{%- if value is mapping -%}/{{ loop(value.iteritems()) }}{%- endif -%}
{%- endfor %}
""")

tree = {'.': {
    'walk.py': None,
    'what.html': None,
    'misc': {},
    'orders': {
        'order1.html': None,
        'more': {
            'stuff.html': None
        }
    }
}}

print x.render(tree=tree)

输出:

./
--walk.py
--what.html
--misc/
--orders/
----order1.html
----more/
------stuff.html

(Jinja2代码中的破折号(例如{%- ... -%}代表whitespace control。请使用它。)

答案 1 :(得分:1)

为什么不只是嵌套的for循环?

在您的views.py中:

def index(request):
    context={'main1':{'sub1','sub2','sub3'},'main2':{'sub1','sub2'}}
    return render(request,'index.html',context)

在您的index.html中:

{% for key1,val in context.items %}
    <p> {{ key1 }} </p>
    <ul>
    {% for key2 in val.items %}
            <li> {{key2}} </li>
    {% endfor %}
    </ul>
{% endfor %}

答案 2 :(得分:0)

首先组织数据:

a = {'.': {'walk.py': None, 'what.html': None, 'misc': {}, 'orders': {'order1.html':  None, 'more': {'stuff.html': None}}}}    

from collections import defaultdict

def f(data, path):
    for k,v in data.iteritems():
        if v is None:
            yield path,k
        else:
            yield path,k+"/"
            for k in f(v,path+k+"/"):
                yield k

def process_data():
    collect = defaultdict(list)
    for p in f(a,""):
        if p[0]:
            collect[p[0][:-1]].append(p[1])
    return collect

现在如果你跑:

data = process_data()
for k in data.keys():
    print k,data[k]

你得到:

./orders ['order1.html', 'more/']
./orders/more ['stuff.html']
. ['walk.py', 'what.html', 'misc/', 'orders/']

这就是渲染所需的一切。模板应该是这样的:

{% for k in sitemap.keys()|sort -%}
    {{ k }}:<br/>
    {% for v in sitemap[k] %}
    {{ v }}
    {%- endfor %}
    <br/>
{%- endfor %}

以及渲染的调用:

@app.route("/")
def hello():
    return render_template('temp.html',sitemap=process_data())

在我的测试中呈现为:

.:<br/>    
walk.py
what.html
misc/
orders/
<br/>./orders:<br/>    
order1.html
more/
<br/>./orders/more:<br/>    
stuff.html
<br/>