[[Django]] 발표자료 준비 in Framework2.1(세미나 준비를 위한 임시공간) * AltLang:Framework2.1 * [[http://bbs.python.or.kr/viewtopic.php?t=22325|파이썬마을]] * [[http://forum.rubykr.org/|루비사용자모임]] * [[Blog:251|yong27 블로그]] <> == 발표자료준비 == 프레젠테이션 파일 : [[attachment:Django.ppt]] 관련자료들 * http://itmaurer.com/clepy/htdocs/media/presentation/presentation.html * http://www.holovaty.com/images/presentation.pdf * http://beyond.daesan.com/files/rails_tutorial.pdf == 설명시 사용할 예제 모델 == 간단한 블로그 {{{#!python from django.db import models class Post(models.Model): title = models.CharField(maxlength=200) content = models.TextField(maxlength=2000) ctime = models.DateTimeField(auto_now_add=True) mtime = models.DateTimeField(auto_now=True) is_public = models.BooleanField() tags = models.ManyToManyField('Tag') class Comment(models.Model): post = models.ForeignKey(Post) who = models.CharField(maxlength=30) content = models.TextField(maxlength=1000) class Tag(models.Model): name = models.CharField(maxlength=30) }}} == 관리자 인터페이스 간단 시연 == 위 모델을 admin 으로 데이터 입출력, 및 디스플레이 방법 시연 == 토론 준비 == === 토론 주제들 === 지난 모임에서 거론된 토론주제 * ORM * 테이블 관계 설정 * 데이타 검증 * 관리자 인터페이스 * 뷰, 템플릿 * URL 구조 그밖에 황대산님과의 이야기를 통해 * [AJAX] 구현예제 * 일반적인 개발 프로세스 * DB 특정 기능들 (self join, 정의되지 않은 객체이름 사용, custom SQL, legacy DB쓰기) * url 임의 매핑 * 템플릿에 변수넘기기 * 테스팅 프레임워크 * 변경된 DB의 migration * 로그인, 사용자, 그룹관리 === 데이터 검증 관련 코드 === !AddManipulator, !ChangeManipulator가 있다. 데이터 입력부분 view는 다음처럼, {{{#!python def create_post(request): manipulator = Post.AddManipulator() if request.POST: new_data = request.POST.copy() errors = manipulator.get_validation_errors(new_data) if not errors: manipulator.do_html2python(new_data) new_post = manipulator.save(new_data) return HttpResponseRedirect("/blog/%i/" % new_post.id) else: errors = new_data = {} form = forms.FormWrapper(manipulator, new_data, errors) return render_to_response('blog/create_form.html', {'form': form}) }}} 여기서 create_form.html 은 다음처럼 {{{

Create a post:

{% if form.has_errors %}

Please correct the following error{{ form.error_dict|pluralize }}:

{% endif %}

{{ form.title }} {% if form.title.errors %}*** {{ form.title.errors|join:", " }}{% endif %}

{{ form.content }} {% if form.content.errors %}*** {{ form.content.errors|join:", " }}{% endif %}

{{ form.is_public }} {% if form.is_public.errors %}*** {{ form.is_public.errors|join:", " }}{% endif %}

}}} === AJAX 구현예제 === 따로 JavaScript 를 제공하지 않는다. 직접 구현하거나, [Prototype] 등의 라이브러리 따로 추가하여 사용 가능 {{{
...
}}} === 일반적인 개발 프로세스 === {{{#!dot digraph G { rankdir=LR; startproject -> startapp -> model -> syncdb -> admin -> url -> view -> template template -> view template -> model } }}} === 데이터베이스 관련 특정 기능들 === Recursive relationship {{{#!python class Person: name = Model.CharField(maxlength=30) father = Model.ForeighKey('self') mother = Model.ForeighKey('self') }}} Custom SQL {{{#!python def my_custom_sql(self): from django.db import connection cursor = connection.cursor() cursor.execute("SELECT foo FROM bar WHERE baz = %s", [self.baz]) row = cursor.fetchone() return row }}} Integrating with a legacy database {{{ django-admin.py inspectdb --settings=path.to.settings > models.py }}} === 로그인 === urls.py에 다음만 추가하면 가능 {{{#!python urlpatterns = patterns('', (r'^login/', 'django.contrib.auth.views.login', {'template_name': 'login.html'}), (r'^logout/', 'django.contrib.auth.views.logout', {'next_page': '/asdf/'}), ) }}} === Testing framework === 테스팅 방법 * application root에 tests.py UnitTest 파일 생성 * 수행은 '''manage.py test''' * 매 테스트마다, 임시 데이터베이스 생성 후, 테스트 수행 Unit Test {{{#!python import unittest from myapp.models import Animal class AnimalTestCase(unittest.TestCase): def setUp(self): self.lion = Animal.objects.create(name="lion", sound="roar") self.cat = Animal.objects.create(name="cat", sound="meow") def testSpeaking(self): self.assertEquals(self.lion.speak(), 'The lion says "roar"') self.assertEquals(self.cat.speak(), 'The cat says "meow"') }}} Function Test {{{#!python import unittest from django.test.client import Client class SimpleTest(unittest.TestCase): def setUp(self): # Every test needs a client self.client = Client() def test_details(self): # Issue a GET request response = self.client.get('/customer/details/') # Check that the respose is 200 OK self.failUnlessEqual(response.status_code, 200) # Check that the rendered context contains 5 customers self.failUnlessEqual(len(response.context['customers']), 5) }}} {{{ Testing Responses ~~~~~~~~~~~~~~~~~ The ``get()``, ``post()`` and ``login()`` methods all return a Response object. This Response object has the following properties that can be used for testing purposes: =============== ========================================================== Property Description =============== ========================================================== ``status_code`` The HTTP status of the response. See RFC2616_ for a full list of HTTP status codes. ``content`` The body of the response. The is the final page content as rendered by the view, or any error message (such as the URL for a 302 redirect). ``template`` The Template instance that was used to render the final content. Testing ``template.name`` can be particularly useful; if the template was loaded from a file, ``template.name`` will be the file name that was loaded. If multiple templates were rendered, (e.g., if one template includes another template),``template`` will be a list of Template objects, in the order in which they were rendered. ``context`` The Context that was used to render the template that produced the response content. As with ``template``, if multiple templates were rendered ``context`` will be a list of Context objects, stored in the order in which they were rendered. =============== ========================================================== }}} == migration (sqlite3) == 1. dump sqlite3 f.db ".dump blog_post" > blog_post.sql 1. drop table sqlite3 f.db "drop table blog_post" 1. ./manage.py syncdb 1. blog_post.sql 를 가내수공업으로 조작 1. sqlite3 f.db ".read blog_post.sql" == 끝나고 == 1. [[http://altlang.org/fest/Framework2.1/%ED%9B%84%EA%B8%B0|회고들]] 1. [[http://video.google.com/videoplay?docid=1703050267614397553&q=FW21|동영상]]