1

我刚刚开始了应该使用 pythonic 简单网络服务器的项目(我只需要一个“配置”页面)从用户那里获取真正多字段(超过 150 个)的数据,然后将所有这些数据(字段+数据)转换为xml 文件并将其发送到另一个 python 模块。所以问题是 - 处理这个问题的简单方法是什么?我找到了cherryPy(作为网络服务器)和Genshi(作为xml解析器),但对我来说如何组合它甚至不是很明显(因为我理解Genshi为发布提供模板(甚至xml),但是如何获取(转换)数据xml)。Ive red cherryPy 和 Genshi 教程,但它与我真正需要的有点不同,而且我现在在 python(尤其是 web)方面不太强,无法找到正确的方向。如果你能给我看任何类似的例子来理解这个概念,那就太好了!

对不起我的英语不好!

提前致谢。

4

1 回答 1

0

Python 自带方便xml.etree,不需要额外的依赖即可输出简单的 XML。这是示例。

#!/usr/bin/env python
# -*- coding: utf-8 -*-


import xml.etree.cElementTree as etree

import cherrypy


config = {
  'global' : {
    'server.socket_host' : '127.0.0.1',
    'server.socket_port' : 8080,
    'server.thread_pool' : 8
  }
}


class App:

  @cherrypy.expose
  def index(self):
    return '''<!DOCTYPE html>
      <html>
      <body>
        <form action="/getxml" method="post">
          <input type="text" name="key1" placeholder="Key 1" /><br/>
          <input type="text" name="key2" placeholder="Key 2" /><br/>
          <input type="text" name="key3" placeholder="Key 3" /><br/>
          <select name="key4">
            <option value="1">Value 1</option>
            <option value="2">Value 2</option>
            <option value="3">Value 3</option>
            <option value="4">Value 4</option>
          </select><br/>
          <button type="submit">Get XML</button>
        </form>
      </body>
      </html>
    '''

  @cherrypy.expose
  def getxml(self, **kwargs):
    root = etree.Element('form')
    for k, v in kwargs.items():
      etree.SubElement(root, k).text = v

    cherrypy.response.headers['content-type'] = 'text/xml'
    return etree.tostring(root, encoding = 'utf-8')


if __name__ == '__main__':
  cherrypy.quickstart(App(), '/', config)
于 2014-12-22T10:03:08.300 回答