1

我想要一个 Python 类,它的实例可以以多种方式构建。

我在 SO 中阅读了一些关于 python 中的鸭子类型的答案,但由于我的论点将是序列和字符串的某种组合,所以我完全不确定我是否以 python 的方式做事。

我想处理:

  • 单个“可拆分”字符串;
  • 单个数字或字符串序列(一个参数);
  • 由字符串或数字组成的变长参数列表;

大多数疑问仍然存在:

  • 是否需要区分单个字符串和单个序列(因为字符串可以表现为序列);
  • tryvs的使用与否if
  • 使用tryvs “手动”引发异常。

这是我当前的代码,到目前为止它适用于一些初始用例:

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

import re

class HorizontalPosition(object):
    """
    Represents a geographic position defined by Latitude and Longitude

    Arguments can be:
        - string with two numeric values separated by ';' or ',' followed by blank space;
        - a sequence of strings or numbers with the two first values being 'lat' and 'lon';
    """

    def __init__(self, *args):

        if len(args) == 2:
            self.latitude, self.longitude = map(float, args)

        elif len(args) == 1:
            arg = args[0]

            if isinstance(arg, basestring):
                self.latitude, self.longitude = map(float, re.split('[,;]?\s*', arg.strip()))

            elif len(arg) == 2:
                self.latitude, self.longitude = map(float, arg)

        else:
            raise ValueError("HorizontalPosition constructor should receive exactly one (tuple / string) or two arguments (float / string)")


    def __str__(self):
        return "<HorizontalPosition (%.2f, %.2f)>" % (self.latitude, self.longitude)


    def __iter__(self):
        yield self.latitude
        yield self.longitude


if __name__ == "__main__":
    print HorizontalPosition(-30,-51)       # two float arguments
    print HorizontalPosition((-30,-51))     # one two-sized tuple of floats
    print HorizontalPosition('-30.0,-51')   # comma-separated string
    print HorizontalPosition('-30.0 -51')   # space-separated string

    for coord in HorizontalPosition(-30, -51):
        print coord
4

0 回答 0