Django

Django 교육 2일차

miin1635@ 2023. 8. 8. 17:56

Filebeat 데이터 수집 후 kibana에서 확인 + kibana를 이용한 ingest pipeline 설정 (@timestamp 필드 reformat --> 요건 painless script로 수정,  그리고 message 필드 데이터를 여러개의 필드로 분할)  + pip3 -Version으로 가상환경 설치 및 Django 설치  

**중요 Django를 사용할 디렉토리는 home/가상환경 디렉토리이다.

아래는 프로젝트명/settings.py 파일 코드  (설정을 몇 가지 건드려줘야한다.) 

"""
Django settings for nospoon project.

Generated by 'django-admin startproject' using Django 4.2.4.

For more information on this file, see

For the full list of settings and their values, see
"""

from pathlib import Path

# Build paths inside the project like this: BASE_DIR / 'subdir'.
BASE_DIR = Path(__file__).resolve().parent.parent


# Quick-start development settings - unsuitable for production

# SECURITY WARNING: keep the secret key used in production secret!
SECRET_KEY = 'django-insecure-ykap==!ax=x5@$^3g3paungv!_5-uvo#5m47dpjrlc#v2yss&3'

# 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',
]

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',
]

ROOT_URLCONF = 'nospoon.urls'

TEMPLATES = [
    {
        'BACKEND': 'django.template.backends.django.DjangoTemplates',
        'DIRS': [],
        '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 = 'nospoon.wsgi.application'


# Database

DATABASES = {
    'default': {
        'ENGINE': 'django.db.backends.sqlite3',
        'NAME': BASE_DIR / 'db.sqlite3',
    }
}


# Password validation

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

LANGUAGE_CODE = 'ko'

TIME_ZONE = 'Asia/Seoul'

USE_I18N = True

USE_TZ = True


# Static files (CSS, JavaScript, Images)

STATIC_URL = 'static/'
STATIC_ROOT = os.path.join(BASE_DIR, 'static')
STATICFILES_DIRS = (
    os.path.join(BASE_DIR, 'staticfiles'),
)
STATICFILES_FINDERS = (
    'django.contrib.staticfiles.finders.FileSystemFinder',
    'django.contrib.staticfiles.finders.AppDirectoriesFinder',
)
MEDIA_URL = '/media/'
MEDIA_ROOT = os.path.join(BASE_DIR, 'media')

# Default primary key field type

DEFAULT_AUTO_FIELD = 'django.db.models.BigAutoField'

# logging Settings

import logging.config
LOGGING = {
    'version': 1,
    'disable_existing_loggers': False,
    "formatters": {
        "basic": {
        "format": "%(asctime)s - %(module)s - [%(levelname)s] %(message)s",
        "datefmt": "%Y-%m-%d %H:%M:%S"
        }
    },
    "handlers": {
        "file_log": {
        "class": "logging.FileHandler",
        "level": "INFO",
        "formatter": "basic",
        "filename": "/home/tuser05/nospoon/logs/server.log"
        }
    },
    "loggers": {
        "django": {
        "level": "INFO",
        "handlers": ["file_log"],
        "propagate": False
        },
        "nospoon": {
        "level": "INFO",
        "handlers": ["file_log"],
        "propagate": False
        }
    }
}

LOGIN_REDIRECT_URL = "/"
LOGOUT_REDIRECT_URL = "/"

settings.py에서 변경한 값들 

1. timezone : 가상서버와 시간을 동기화한다. 우리는 아시아 서울

2. Logging 탭에서 filename : 로그파일을 생성할 경로를 설정한다 .

3. Staticfiles에서 static url : 클라이언트가 로드할 혹은 개발자가 사전에 미리 업로드 해놓은 파일들

4.Allowed_host : ["*"] 사용함으로써 모든 ip에서 장고 페이지 접근 가능하게함

파이썬 가상환경에 접속하는 방법은 다음과 같다. 

/home/user --> cd 가상환경명 --> workon 가상환경명, 비활성화 하려면 deactivate 

 

우리는 ftp-simple extension도구를 통해 가상환경의 디렉토리를 vscode와 연결했다.  이 과정은 어떻게 수행되었는가? 

 

vscode의 filesearch 탭에서 ftp-config 파일을 수정해야한다 . (host, port, username, path(remote control할 경로))

[
    {
        "name": "프로젝트명",
        "host": "호스트 ip",
        "port": '포트',
        "type": "sftp",
        "username": "tuser05",
        "path": "/home/tuser05/nospoon",
        "autosave": true,
        "confirm": true
    }
]

 

sql lite 설정 : python mange.py migrate

 

다 수정하고 python manage.py runserver "할당된 포트번호로 실행"  --> 장고 도메인으로 들어가서 웹페이지 확인 

'Django' 카테고리의 다른 글

장고 스터디 확장 (WSGI)  (0) 2023.08.16
Swagger 설치법  (0) 2023.08.14
장고 복습  (0) 2023.08.14
Django 교육 3일차  (0) 2023.08.09
Django 교육 1일차  (0) 2023.08.07