11

我有一系列集成级测试,在我的 Django 项目中作为管理命令运行。这些测试正在验证从外部来源摄取到我的数据库中的大量天气数据的完整性。因为我有如此大量的数据,所以我真的必须针对我的生产数据库进行测试才能使测试有意义。我想弄清楚的是如何定义特定于该命令或连接对象的只读数据库连接。我还应该补充一点,这些测试不能通过 ORM,所以我需要执行原始 SQL。

我的测试结构如下所示

class Command(BaseCommand):
    help = 'Runs Integration Tests and Query Tests against Prod Database'

    def handle(self,*args, **options):
        suite = unittest.TestLoader().loadTestsFromTestCase(TestWeatherModel)
        ret = unittest.TextTestRunner().run(suite)
        if(len(ret.failures) != 0):
            sys.exit(1)
        else:
            sys.exit(0)

class TestWeatherModel(unittest.TestCase):
    def testCollectWeatherDataHist(self):
        wm = WeatherManager()
        wm.CollectWeatherData()
        self.assertTrue(wm.weatherData is not None)

WeatherManager.CollectWeatherData() 方法如下所示:

def CollecWeatherData(self):
    cur = connection.cursor()
    cur.execute(<Raw SQL Query>)
    wm.WeatherData = cur.fetchall()
    cur.close()

我想以某种方式证明这一点,以便其他人(或我)以后不能出现并意外编写会修改生产数据库的测试。

4

4 回答 4

3

您可以通过挂钩到 Django 的connection_created信号,然后将事务设为只读来实现这一点。

以下适用于 PostgreSQL:

from django.db.backends.signals import connection_created


class MyappConfig(AppConfig):
    def ready(self):
        def connection_created_handler(connection, **kwargs):
            with connection.cursor() as cursor:
                cursor.execute('SET default_transaction_read_only = true;')
        connection_created.connect(connection_created_handler, weak=False)

这对于某些特定的 Django 设置很有用(例如,runserver针对生产数据库运行开发代码),您不想创建真正的只读数据库用户。

于 2018-04-10T12:28:04.757 回答
2
DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.postgresql_psycopg2',
        'NAME': 'mydb',
        'USER': 'myusername',
        'PASSWORD': 'mypassword',
        'HOST': 'myhost',
        'OPTIONS': {
            'options': '-c default_transaction_read_only=on'
        }
    }
}

来源:https ://nejc.saje.info/django-postgresql-readonly.html

于 2021-04-07T13:21:42.607 回答
1

伙计,再一次,在我在这里发布问题之前,我应该更仔细地阅读文档。我可以在设置文件中定义到我的生产数据库的只读连接,然后直接从文档中定义:

如果您使用多个数据库,则可以使用 django.db.connections 来获取特定数据库的连接(和游标)。django.db.connections 是一个类字典对象,允许您使用其别名检索特定连接:

from django.db import connections
cursor = connections['my_db_alias'].cursor()
# Your code here...
于 2016-09-30T14:49:05.193 回答
0

如果为模型添加序列化程序,则可以专门研究在只读模式下工作的序列化程序

class AccountSerializer(serializers.ModelSerializer):
    class Meta:
        model = Account
        fields = ('id', 'account_name', 'users', 'created')
        read_only_fields = ('account_name',)

来自http://www.django-rest-framework.org/api-guide/serializers/#specifying-read-only-fields

于 2016-09-30T14:45:40.697 回答