GoodERP
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

255 lines
8.6KB

  1. # © 2016 cole
  2. # Copyright 2016 上海开阖软件有限公司 (http://www.osbzr.com)
  3. # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html).
  4. from docxtpl import DocxTemplate
  5. import docx
  6. import jinja2
  7. from datetime import datetime
  8. from reportlab.graphics.barcode import createBarcodeDrawing
  9. """
  10. 使用一个独立的文件来封装需要支持图片等功能,避免污染report_docx.py
  11. """
  12. def calc_length(s):
  13. """
  14. 把字符串,数字类型的参数转化为docx的长度对象,如:
  15. 12 => Pt(12)
  16. '12' => Pt(12)
  17. '12pt' => Pt(12) 单位为point
  18. '12cm' => Cm(12) 单位为厘米
  19. '12mm' => Mm(12) 单位为毫米
  20. '12inchs' => Inchs(12) 单位为英寸
  21. '12emu' => Emu(12)
  22. '12twips' => Twips(12)
  23. """
  24. if not isinstance(s, str):
  25. # 默认为像素
  26. return docx.shared.Pt(s)
  27. if s.endswith('cm'):
  28. return docx.shared.Cm(float(s[:-2]))
  29. elif s.endswith('mm'):
  30. return docx.shared.Mm(float(s[:-2]))
  31. elif s.endswith('inchs'):
  32. return docx.shared.Inches(float(s[:-5]))
  33. elif s.endswith('pt') or s.endswith('px'):
  34. return docx.shared.Pt(float(s[:-2]))
  35. elif s.endswith('emu'):
  36. return docx.shared.Emu(float(s[:-3]))
  37. elif s.endswith('twips'):
  38. return docx.shared.Twips(float(s[:-5]))
  39. else:
  40. # 默认为像素
  41. return docx.shared.Pt(float(s))
  42. def calc_alignment(s):
  43. """
  44. 把字符串转换为对齐的常量
  45. """
  46. A = docx.enum.text.WD_ALIGN_PARAGRAPH
  47. if s == 'center':
  48. return A.CENTER
  49. elif s == 'left':
  50. return A.LEFT
  51. elif s == 'right':
  52. return A.RIGHT
  53. else:
  54. return A.LEFT
  55. @jinja2.pass_context
  56. def rmb_format(ctx, data):
  57. """
  58. 将数值按位数分开
  59. """
  60. value = round(data,2)
  61. if abs(value) < 0.01:
  62. # 值为0的不输出,即返回12个空格
  63. return ['' for i in range(12)]
  64. # 先将数字转为字符,去掉小数点,然后和12个空格拼成列表,取最后12个元素返回
  65. return (['' for i in range(12)] + list(('%0.2f' % value).replace('.', '')))[-12:]
  66. @jinja2.pass_context
  67. def rmb_upper(ctx, data, field):
  68. """
  69. 人民币大写
  70. 来自:http://topic.csdn.net/u/20091129/20/b778a93d-9f8f-4829-9297-d05b08a23f80.html
  71. 传入浮点类型的值返回 unicode 字符串
  72. :param 传入阿拉伯数字
  73. :return 返回值是对应阿拉伯数字的绝对值的中文数字
  74. """
  75. rmbmap = ["零", "壹", "贰", "叁", "肆", "伍", "陆", "柒", "捌", "玖"]
  76. unit = ["分", "角", "元", "拾", "佰", "仟", "万", "拾", "佰", "仟", "亿",
  77. "拾", "佰", "仟", "万", "拾", "佰", "仟", "兆"]
  78. value = round(sum(getattr(d, field) for d in data), 2)
  79. # 冲红负数处理
  80. xflag = 0
  81. if value < 0:
  82. xflag = value
  83. value = abs(value)
  84. # 先把value 数字进行格式化保留两位小数,转成字符串然后去除小数点
  85. nums = list(map(int, list(str('%0.2f' % value).replace('.', ''))))
  86. words = []
  87. zflag = 0 # 标记连续0次数,以删除万字,或适时插入零字
  88. start = len(nums) - 3
  89. for i in range(start, -3, -1): # 使i对应实际位数,负数为角分
  90. # 大部分情况对应数字不等于零 或者是刚开始循环
  91. if 0 != nums[start - i] or len(words) == 0:
  92. if zflag:
  93. words.append(rmbmap[0])
  94. zflag = 0
  95. words.append(rmbmap[nums[start - i]]) # 数字对应的中文字符
  96. words.append(unit[i + 2]) # 列表此位置的单位
  97. # 控制‘万/元’ 万和元比较特殊,如2拾万和2拾1万 无论有没有这个1 万字是必须的
  98. elif 0 == i or (0 == i % 4 and zflag < 3):
  99. # 上面那种情况定义了 2拾1万 的显示 这个是特殊对待的 2拾万(一类)的显示
  100. words.append(unit[i + 2])
  101. # 元(控制条件为 0 == i )和万(控制条为(0 == i % 4 and zflag < 3))的情况的处理是一样的
  102. zflag = 0
  103. else:
  104. zflag += 1
  105. if words[-1] != unit[0]: # 结尾非‘分’补整字 最小单位 如果最后一个字符不是最小单位(分)则要加一个整字
  106. words.append("整")
  107. if xflag < 0: # 如果为负数则要在数字前面加上‘负’字
  108. words.insert(0, "负")
  109. return ''.join(words)
  110. @jinja2.pass_context
  111. def total(ctx, data, field):
  112. return round(sum(getattr(d, field) for d in data), 2)
  113. @jinja2.pass_context
  114. def picture(ctx, data, width=None, height=None, align=None):
  115. """
  116. 把图片的二进制数据(使用了base64编码)转化为一个docx.Document对象
  117. data:图片的二进制数据(使用了base64编码)
  118. word例:{{p line.goods_id.image | picture(width=’6cm’)}}
  119. width:图片的宽度,可以为:'12cm','12mm','12pt' 等,参考前面的 calc_length()
  120. height:图片的长度,如果没有设置,根据长度自动缩放
  121. align:图片的位置,'left','center','right'
  122. """
  123. if not data:
  124. return None
  125. # 转化为file-like对象
  126. # 在python2.7中,bytes==str,可以直接使用
  127. # 在python3.5中,bytes和str是不同的类型,需要使用base64这个库
  128. # data使用了base64编码,所以这里需要解码
  129. import base64
  130. data = base64.b64decode(data)
  131. import io
  132. data = io.BytesIO(data)
  133. tpl = ctx['tpl']
  134. doc = tpl.new_subdoc()
  135. if width:
  136. width = calc_length(width)
  137. if height:
  138. height = calc_length(height)
  139. p = doc.add_paragraph()
  140. p.alignment = calc_alignment(align)
  141. p.add_run().add_picture(data, width=width, height=height)
  142. return doc
  143. @jinja2.pass_context
  144. def barcode(ctx, data, barcode_type, width=300, height=70,
  145. humanreadable=0, quiet=1, align=None):
  146. '''生成条形码、二维码
  147. 在 word 中用法:
  148. {{p obj.name|barcode('QR',250,250)}}
  149. (生成 barcode 二进制后的代码,可编码成base64,再调用 picture,只是多了一次编解码过程,略慢)
  150. :param barcode_type:
  151. Accepted types: 'Codabar', 'Code11', 'Code128',
  152. 'EAN13', 'EAN8', 'Extended39',
  153. 'Extended93', 'FIM', 'I2of5',
  154. 'MSI', 'POSTNET', 'QR', 'Standard39', 'Standard93',
  155. 'UPCA', 'USPS_4State'
  156. :param humanreadable:
  157. Accepted values: 0 (default) or 1. 1 will insert the readable value
  158. at the bottom of the output image
  159. '''
  160. value = data
  161. if barcode_type == 'UPCA' and len(value) in (11, 12, 13):
  162. barcode_type = 'EAN13'
  163. if len(value) in (11, 12):
  164. value = '0%s' % value
  165. try:
  166. width, height, humanreadable, quiet = int(width), int(
  167. height), bool(int(humanreadable)), bool(int(quiet))
  168. # for `QR` type, `quiet` is not supported. And is simply ignored.
  169. # But we can use `barBorder` to get a similar behaviour.
  170. bar_border = 4
  171. if barcode_type == 'QR' and quiet:
  172. bar_border = 0
  173. barcode_img = createBarcodeDrawing(
  174. barcode_type, value=value, format='png',
  175. width=width, height=height,
  176. humanReadable=humanreadable, quiet=quiet, barBorder=bar_border
  177. )
  178. import base64
  179. barcode_img = base64.b64encode(barcode_img.asString('png'))
  180. return picture(ctx, barcode_img, width, height)
  181. except (ValueError, AttributeError):
  182. if barcode_type == 'Code128':
  183. raise ValueError("Cannot convert into barcode.")
  184. else:
  185. return barcode(ctx, data, 'Code128', width=width, height=height,
  186. humanreadable=humanreadable, quiet=quiet)
  187. def get_env():
  188. """
  189. 创建一个jinja的enviroment,然后添加一个过滤器
  190. """
  191. jinja_env = jinja2.Environment()
  192. jinja_env.filters['picture'] = picture
  193. jinja_env.filters['total'] = total
  194. jinja_env.filters['rmb_upper'] = rmb_upper
  195. jinja_env.filters['rmb_format'] = rmb_format
  196. jinja_env.filters['barcode'] = barcode
  197. jinja_env.globals['time'] = datetime.now()
  198. return jinja_env
  199. def test():
  200. """
  201. 演示了如何使用,可以直接执行该文件,但是需要使用自己写的docx模版,和图片
  202. """
  203. tpl = DocxTemplate("tpls/test_tpl.docx")
  204. # 读取图片的数据且使用base64编码
  205. data = open('tpls/python_logo.png', 'rb').read().encode('base64')
  206. obj = {'logo': data}
  207. # 需要添加模版对象
  208. ctx = {'obj': obj, 'tpl': tpl}
  209. jinja_env = get_env()
  210. tpl.render(ctx, jinja_env)
  211. tpl.save('tpls/test.docx')
  212. def main():
  213. test()
  214. if __name__ == '__main__':
  215. main()
上海开阖软件有限公司 沪ICP备12045867号-1