DEV Community

Maji-May
Maji-May

Posted on • Updated on

Fix "None Type is not iterable " in Django

Error Message

image-20220614174318585

According to the breakpoint debug, I found it's caused by the context processors that I had defined.

Comment it first.

# settings.py
TEMPLATES = [
    {
        'BACKEND': 'django.template.backends.django.DjangoTemplates',
        'DIRS': [BASE_DIR / 'templates', os.path.join(BASE_DIR, 'templates')]
        ,
        'APP_DIRS': True,
        'OPTIONS': {
            'context_processors': [
                'django.template.context_processors.debug',
                'django.template.context_processors.request',
                'django.contrib.auth.context_processors.auth',
                'django.contrib.messages.context_processors.messages',
                # 'food.context_processors.access_realtime_cart_count'
            ],
        },
    },
]
Enter fullscreen mode Exit fullscreen mode

Reason

Comment this line, the application turned into a normal state.

It seems that the context processor changed the context that login page needed.

We are in an unauthorized state when we enter the system for the first time. So we need to handle this situation.

Solution

The right way to declare a context processor is below:

### food/context_processors.py
from .models import OrderItem, Order


# the order item number of you current cart
def access_realtime_cart_count(request):
    if request.user.is_authenticated:
        try:
            active_order = Order.objects.get(user__username=request.user.username, status=1)
        except Order.DoesNotExist:
            newOrder = Order(user=request.user, total_price=0.0, status=1)
            newOrder.save()
            active_order = newOrder
        cart_count = OrderItem.objects.filter(order_id=active_order.id).count()
        return {'realtimeCartCount': cart_count} # you can access the "cart_count" variable in any tempaltes of your projec
    else: # handle the unlogin 
        return {'realtimeCartCount': 0}
Enter fullscreen mode Exit fullscreen mode

Top comments (0)