我已经有一个名为“mydb”的数据库,其中有一个名为“airprome”的表。
my models.py如下所示:
from django.db import models
class Aerodrome(models.Model):
Name = models.CharField(max_length=48)
Latitude = models.DecimalField(decimal_places=4, max_digits=7)
Longitude = models.DecimalField(decimal_places=4, max_digits=7)
我在views.py有这个方法:
from django.shortcuts import render
from helloworld.models import Aerodrome
def aerodromes(request):
return render(request, 'aerodromes.html', {'aerodromes': Aerodrome.objects.all()})
在我的模板文件夹中,我有airpromes.html,它也很简单:
<!doctype html>
<html>
<head>
</head>
<body>
<table>
{% for aerodrome in aerodromes %}
<tr>
<td>{{ aerodrome.Name }}</td>
<td>{{ aerodrome.Longitude }}</td>
<td>{{ aerodrome.Latitude }}</td>
</tr>
{% endfor %}
</table>
</body>
</html>
当我通过浏览器进行测试时,我会得到一个错误,因为它看起来访问的表名称不对。我的应用程序被称为“helloworld”,因为它是一个测试,而不是访问mydb.airdromes,而是访问mydb.helloworld_airdrome(还要注意区分大小写的问题)。
因为我已经填充了数据库,所以我没有运行syncdb(我知道它不是必需的,但也许这就是问题所在)。
所以,问题是,我不知道为什么要在表名中添加“helloworld”,也不知道我到底要在哪里修复表名(然后就出现了“airprome”而不是“airpromes”的区分大小写问题)。
有什么帮助吗?
最佳答案
使用Meta
模型定义中的models.py
类(documentation here):
class Aerodrome(models.Model):
Name = models.CharField(max_length=48)
Latitude = models.DecimalField(decimal_places=4, max_digits=7)
Longitude = models.DecimalField(decimal_places=4, max_digits=7)
class Meta:
db_table = 'AERODROMES'
这将覆盖SQL数据库中模型表的默认命名方案。
您还可以添加
managed
属性来控制是否python manage.py syncdb
和python manage.py flush
管理表。class Aerodrome(models.Model):
# ...
class Meta:
db_table = 'AERODROMES'
managed = False
有了这个,你就可以不用担心抹去你的数据。
关于python - Django的数据库表名,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/16421574/