我可以在sqlalchemy中创建一个不区分大小写的字符串列吗?即时通讯使用sqlite,而theres probaby是一种通过更改排序规则来完成数据库的方法,但我希望将其保存在sqlalchemy / python中。
答案 0 :(得分:6)
在SQLAlchemy 0.8中,他们为所有String类型添加了collation参数。现在,几个db后端支持COLLATE关键字,包括MySQL,SQLite和Postgresql。你应该可以这样写:
my_table = Table('table_name', meta,
Column('my_column', String(255, collation='NOCASE'),
nullable=False))
答案 1 :(得分:5)
默认情况下,SQLAlchemy似乎不允许在表创建(DDL)阶段使用COLLATE子句,但我终于想出了一种方法来使这个工作在SQLAlchemy 0.6+上。不幸的是,它涉及一些子类化和装饰,但它相当紧凑。
from sqlalchemy import *
from sqlalchemy.ext.compiler import compiles
from sqlalchemy.types import TypeDecorator
class CI_String(TypeDecorator):
""" Case-insensitive String subclass definition"""
impl = String
def __init__(self, length, **kwargs):
if kwargs.get('collate'):
if kwargs['collate'].upper() not in ['BINARY','NOCASE','RTRIM']:
raise TypeError("%s is not a valid SQLite collation" % kwargs['collate'])
self.collation = kwargs.pop('collate').upper()
super(CI_String, self).__init__(length=length, **kwargs)
@compiles(CI_String, 'sqlite')
def compile_ci_string(element, compiler, **kwargs):
base_visit = compiler.visit_string(element, **kwargs)
if element.collation:
return "%s COLLATE %s" % (base_visit, element.collation)
else:
return base_visit
然后可以正常使用新的字符串类型来创建表:
just_a_table = Table('table_name', metadata,
Column('case_insensitive', CI_String(8, collate='NOCASE'), nullable=False))
希望有人觉得这很有用!
答案 2 :(得分:3)
SQLite在文本字段上允许NOCASE collation:
SQLite version 3.6.22
sqlite> create table me (name text collate nocase);
sqlite> .schema
CREATE TABLE me (name text collate nocase);
sqlite> insert into me values("Bob");
sqlite> insert into me values("alice");
sqlite> select * from me order by name;
alice
Bob
和SQLalchemy在架构上有一个collation()运算符,但我不确定你什么时候应用它。