0

我一直在使用现有的数据表,所以我使用inspectdb. 我的类没有主键,所以 Django 添加了一个名为idwhen Imakemigrationsmigrate. 后来我定义了模板、视图和URL,在我的网站上查看类表时,出现这样的错误:

没有这样的列:AGC.id

我不知道如何解决它,我是使用 Django 的新手。

模型:

class Agc(models.Model):
    index = models.BigIntegerField(blank=True, null=True)
    area = models.TextField(db_column='AREA', blank=True, null=True)  # Field name made lowercase.
    periodo = models.BigIntegerField(db_column='PERIODO', blank=True, null=True)  # Field name made lowercase.
    demanda = models.TextField(db_column='DEMANDA', blank=True, null=True)  # Field name made lowercase. This field type is a guess.

class Meta:
    db_table = 'AGC'

模板:

{% extends "despachowebapp/Base.html" %}

{% load static %}
{% block content %}
<table class="table table-bordered">
    <thead>
        <tr>
            <th scope="col">#</th>
            <th scope="col">Index</th>
            <th scope="col">Area</th>
            <th scope="col">Periodo</th>
            <th scope="col">Demanda</th>
        </tr>
    </thead>  
    <tbody>
    {% if AGCs %}
        {% for AGC in AGCs  %}
            <tr>
                <th scope='row'>{{ Agc.id }}</th>
                <td>{{ Agc.index }}</td>
                <td>{{ Agc.index }}</td>
                <td>{{ Agc.area }}</td>
                <td>{{ Agc.periodo }}</td>
                <td>{{ Agc.demanda }}</td>
            </tr>
        {% endfor %}
    {% else %}
        <h1>No hay datos </h1>
    </tbody>
</table>
{% endblock %}

意见:

def index(request):
    AGCs=Agc.objects.all()
    contexto={'AGCs': AGCs }
    return render(request,'OfertasAGC.html', contexto)

网址:

urlpatterns =[
    path('admin/', admin.site.urls),
    path('', include('webapp.urls')),
    path('prueba/',views.index),
]
4

1 回答 1

0

Django 模型必须始终有一个主键,您可以使用 AutoField 或 BigAutoField 或使用另一个模型字段,但您需要添加 primary_key = True 属性。

例如:

class Agc(models.Model):
    index = models.BigIntegerField(primary_key=True)
    area = models.TextField(db_column='AREA', blank=True, null=True)  # Field name made lowercase.
    periodo = models.BigIntegerField(db_column='PERIODO', blank=True, null=True)  # Field name made lowercase.
    demanda = models.TextField(db_column='DEMANDA', blank=True, null=True)  # Field name made lowercase. This field type is a guess.
    
    class Meta:
       db_table = 'AGC'
        
于 2021-09-10T17:12:28.677 回答