Ricerca…


** Esempio CRUD più semplice **

Se ritieni che questi passaggi non siano familiari, considera di iniziare da qui . Nota che questi passaggi provengono dalla documentazione di Overflow dello stack.

django-admin startproject myproject
cd myproject
python manage.py startapp myapp

myproject / settings.py Installa l'app

INSTALLED_APPS = [
    'django.contrib.admin',
    'django.contrib.auth',
    'django.contrib.contenttypes',
    'django.contrib.sessions',
    'django.contrib.messages',
    'django.contrib.staticfiles',
    'myapp',
]

Crea un file chiamato urls.py nella directory myapp e lo aggiorna con la seguente vista.

from django.conf.urls import url
from myapp import views

urlpatterns = [
    url(r'^$', views.index, name='index'),
    ]

Aggiorna l'altro file urls.py con il seguente contenuto.

from django.conf.urls import url
from django.contrib import admin
from django.conf.urls import include 
from myapp import views

urlpatterns = [
    url(r'^$', views.index, name='index'),
    url(r'^myapp/', include('myapp.urls')),
    url(r'^admin/', admin.site.urls),
]

Creare una cartella denominata templates all'interno della directory myapp . Quindi creare un file denominato index.html all'interno della directory dei modelli . Completalo con il seguente contenuto.

<!DOCTYPE html>
<html>
<head>
    <title>myapp</title>
</head>
<body>
    <h2>Simplest Crud Example</h2>
    <p>This shows a list of names and lets you Create, Update and Delete them.</p>
    <h3>Add a Name</h3>
    <button>Create</button>
</body>
</html>

Abbiamo anche bisogno di una vista per mostrare index.html che possiamo creare modificando il file views.py in questo modo:

from django.shortcuts import render, redirect

# Create your views here.
def index(request):
    return render(request, 'index.html', {})

Ora hai la base su cui lavorerai. Il prossimo passo è creare un modello. Questo è l'esempio più semplice possibile, quindi nella cartella models.py aggiungi il seguente codice.

from __future__ import unicode_literals

from django.db import models

# Create your models here.
class Name(models.Model):
    name_value = models.CharField(max_length=100)

    def __str__(self): # if Python 2 use __unicode__
        return self.name_value

Questo crea un modello di un oggetto Nome che aggiungeremo al database con i seguenti comandi dalla riga di comando.

python manage.py createsuperuser 
python manage.py makemigrations
python manage.py migrate

Dovresti vedere alcune operazioni eseguite da Django. Questi configurano le tabelle e creano un superutente che può accedere al database di amministrazione da una vista amministratore con Django. A proposito, registriamo il nostro nuovo modello con la visualizzazione admin. Vai su admin.py e aggiungi il seguente codice.

from django.contrib import admin
from myapp.models import Name
# Register your models here.

admin.site.register(Name)

Tornando alla riga di comando ora è possibile avviare il server con il comando python manage.py runserver . Dovresti poter visitare http: // localhost: 8000 / e vedere la tua app. Passare quindi a http: // localhost: 8000 / admin in modo da poter aggiungere un nome al progetto. Accedi e aggiungi un Nome sotto la tabella MYAPP, l'abbiamo mantenuto semplice per l'esempio, quindi assicurati che sia inferiore a 100 caratteri.

Per accedere al nome è necessario visualizzarlo da qualche parte. Modifica la funzione di indice all'interno di views.py per estrarre tutti gli oggetti Nome dal database.

from django.shortcuts import render, redirect
from myapp.models import Name

# Create your views here.
def index(request):
    names_from_db = Name.objects.all()
    context_dict = {'names_from_context': names_from_db}
    return render(request, 'index.html', context_dict)

Ora modifica il file index.html al seguente.

<!DOCTYPE html>
<html>
<head>
    <title>myapp</title>
</head>
<body>
    <h2>Simplest Crud Example</h2>
    <p>This shows a list of names and lets you Create, Update and Delete them.</p>
    {% if names_from_context %}
        <ul>
            {% for name in names_from_context %}
                <li>{{ name.name_value }}  <button>Delete</button> <button>Update</button></li>
            {% endfor %}
        </ul>
    {% else %}
        <h3>Please go to the admin and add a Name under 'MYAPP'</h3>
    {% endif %}
    <h3>Add a Name</h3>
    <button>Create</button>
</body>
</html>

Ciò dimostra la lettura in CRUD. All'interno della directory myapp creare un file forms.py. Aggiungi il seguente codice:

from django import forms
from myapp.models import Name

class NameForm(forms.ModelForm):
    name_value = forms.CharField(max_length=100, help_text = "Enter a name")

    class Meta:
        model = Name
        fields = ('name_value',)

Aggiorna index.html nel modo seguente:

<!DOCTYPE html>
<html>
<head>
    <title>myapp</title>
</head>
<body>
    <h2>Simplest Crud Example</h2>
    <p>This shows a list of names and lets you Create, Update and Delete them.</p>
    {% if names_from_context %}
        <ul>
            {% for name in names_from_context %}
                <li>{{ name.name_value }}  <button>Delete</button> <button>Update</button></li>
            {% endfor %}
        </ul>
    {% else %}
        <h3>Please go to the admin and add a Name under 'MYAPP'</h3>
    {% endif %}
    <h3>Add a Name</h3>
    <form id="name_form" method="post" action="/">
        {% csrf_token %}
        {% for field in form.visible_fields %}
            {{ field.errors }}
            {{ field.help_text }}
            {{ field }}
        {% endfor %}
        <input type="submit" name="submit" value="Create">
    </form>
</body>
</html>

Successivamente aggiorna views.py nel modo seguente:

from django.shortcuts import render, redirect
from myapp.models import Name
from myapp.forms import NameForm

# Create your views here.
def index(request):
    names_from_db = Name.objects.all()

    form = NameForm()

    context_dict = {'names_from_context': names_from_db, 'form': form}

    if request.method == 'POST':
        form = NameForm(request.POST)

        if form.is_valid():
            form.save(commit=True)
            return render(request, 'index.html', context_dict)
        else:
            print(form.errors)    

    return render(request, 'index.html', context_dict)

Riavvia il tuo server e dovresti ora avere una versione funzionante dell'app con la C in create completed.

TODO aggiunge aggiornamento ed elimina



Modified text is an extract of the original Stack Overflow Documentation
Autorizzato sotto CC BY-SA 3.0
Non affiliato con Stack Overflow