我正在尝试使用SQL
解析一些CREATE TABLE
语句(pyparsing
)。对于数据库名称和表格表,我创建了标识符:
identifier = (Combine(Optional('"') + Word(alphanums) +
ZeroOrMore('_' + Word(alphanums)) +
Optional('"')) & ~keywords_set)
database_name = identifier.setResultsName('database_name')
table_name = identifier.setResultsName('table_name')
我也在使用这种解析方法:
def parse(self, sql):
try:
tokens = self.create_table_stmt.parseString(sql)
print tokens.database_name, tokens.table_name
values = tokens.database_name, tokens.table_name
print values
return values
except ParseException as error:
print error
以下输入:
CreateTableParser().parse('''
CREATE TABLE "django"."django_site1" (
)''')
我得到:
['"django"'] ['"django_site1"']
((['"django"'], {}), (['"django_site1"'], {}))
为什么这些不同?我怎样才能以第一种方式获得输出,作为简单列表?我打印这些值时才会得到它。
答案 0 :(得分:1)
print a, b
和print (a,b)
之间存在差异:
>>> a, b = "ab"
>>> a
'a'
>>> b
'b'
>>> print a, b
a b
>>> print (a, b)
('a', 'b')
print a, b
打印两个对象a
和b
。 print (a, b)
打印元组a, b
:
>>> w = sys.stdout.write
>>> _ = w(str(a)), w(' '), w(str(b)), w('\n')
a b
>>> _ = w(str((a,b))), w('\n')
('a', 'b')
或换句话说:
>>> class A:
... def __str__(self):
... return '1'
... def __repr__(self):
... return 'A()'
...
>>> print A(), A()
1 1
>>> print (A(), A())
(A(), A())
执行__str__
时会调用 str(obj)
方法。如果没有__str__
方法,则__repr__
方法称为repr(obj)
。