zoukankan      html  css  js  c++  java
  • 搭建自己的博客(十九):添加简单的评论功能

    因为评论可以作为一个模块,所以单独创建一个app,专门用来处理评论。

    1、变化的部分

    2、上代码

    {# 引用模板 #}
    {% extends 'base.html' %}
    
    {% load staticfiles %}
    {% block header_extends %}
        <link rel="stylesheet" href="{% static 'blog/blog.css' %}">
    {% endblock %}
    
    
    {# 标题 #}
    {% block title %}
        {{ blog.title }}
    {% endblock %}
    
    {# 内容#}
    {% block content %}
        <div class="container">
            <div class="row">
                <div class="col-6 offset-1">
                    <ul class="blog-info-description">
                        <h3>{{ blog.title }}</h3>
                        <li>作者:{{ blog.author }}</li>
                        {# 时间过滤器让时间按照自己需要的格式过滤 #}
                        <li>发布日期:{{ blog.created_time|date:"Y-m-d H:n:s" }}</li>
                        <li>分类:
                            <a href="{% url 'blogs_with_type' blog.blog_type.pk %}">
                                {{ blog.blog_type }}
                            </a>
                        </li>
                        <li>阅读({{ blog.get_read_num }})</li>
                    </ul>
                    <p class="blog-content">{{ blog.content|safe }}</p>
    
    
                    <p>上一篇:
                        {% if previous_blog %}
                            <a href="{% url 'blog_detail' previous_blog.pk %}">{{ previous_blog.title }}</a>
                        {% else %}
                            <span>没有了</span>
                        {% endif %}
                    </p>
                    <p>下一篇:
                        {% if next_blog %}
                            <a href="{% url 'blog_detail' next_blog.pk %}">{{ next_blog.title }}</a>
                        {% else %}
                            <span>没有了</span>
                        {% endif %}
                    </p>
                </div>
            </div>
    
            <div class="row">
                <div class="col-6 offset-1">
                    <div style="margin-top: 2em;border: 1px dashed;padding: 2em">提交评论区域
                        {% if user.is_authenticated %}
                            已登录
                        {% else %}
                            未登录
                            <form action="{% url 'login' %}" method="post">
                                {% csrf_token %}
                                <input type="text" name="username">
                                <input type="password" name="password">
                                <input type="submit" value="登录">
                            </form>
                        {% endif %}
                    </div>
                    <div style="margin-top: 2em;border: 1px dashed;padding: 2em">评论列表区域</div>
                </div>
            </div>
        </div>
    {% endblock %}
    
    {% block js %}
        <script>
            $(".nav-blog").addClass("active").siblings().removeClass("active");
        </script>
    {% endblock %}
    blog_detail.html
    from django.shortcuts import render, get_object_or_404
    from .models import Blog, BlogType
    from django.core.paginator import Paginator
    from django.conf import settings
    from django.db.models import Count
    from read_statistics.utils import read_statistics_once_read
    
    
    # 分页部分公共代码
    def blog_list_common_data(requests, blogs_all_list):
        paginator = Paginator(blogs_all_list, settings.EACH_PAGE_BLOGS_NUMBER)  # 第一个参数是全部内容,第二个是每页多少
        page_num = requests.GET.get('page', 1)  # 获取url的页面参数(get请求)
        page_of_blogs = paginator.get_page(page_num)  # 从分页器中获取指定页码的内容
    
        current_page_num = page_of_blogs.number  # 获取当前页
        all_pages = paginator.num_pages
        if all_pages < 5:
            page_range = list(
                range(max(current_page_num - 2, 1),
                      min(all_pages + 1, current_page_num + 3)))  # 获取需要显示的页码 并且剔除不符合条件的页码
        else:
            if current_page_num <= 2:
                page_range = range(1, 5 + 1)
            elif current_page_num >= all_pages - 2:
                page_range = range(all_pages - 4, paginator.num_pages + 1)
            else:
                page_range = list(
                    range(max(current_page_num - 2, 1),
                          min(all_pages + 1, current_page_num + 3)))  # 获取需要显示的页码 并且剔除不符合条件的页码
    
        blog_dates = Blog.objects.dates('created_time', 'month', order='DESC')
        blog_dates_dict = {}
        for blog_date in blog_dates:
            blog_count = Blog.objects.filter(created_time__year=blog_date.year, created_time__month=blog_date.month).count()
            blog_dates_dict = {
                blog_date: blog_count
            }
    
        return {
            'blogs': page_of_blogs.object_list,
            'page_of_blogs': page_of_blogs,
            'blog_types': BlogType.objects.annotate(blog_count=Count('blog')),  # 添加查询并添加字段
            'page_range': page_range,
            'blog_dates': blog_dates_dict
        }
    
    
    # 博客列表
    def blog_list(requests):
        blogs_all_list = Blog.objects.all()  # 获取全部博客
        context = blog_list_common_data(requests, blogs_all_list)
        return render(requests, 'blog/blog_list.html', context)
    
    
    # 根据类型筛选
    def blogs_with_type(requests, blog_type_pk):
        blog_type = get_object_or_404(BlogType, pk=blog_type_pk)
        blogs_all_list = Blog.objects.filter(blog_type=blog_type)  # 获取全部博客
        context = blog_list_common_data(requests, blogs_all_list)
        context['blog_type'] = blog_type
        return render(requests, 'blog/blog_with_type.html', context)
    
    
    # 根据日期筛选
    def blogs_with_date(requests, year, month):
        blogs_all_list = Blog.objects.filter(created_time__year=year, created_time__month=month)  # 获取全部博客
        context = blog_list_common_data(requests, blogs_all_list)
        context['blogs_with_date'] = '{}年{}日'.format(year, month)
        return render(requests, 'blog/blog_with_date.html', context)
    
    
    # 博客详情
    def blog_detail(requests, blog_pk):
        blog = get_object_or_404(Blog, pk=blog_pk)
        obj_key = read_statistics_once_read(requests, blog)
    
        context = {
            'blog': blog,
            'previous_blog': Blog.objects.filter(created_time__gt=blog.created_time).last(),
            'next_blog': Blog.objects.filter(created_time__lt=blog.created_time).first(),
        }
        response = render(requests, 'blog/blog_detail.html', context)
        response.set_cookie(obj_key, 'true')
    
        return response
    blog下的views.py
    from django.contrib import admin
    from .models import Comment
    # Register your models here.
    
    
    @admin.register(Comment)
    class CommentAdmin(admin.ModelAdmin):
        list_display = ('content_object', 'text', 'comment_time', 'user')
    comment下的admin.py
    from django.db import models
    from django.contrib.contenttypes.models import ContentType
    from django.contrib.contenttypes.fields import GenericForeignKey
    from django.contrib.auth.models import User
    
    
    # Create your models here.
    
    class Comment(models.Model):
        content_type = models.ForeignKey(ContentType, on_delete=models.DO_NOTHING)
        object_id = models.PositiveIntegerField()
        content_object = GenericForeignKey('content_type', 'object_id')
    
        text = models.TextField()
        comment_time = models.DateTimeField(auto_now_add=True)
        user = models.ForeignKey(User, on_delete=models.DO_NOTHING)
    comment下的models.py
    """
    Django settings for myblog project.
    
    Generated by 'django-admin startproject' using Django 2.1.3.
    
    For more information on this file, see
    https://docs.djangoproject.com/en/2.1/topics/settings/
    
    For the full list of settings and their values, see
    https://docs.djangoproject.com/en/2.1/ref/settings/
    """
    
    import os
    
    # Build paths inside the project like this: os.path.join(BASE_DIR, ...)
    BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__)))
    
    # Quick-start development settings - unsuitable for production
    # See https://docs.djangoproject.com/en/2.1/howto/deployment/checklist/
    
    # SECURITY WARNING: keep the secret key used in production secret!
    SECRET_KEY = 'ea+kzo_5k^6r7micfg@lar1(rfdc08@b4*+w5d11=0mp1p5ngr'
    
    # SECURITY WARNING: don't run with debug turned on in production!
    DEBUG = True
    
    ALLOWED_HOSTS = []
    
    # Application definition
    
    INSTALLED_APPS = [
        'django.contrib.admin',
        'django.contrib.auth',
        'django.contrib.contenttypes',
        'django.contrib.sessions',
        'django.contrib.messages',
        'django.contrib.staticfiles',
        'ckeditor',
        'ckeditor_uploader',
        'blog.apps.BlogConfig',  # 将自己创建的app添加到设置中
        'read_statistics.apps.ReadStatisticsConfig',  # 注册阅读统计app
        'comment.apps.CommentConfig',  # 注册评论
    
    ]
    
    MIDDLEWARE = [
        'django.middleware.security.SecurityMiddleware',
        'django.contrib.sessions.middleware.SessionMiddleware',
        'django.middleware.common.CommonMiddleware',
        'django.middleware.csrf.CsrfViewMiddleware',
        'django.contrib.auth.middleware.AuthenticationMiddleware',
        'django.contrib.messages.middleware.MessageMiddleware',
        'django.middleware.clickjacking.XFrameOptionsMiddleware',
        'blog.middleware.mymiddleware.My404',  # 添加自己的中间件
    ]
    
    ROOT_URLCONF = 'myblog.urls'
    
    TEMPLATES = [
        {
            'BACKEND': 'django.template.backends.django.DjangoTemplates',
            'DIRS': [
                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',
                ],
            },
        },
    ]
    
    WSGI_APPLICATION = 'myblog.wsgi.application'
    
    # Database
    # https://docs.djangoproject.com/en/2.1/ref/settings/#databases
    
    DATABASES = {
        # 'default': {
        #     'ENGINE': 'django.db.backends.sqlite3',
        #     'NAME': os.path.join(BASE_DIR, 'db.sqlite3'),
        # }
        'default': {
            'ENGINE': 'django.db.backends.mysql',
            'NAME': 'myblogs',  # 要连接的数据库,连接前需要创建好
            'USER': 'root',  # 连接数据库的用户名
            'PASSWORD': 'felixwang',  # 连接数据库的密码
            'HOST': '127.0.0.1',  # 连接主机,默认本级
            'PORT': 3306  # 端口 默认3306
        }
    }
    
    # Password validation
    # https://docs.djangoproject.com/en/2.1/ref/settings/#auth-password-validators
    
    AUTH_PASSWORD_VALIDATORS = [
        {
            'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator',
        },
        {
            'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator',
        },
        {
            'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator',
        },
        {
            'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator',
        },
    ]
    
    # Internationalization
    # https://docs.djangoproject.com/en/2.1/topics/i18n/
    
    # LANGUAGE_CODE = 'en-us'
    # 语言
    LANGUAGE_CODE = 'zh-hans'
    
    # TIME_ZONE = 'UTC'
    # 时区
    TIME_ZONE = 'Asia/Shanghai'
    
    USE_I18N = True
    
    USE_L10N = True
    
    # 不考虑时区
    USE_TZ = False
    
    # Static files (CSS, JavaScript, Images)
    # https://docs.djangoproject.com/en/2.1/howto/static-files/
    
    STATIC_URL = '/static/'
    STATICFILES_DIRS = [
        os.path.join(BASE_DIR, "static")
    ]
    
    # media
    MEDIA_URL = '/media/'
    MEDIA_ROOT = os.path.join(BASE_DIR, 'media')
    
    # 配置ckeditor
    CKEDITOR_UPLOAD_PATH = 'upload/'
    
    # 自定义参数
    EACH_PAGE_BLOGS_NUMBER = 7
    
    # 设置数据库缓存
    CACHES = {
        'default': {
            'BACKEND': 'django.core.cache.backends.db.DatabaseCache',
            'LOCATION': 'my_read_num_cache_table',
        }
    }
    settings.py
    """myblog URL Configuration
    
    The `urlpatterns` list routes URLs to views. For more information please see:
        https://docs.djangoproject.com/en/2.1/topics/http/urls/
    Examples:
    Function views
        1. Add an import:  from my_app import views
        2. Add a URL to urlpatterns:  path('', views.home, name='home')
    Class-based views
        1. Add an import:  from other_app.views import Home
        2. Add a URL to urlpatterns:  path('', Home.as_view(), name='home')
    Including another URLconf
        1. Import the include() function: from django.urls import include, path
        2. Add a URL to urlpatterns:  path('blog/', include('blog.urls'))
    """
    from django.contrib import admin
    from django.urls import path, include
    from django.conf import settings
    from django.conf.urls.static import static
    from . import views
    
    urlpatterns = [
        path('', views.home, name='home'),  # 主页路径
        path('admin/', admin.site.urls),
        path('ckeditor', include('ckeditor_uploader.urls')),  # 配置上传url
        path('blog/', include('blog.urls')),  # 博客app路径
        path('login/', views.login, name='login'),  # 登录
    ]
    
    # 设置ckeditor的上传
    urlpatterns += static(settings.MEDIA_URL, document_root=settings.MEDIA_ROOT)
    urls.py
    # -*- coding: utf-8 -*-
    # @Time    : 18-11-7 下午4:12
    # @Author  : Felix Wang
    
    from django.shortcuts import render, redirect
    from django.contrib.contenttypes.models import ContentType
    from django.contrib import auth
    from read_statistics.utils import get_seven_days_read_data, get_x_days_hot_data
    from blog.models import Blog
    
    
    def home(requests):
        blog_content_type = ContentType.objects.get_for_model(Blog)
        dates, read_nums = get_seven_days_read_data(blog_content_type)
    
        context = {
            'read_nums': read_nums,
            'dates': dates,
            'today_hot_data': get_x_days_hot_data(0),  # 获取今日热门
            'yesterday_hot_data': get_x_days_hot_data(1),  # 获取昨日热门
            'seven_days_hot_data': get_x_days_hot_data(7),  # 获取周热门
            'one_month_hot_data': get_x_days_hot_data(30),  # 获取月热门
        }
        return render(requests, 'home.html', context)
    
    
    def login(requests):
        username = requests.POST.get('username', '')
        password = requests.POST.get('password', '')
        user = auth.authenticate(requests, username=username, password=password)
        if user is not None:
            auth.login(requests, user)
            return redirect('/')
        else:
            return render(requests, 'error.html', {'message': '用户名或密码错误'})
    myblog下的views.py
    {% extends 'base.html' %}
    {% load staticfiles %}
    
    
    {% block title %}
        我的博客|错误
    {% endblock %}
    
    {% block content %}
        {{ message }}
    {% endblock %}
    
    {% block js %}
        {# 将首页这个按钮设置激活状态 #}
        <script>
            $(".nav-home").addClass("active").siblings().removeClass("active");
        </script>
    {% endblock %}
    error.html
  • 相关阅读:
    OCP-1Z0-053-V12.02-614题
    OCP-1Z0-053-V12.02-615题
    OCP-1Z0-053-V12.02-218题
    OCP-1Z0-053-V12.02-377题
    文件内存映射CreateFileMapping和GlobalAlloc内存分配
    为什么C++不提供override这个关键字呀
    OCP-1Z0-052-V8.02-74题
    OCP-1Z0-053-V12.02-558题
    OCP-1Z0-053-V12.02-559题
    OCP-1Z0-053-V12.02-33题
  • 原文地址:https://www.cnblogs.com/felixwang2/p/9984832.html
Copyright © 2011-2022 走看看