我有一个 python 函数,它接受一个字符串 s 表达式,如“(add (sub 10 5) 5)”,其中“add”和“sub”实际上是图像处理函数,并评估和创建字符串中表示的图像。图像处理函数采用常量、变量或其他图像(表示为向量列表),并返回以相同方式表示的图像。PIL 用于将表示为矢量列表的图像转换为图像文件。
为了评估前缀符号 s-expressions,我将 s-expr 转换为一个列表,反转它,并迭代标记,直到找到一个函数,此时执行图像处理函数并且生成的图像替换函数及其列表中的参数。这样做直到列表中只剩下一个元素,即最终图像。
图像处理函数很简单——对图像中的每个 (r,g,b) 值执行一些数学运算。
问题是,如果我想为更复杂的表达制作尺寸合适的图像,我的计算机就会停止运行。这可以优化以使用更少的内存吗?
def createImage(self, sexpr, filename, (picWidth, picHeight)):
"""Use the image processing functions in ImgProcessing
to create an image from the procedural information
contained in the s-expression."""
img = Image.new("RGB",(picWidth,picHeight),(255,255,255))
ip = ImgProcessing(picWidth,picHeight)
# Split s-expression into list of tokens and reverse
sList = sexpr.replace("(","").replace(")","").split()
sList.reverse()
while len(sList) > 1:
for index,token in enumerate(sList):
# If token is an image processing function
if type(token) == str and self.FuncSet.has_key(token):
# If this function takes one argument
if self.FuncSet[token] == 1:
rawImage = eval("ip." + token + "(" + "\"" + str(sList[index-1]) +
"\"" + ")")
sList = sList[:index-1] + [rawImage] + sList[index+1:]
break
# If this function takes two arguments
elif self.FuncSet[token] == 2:
rawImage = eval("ip." + token + "(" + "\"" + str(sList[index-1]) +
"\"" + "," + "\"" + str(sList[index-2]) + "\"" +
")")
sList = sList[:index-2] + [rawImage] + sList[index+1:]
break
img.putdata(sList[0])
img.save(filename)