0

源代码:我有以下程序。

import genshi
from genshi.template import MarkupTemplate

html = '''
    <html xmlns="http://www.w3.org/1999/xhtml" xmlns:py="http://genshi.edgewall.org/">
        <head>
        </head>
        <body>
            <py:for each="i in range(3)">
                <py:choose>
                    <del py:when="i == 1">
                        ${i}
                    </del>
                    <py:otherwise>
                        ${i}
                    </py:otherwise>
                </py:choose>
            </py:for>
        </body>
    </html>
'''

template = MarkupTemplate(html)
stream = template.generate()
html = stream.render('html')

print(html)

预期输出:数字连续打印,它们之间没有空格(最关键的是没有换行符)。

<html>
    <head>
    </head>
    <body>
            0<del>1</del>2
    </body>
</html>

实际输出:它输出以下内容:

<html>
    <head>
    </head>
    <body>
            0
            <del>1</del>
            2
    </body>
</html>

问题:如何消除换行符?我可以通过从最终的 HTML 中剥离它来处理前导空格,但我不知道如何摆脱换行符。我需要将 for 循环的内容显示为一个连续的“单词”(例如012,而不是0 \n 1 \n 2)。

我试过的:

  • 阅读 Genshi 文档。
  • 搜索 StackOverflow
  • 搜索谷歌
  • 使用<?python ...code... ?>代码块。这不起作用,因为<del>标签中的插入符号被转义并显示。

    <?python
        def numbers():
            n = ''
            for i in range(3):
                if i == 1:
                    n += '<del>{i}</del>'.format(i=i)
                else:
                    n += str(i)
            return n
    ?>
    ${numbers()}
    

    产生0&lt;del&gt;1&lt;/del&gt;2 我也尝试过这个,但genshi.builder.Element('del')改为使用。结果是一样的,我能够最终确定返回的字符串numbers()在返回发生后被转义。

  • 一堆其他的东西,我现在想不起来了。

4

1 回答 1

0

不理想,但我终于找到了一个可以接受的解决方案。诀窍是将给定标签的结束插入符号放在下一个标签的开始插入符号之前的下一行。

<body>
    <py:for each="i in range(3)"
        ><py:choose
            ><del py:when="i == 1">${i}</del
            ><py:otherwise>${i}</py:otherwise
        ></py:choose
    </py:for>
</body>

来源:https ://css-tricks.com/fighting-the-space-between-inline-block-elements/

如果有人有更好的方法,我很想听听。

于 2018-11-12T17:53:22.277 回答