장고:답변쓰기(댓글쓰기)
편집하기 (부분)
둘러보기로 이동
검색으로 이동
경고:
로그인하지 않았습니다. 편집을 하면 IP 주소가 공개되게 됩니다.
로그인
하거나
계정을 생성하면
편집자가 사용자 이름으로 기록되고, 다른 장점도 있습니다.
스팸 방지 검사입니다. 이것을 입력하지
마세요
!
=대댓글= 댓글에 또 댓글을 달 수도 있지! 위 내용을 조금 수정해 question 대신 answer의 외래키를 사용하게끔 받으면 대댓글을 달 수 있다. [나중에 페이징을 위해선 대댓글도 같은 모델에서 다루는 게 좋지 않을까 싶다. 같은 모델의 외래키를 사용해서.. question 외래키와 answer외래키를 사용해서 null, blank 속성을 True로 줘서... 페이징 하는 게 좋을 듯한데;] 대대대대대댓글까지 만들려면 객체가 같은 모델을 외래키로 참조하게 하면 될 듯하다. 댓글의 깊이 제한은 탬플릿에서 if와 for 태그의 조합으로 가능할듯. {| class="wikitable" !과정 !일반적으로 코드를 짜는 경우 |- |urls.py 수정 |다음과 같은 path를 추가해준다.<syntaxhighlight lang="python"> from django.urls import path from . views #해당 앱의 뷰를 불러온다. app_name = 'pool' urlpatterns = [ path('comment/create/<int:answer_id>/', views.comment_create, name='comment_create'), path('comment/update/<int:comment_id>/', views.comment_update, name='comment_update'), path('comment/delete/<int:comment_id>/', views.comment_delete, name='comment_delete'), ] </syntaxhighlight> |- |모델 작성 |models..py에 추가해준다.<syntaxhighlight lang="python"> class Comment(models.Model): answer = models.ForeignKey(Answer, null=True, blank=True, on_delete=models.SET_NULL) author = models.ForeignKey(User, on_delete=models.PROTECT) content = models.CharField(max_length=300) create_date = models.DateTimeField() modify_date = models.DateTimeField(null=True, blank=True) </syntaxhighlight> |- |form 작성 |작성을 위해 폼을 만든다. forms.py에 내용 추가.<syntaxhighlight lang="python"> from pybo.models import Question, Answer, Comment#대댓글 모델 추가 class CommentForm(forms.ModelForm): class Meta: model = Comment fields = ['content'] labels = { 'content': '댓글내용', } </syntaxhighlight> |- |template수정 |대댓글을 입력하는 버튼과 대댓글의 수정, 삭제버튼을 만들어야 한다.<syntaxhighlight lang="html+django"> {% if answer.comment_set.count > 0 %} <div class="mt-3"> {% for comment in answer.comment_set.all %}<!--댓글객체에서 대댓글 객체를 뽑아낸다.--> <div class="comment py-2 text-muted"> <span style="white-space: pre-line;">{{ comment.content }}</span> <span> - {{ comment.author }}, {{ comment.create_date }} {% if comment.modify_date %} (수정:{{ comment.modify_date }}) {% endif %} </span> {% if request.user == comment.author %} <a href="{% url 'pybo:comment_modify_answer' comment.id %}" class="small">수정</a>, <a href="#" class="small delete" data-uri="{% url 'pybo:comment_delete_answer' comment.id %}">삭제</a> {% endif %} </div> {% endfor %} </div> {% endif %} <div> <a href="{% url 'pybo:comment_create_answer' answer.id %}" class="small"><small>댓글 추가 ..</small></a> </div> </syntaxhighlight> |- |template작성 |댓글과 같은 이유로 폼을 따로 작성해준다. comment_form.html로 만들자.<syntaxhighlight lang="html+django"> {% extends 'common.html' %} {% block content %} <div class="container my-3"> <h5 class="border-bottom pb-2">댓글등록하기</h5> <form method="post" class="post-form my-3"> {% csrf_token %} {% include "form_errors.html" %} <div class="form-group"> <label for="content">댓글내용</label> <textarea class="form-control"name="content" id="content" rows="3">{{ form.content.value|default_if_none:'' }}</textarea> </div> <button type="submit" class="btn btn-primary">저장하기</button> </form> </div> {% endblock %} </syntaxhighlight> |- |view 작성 |윗부분과 상당히 중복된다.<syntaxhighlight lang="python"> from .forms import QuestionForm, AnswerForm, CommentForm #대댓글 폼 추가. @login_required(login_url='membership:login') def comment_create(request, answer_id): answer = get_object_or_404(Answer, pk=answer_id) if request.method == "POST": form = CommentForm(request.POST) if form.is_valid(): comment = form.save(commit=False) comment.author = request.user comment.create_date = timezone.now() comment.answer = answer comment.save() return redirect('pool:detail', question_id=comment.answer.question.id) else: form = CommentForm() context = {'form': form} return render(request, 'comment_form.html', context) @login_required(login_url='membership:login') def comment_update(request, comment_id): comment = get_object_or_404(Comment, pk=comment_id) if request.user != comment.author: messages.error(request, '댓글수정권한이 없습니다') return redirect('pool:detail', question_id=comment.answer.question.id) if request.method == "POST": form = CommentForm(request.POST, instance=comment) if form.is_valid(): comment = form.save(commit=False) comment.author = request.user comment.modify_date = timezone.now() comment.save() return redirect('pool:detail', question_id=comment.answer.question.id) else: form = CommentForm(instance=comment) context = {'form': form} return render(request, 'comment_form.html', context) @login_required(login_url='membership:login') def comment_delete(request, comment_id): comment = get_object_or_404(Comment, pk=comment_id) if request.user != comment.author: messages.error(request, '댓글삭제권한이 없습니다') return redirect('pool:detail', question_id=comment.answer.question.id) else: comment.delete() return redirect('pool:detail', question_id=comment.answer.question.id) </syntaxhighlight> |}
요약:
학교의 모든 지식. SMwiki에서의 모든 기여는 크리에이티브 커먼즈 저작자표시-비영리-동일조건변경허락 라이선스로 배포된다는 점을 유의해 주세요(자세한 내용에 대해서는
학교의 모든 지식. SMwiki:저작권
문서를 읽어주세요). 만약 여기에 동의하지 않는다면 문서를 저장하지 말아 주세요.
또한, 직접 작성했거나 퍼블릭 도메인과 같은 자유 문서에서 가져왔다는 것을 보증해야 합니다.
저작권이 있는 내용을 허가 없이 저장하지 마세요!
취소
편집 도움말
(새 창에서 열림)
둘러보기 메뉴
개인 도구
로그인하지 않음
토론
기여
로그인
이름공간
문서
토론
한국어
보기
읽기
편집
원본 편집
역사 보기
더 보기
검색
둘러보기
대문
최근 바뀜
임의의 문서로
미디어위키 도움말
도구
여기를 가리키는 문서
가리키는 글의 최근 바뀜
특수 문서 목록
문서 정보