Jython(将float数组传递给java)有更多的pythonic方式吗?

时间:2009-08-12 07:05:44

标签: jython

我正在用eclipse SWT / JFace编写jython应用程序。我必须将float数组传递给java对象以从中获取一些值。我正在使用jarray包。是否有更多的pythonic方式呢?

bounds = zeros(4, 'f')
# from java org.eclipse.swt.graphics.Path.getBounds(float[] bounds)
path.getBounds(bounds)
# from java org.eclipse.swt.graphics.Rectangle(int x, int y, int width,int height)
rect = Rectangle(int(round(bounds[0])), 
                     int(round(bounds[1])),
                     int(round(bounds[2])),
                     int(round(bounds[3])))

3 个答案:

答案 0 :(得分:4)

也许。首先,您可以稍微减少代码:

bounds = map(lambda v: int(round(v)), bounds)

这避免了重复演员。我的下一步是创建一个帮助方法将数组转换为Rectangle,这样您就不必重复此代码了:

def toRectangle(bounds):
    bounds = map(lambda v: int(round(v)), bounds)
    return Rectangle(bounds[0], bounds[1], bounds[2], bounds[3])

那会让你:

rect = toRectangle(path.getBounds(zeroes(4, 'f'))

或者,创建一个直接接受路径的辅助函数。

或者你可以修补路径:

def helper(self):
    bounds = zeros(4, 'f')
    self.getBounds(bounds)
    bounds = map(lambda v: int(round(v)), bounds)
    return Rectangle(bounds[0], bounds[1], bounds[2], bounds[3])

org.eclipse.swt.graphics.Path.toRectangle = helper

rect = path.toRectangle()

请注意,这可能稍有不妥。如果它不起作用,请查看classmethod()new.instancemethod(),了解如何动态地向方法添加方法。

答案 1 :(得分:4)

如今,列表推导的使用被认为是更加pythonic:

rounded = [int(round(x)) for x in bounds]

这将为您提供圆形整数列表。当然你可以将它分配给边界而不是使用“圆形”

bounds = [int(round(x)) for x in bounds]

在我们的邮件列表中,Charlie Groves指出整个事情可以用这样的*运算符爆炸:

rect = Rectangle(*[int(round(x)) for x in bounds])

答案 2 :(得分:2)

值得指出的是,没有必要使用零来创建数组。您可以使用包含可转换为正确类型的实例的Python iterable调用getBounds:

path.getBounds([0, 0, 0, 0])