- android - 多次调用 OnPrimaryClipChangedListener
- android - 无法更新 RecyclerView 中的 TextView 字段
- android.database.CursorIndexOutOfBoundsException : Index 0 requested, 光标大小为 0
- android - 使用 AppCompat 时,我们是否需要明确指定其 UI 组件(Spinner、EditText)颜色
我在使用 SQLAlchemy 时遇到了一个非常奇怪的错误。我已经删除了尽可能多的代码以缩小问题范围,删除更多代码将导致错误消失。我能够通过全新的 pip 安装 SQLAlchemy(在 Python 2.7 上)在另一台 PC 上重现该问题。
如果我做任何附加这样的事情的变体:
python = Application(name='Python')
python.versions.append(ApplicationVersion(version=27))
session.add(python)
session.commit()
#or
python = Application(name='Python')
session.add(python)
session.commit()
python.versions.append(ApplicationVersion(version=27))
session.commit()
我收到此错误(如果我不从代码中删除任何其他内容):
sqlalchemy.exc.IntegrityError: (sqlite3.IntegrityError) NOT NULL constraint failed: ApplicationVersion.application_id
[SQL: INSERT INTO "ApplicationVersion" (application_id, version_int) VALUES (?, ?)]
[parameters: (None, 27)]
但是,正如我提到的,如果我删除任何内容,它会完美运行。例如,通过删除下面这个函数的文档字符串,它将正确分配 application_id
并按预期工作。
@contextmanager
def Session():
"""Setup session to allow for usage with a context manager."""
session = _Session()
yield session
session.close()
我完全不知道发生了什么。作为免责声明,我测试的另一台 PC 在同一个工作网络上,但由于我正在使用 sqlite
进行测试,我无法想象它是基于网络的东西。
这是重现错误的代码(它是一个由多个文件连接而成的文件):
######### CONNECT.PY #######
import os
from contextlib import contextmanager
from sqlalchemy import create_engine
from sqlalchemy.ext.declarative import declarative_base, declared_attr
from sqlalchemy.orm import sessionmaker
class BaseTable(object):
"""General things to apply to each table.
Help: https://docs.sqlalchemy.org/en/13/orm/extensions/declarative/mixins.html
"""
@declared_attr
def __tablename__(cls):
"""Set the table name to that of the model."""
return cls.__name__
if 'DATABASE_URL' not in os.environ:
os.environ['DATABASE_URL'] = 'sqlite://'
Engine = create_engine(os.environ['DATABASE_URL'])
Base = declarative_base(bind=Engine, cls=BaseTable)
_Session = sessionmaker(bind=Base.metadata.bind)
@contextmanager
def Session():
"""Setup session to allow for usage with a context manager."""
session = _Session()
yield session
session.close()
########## MODELS.PY ###########
import time
import os
from sqlalchemy import Column, Integer, SmallInteger, String, Text
from sqlalchemy import ForeignKey, UniqueConstraint, Table, event
from sqlalchemy.ext.hybrid import hybrid_property
from sqlalchemy.orm import backref, relationship, validates
class Category(Base):
row_id = Column(Integer, primary_key=True)
name = Column(String(64), nullable=False)
parent_id = Column(Integer, ForeignKey('Category.row_id'), nullable=True)
parent = relationship('Category', foreign_keys=parent_id, remote_side=row_id)
children = relationship('Category')
__table_args__ = (
UniqueConstraint('name', 'parent_id', name='unique_name_parent'),
)
@hybrid_property
def fullname(self):
parent = self.parent
visited = set()
chain = [self.name]
while parent:
if parent in visited:
break
visited.add(parent)
chain.append(parent.name)
parent = parent.parent
return '.'.join(chain[::-1])
def __init__(self, name, collection, parent=None, creator=None, **kwargs):
super(Category, self).__init__(name=name, collection=collection, parent=parent, creator=creator, **kwargs)
def __repr__(self):
return '<{cls} "{fullname}">'.format(
cls=self.__class__.__name__,
fullname=self.fullname,
)
class Application(Base):
row_id = Column(Integer, primary_key=True)
name = Column(String(16), nullable=False)
versions = relationship('ApplicationVersion', order_by='ApplicationVersion.version_int')
class ApplicationVersion(Base):
row_id = Column(Integer, primary_key=True)
application_id = Column(Integer, ForeignKey('Application.row_id'), nullable=False)
version_int = Column(Integer, nullable=False)
application = relationship('Application', foreign_keys=application_id)
__table_args__ = (
UniqueConstraint('application_id', 'version_int', name='unique_application_version'),
)
def __init__(self, version, application=None, **kwargs):
super(ApplicationVersion, self).__init__(application=application, version_int=version, **kwargs)
def __repr__(self):
return '<{cls} "{application} {version}">'.format(
cls=self.__class__.__name__,
application=self.application.name,
version=self.version_int,
)
def __eq__(self, num):
return self.version_int == num
def __neq__(self, num):
return self.version_int != num
######## TEST.PY ########
Base.metadata.create_all()
if __name__ == '__main__':
with Session() as session:
# Setup programs and versions
python = Application(name='Python')
python.versions.append(ApplicationVersion(version=27))
session.add(python)
session.commit()
print python.versions
这些是将停止错误的各种操作:
BaseTable
或 Session
中删除文档字符串如果 'DATABASE_URL' 不在 os.environ 中:
create_engine(os.environ['DATABASE_URL'])
替换为create_engine('sqlite://')
类别
类别
中删除关系类别
中删除fullname
、__init__
或__repr__
__init__
、__repr__
、__eq__
或 __neq__
应用程序版本
任何帮助将不胜感激,因为它让我有点发疯。我可以通过使用 session.add(ApplicationVersion(python, 27))
来解决这个问题,但我想知道这里到底发生了什么,因为我从未见过 Python 的行为是这样的之前。
最佳答案
我发现问题出在您在 ApplicationVersion
上定义的自定义构造函数:
def __init__(self, version, application=None, **kwargs):
super(ApplicationVersion, self).__init__(application=application, version_int=version, **kwargs)
具体来说,您允许 ApplicationVersion.application
的默认值为 None
。我不确定这对您有什么值(value),因为默认构造函数不要求您为模型的任何字段传递显式值,因此如果未提供,它将是 None
当无论如何访问。
然后在测试的这一行中:
python.versions.append(ApplicationVersion(version=27))
... 由于构造函数,您使用 application=None
显式创建了一个 ApplicationVersion 对象,但同时,将其附加到 python.versions
集合。这些关系解析外键值的方式似乎不一致,因此有时它会尝试使用 application_id=1
进行刷新,这是新的 Application
对象的 pk,并且其他时候,它会按照构造函数的指示尝试使用 application_id=None
刷新。但是 application_id
不可为空:
application_id = Column(Integer, ForeignKey('Application.row_id'), nullable=False)
...这就是您收到 IntegrityError
的时候。
SQLAlchemy 必须在将关系属性显式设置为 None
和它根本没有设置之间做出一些区分,因为如果您停止将 application
设置为 None
在你的构造函数中,问题停止了:
def __init__(self, version, **kwargs):
super(ApplicationVersion, self).__init__(version_int=version, **kwargs)
我能够将您的示例缩减为这个通用示例(抱歉,Python 3,因此您需要调整 print
调用):
from sqlalchemy import create_engine, Column, Integer
from sqlalchemy import ForeignKey
from sqlalchemy.exc import IntegrityError
from sqlalchemy.ext.declarative import declarative_base
from sqlalchemy.orm import relationship, sessionmaker
engine = create_engine('sqlite://')
Base = declarative_base()
Session = sessionmaker(bind=engine)
class Parent(Base):
__tablename__ = 'parent'
id = Column(Integer, primary_key=True)
children = relationship('Child')
class Child(Base):
__tablename__ = 'child'
id = Column(Integer, primary_key=True)
num = Column(Integer)
parent_id = Column(Integer, ForeignKey('parent.id'), nullable=False)
parent = relationship('Parent')
def __init__(self, parent=None, **kwargs):
super(Child, self).__init__(parent=parent, **kwargs)
if __name__ == '__main__':
Base.metadata.create_all(engine)
error_cnt = 0
success_cnt = 0
for _ in range(20):
s = Session()
try:
parent = Parent()
parent.children.append(Child())
s.add(parent)
s.commit()
except IntegrityError:
error_cnt += 1
else:
success_cnt += 1
finally:
s.close()
print('errors', error_cnt)
print('successes', success_cnt)
当你运行它时,你应该得到成功和错误的随机计数。然后删除 Child.__init__()
方法,它一直有效。
关于python - 附加到关系时 SQLAlchemy 异常非空失败,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/56378863/
我在使用以下代码时遇到问题: function http_file_exists($url){ $f=fopen($url,"r"); if($f){ fclose($f); retu
我已经通过 Git 部署到 Azure 几个月了,没有出现重大问题,但现在我似乎遇到了一个无法克服的错误。 我创建了一个新的 Azure 网站,为正在开发的项目创建单独的预览链接。我在新站点上设置了
我已经通过flutter创建了一个App并完成了它,我想在flutter文档中阅读时进行部署。 我收到此错误: FAILURE: Build failed with an exception. * W
我在Windows 10中使用一些简单的Powershell代码遇到了这个奇怪的问题,我认为这可能是我做错了,但我不是Powershell的天才。 我有这个: $ix = [System.Net.Dn
我正在尝试使用 RapidJSON 解析从服务器接收到的数据。以下是收到的确切字符串: [ { "Node": "9478149a08f9", "Address": "172.17
我尝试为 ios 编译 OpenCV。我总是收到这些错误。我用不同版本的opencv试了一下,结果都是一样的。 我运行这个:python 平台/ios/build_framework.py ios_o
我在一台机器上做基本的发布/订阅,我的客户端是 StackExchange-Redis 的 C# 客户端,我在同一台机器上运行基于 Windows 的 Redis 服务器(服务器版本 2.8.4) 当
我有这段代码,但无法执行,请帮我解决这个问题 连接 connect_error) { die ("connection failed: " . $terhubung->connect_erro
我在 tomcat 上运行并由 maven 编译的 Web 应用程序给出了以下警告和错误。我可以在本地存储库中看到所有 JAR,但有人可以帮忙吗。 WARNING: Failed to scan JA
我正在 Windows 8 上使用 Android Studio 开发一个 android 应用程序,我正在使用一些 native 代码。突然间我无法编译我的 C 文件。当我运行 ndk-build
下面的代码对类和结构的成员进行序列化和反序列化。序列化工作正常,但我在尝试使用 oarch >> BOOST_SERIALIZATION_NVP(outObj); 反序列化时遇到了以下错误; 代码中是
如果我运行此命令“rspec ./spec/requests/api/v1/password_reset_request_spec.rb”,此文件中的所有测试都会通过。 但是,当我运行“rspec”时
我在尝试执行测试以使用 Protractor 上传文件时出错,我的代码是这个 it('it should be possible to upload a file', function() {
System.loadLibrary("nativefaceswap"); 当我运行我的应用程序时,我在 Android Studio 中发现了此类错误。在logcat中显示: java.lang.U
我希望有人能帮助我!使用任何方法或命令行的任何 SSL/HTTPS 调用均无效。 我在 Windows 10 中使用 Ubuntu Server 18.04 作为子系统。我的问题是昨天才开始出现的,因
通过删除这两个值将日期字段从 null=True 和 Blank=True 更改为 required 时,使用 db.alter 命令时遇到问题。 当以下行被注释掉时,迁移运行不会出现问题。
我第一次使用 Heroku 尝试创建应用程序(使用 SendGrid 的 Inbound Parse Webhook"和 Twilio SMS 通过电子邮件发送和接收 SMS 消息)。通过 Virtu
我正在将我的 swift 项目更新到 Xcode 7 上的 Swift 2.0。xcode 在构建项目时报告了以下错误: 命令/Applications/Xcode.app/Contents/Deve
在我的代码中,SSL 库函数 SSL_library_init() 没有按预期返回 1。我如何才能看到它返回了什么错误? 我在 SSL_library_init() 之后调用了 SSL_load_er
我正在尝试运行在以下链接中找到的答案: Asynchronously Load the Contents of a Div 但是当我这样做时,我会遇到我不太理解的错误。 我的代码: $(documen
我是一名优秀的程序员,十分优秀!