29 Aug 2018
|
article
잉여력이 남을 때 읽어볼 글들.
초보 웹 개발자를 위하여 build #3 by 작성: 호도르
https://github.com/honux77/practice/wiki/web-developer
netty를 만드신 분이 누구지?
http://www.bloter.net/archives/11472
Javascript for kis저자의 블로그.
http://skilldrick.co.uk
rxJS저자의 블로그. VSCODE Extension 만든 삽질기
http://sculove.github.io/blog/2017/12/27/createvsextension/
http://sculove.github.io/blog/2018/07/07/know-before-you-write-book/
아..이건 뭐.지.
https://bower.io
PR하는 법
https://wayhome25.github.io/git/2017/07/08/git-first-pull-request-story/
18 Aug 2018
|
Anaconda 에서 shub이라고 설치하면 안되고, 아래 처럼 해야 한다.
conda install -c scrapinghub shub
15 Aug 2018
|
let storyBoard = UIStoryboard(name: "Chart", bundle: nil)
bundle 의 파라미터값으로 nil
이 들어가면 기본번들을 사용한다는 것을 뜻함.
10 Aug 2018
|
작업 사이트
소스를 보자
가장 기본 코드
# -*- coding: utf-8 -*-
import scrapy
from scrapy.http import FormRequest
class LoginSpider(scrapy.Spider):
name = 'login'
allowed_domains = ['quotes.toscrape.com']
start_urls = ['http://quotes.toscrape.com/']
def parse(self, response):
pass
chrome 에서 볼 수 있는 정보들
data:image/s3,"s3://crabby-images/2df7e/2df7e6c1d74b4d7ba94324575c7eac234bea39b0" alt="chromeLoginInfo"
Form Data 정보
data:image/s3,"s3://crabby-images/78df6/78df6fc238c7ef48472ea080cfcaadac093b1200" alt="FormData"
이제 부터 작성할 코드
# -*- coding: utf-8 -*-
import scrapy
from scrapy.http import FormRequest
class LoginSpider(scrapy.Spider):
name = 'login'
allowed_domains = ['quotes.toscrape.com']
start_urls = ['http://quotes.toscrape.com/']
def parse(self, response):
csrf_token = response.xpath('...')
yield FormRequest('http://quotes.toscrape.com/login',
formdata={ 'csrf_token':csrf_token,
'username':'eddiek',
'password':'hahahaha' },
callback=self.parse_after_login
)
def parse_after_login(self, response):
pass
크롤링실행
또 다른 셸을 띄우고 아래 명령어 처럼 실행해 봅니다.
(py27) ~ ❯ scrapy shell 'http://quotes.toscrape.com/login'
data:image/s3,"s3://crabby-images/100f9/100f952c6a4731fa612c534f10476925a8065807" alt="SeeCode"
token정보는 html내용중에 있습니다.
data:image/s3,"s3://crabby-images/8b314/8b314180ef18115147cdc2a601ed6720a6275ba7" alt="tokenFromHtml"
아래 명령어 입력해 봅니다.
In [2]: response.xpath('//*[@name="csrf_token"]')
Out[2]: [<Selector xpath='//*[@name="csrf_token"]' data=u'<input type="hidden" name="csrf_token" v'>]
토큰을 가져와 봅니다.
In [3]: response.xpath('//*[@name="csrf_token"]').extract()
Out[3]: [u'<input type="hidden" name="csrf_token" value="OJwTZqlMvKcGNBhHfRrsLbWmgaUXASpQdEFDIkioVjeyutzxnCPY">']
값만 가져옵니다.
In [5]: response.xpath('//*[@name="csrf_token"]/@value').extract_first()
Out[5]: u'OJwTZqlMvKcGNBhHfRrsLbWmgaUXASpQdEFDIkioVjeyutzxnCPY'
최종 코드는 다음과 같습니다. 로그인 url이 'http://quotes.toscrape.com/login'
임을 주의하세요.
# -*- coding: utf-8 -*-
import scrapy
from scrapy.http import FormRequest
class LoginSpider(scrapy.Spider):
name = 'login'
allowed_domains = ['quotes.toscrape.com']
start_urls = ['http://quotes.toscrape.com/login']
def parse(self, response):
csrf_token = response.xpath('//*[@name="csrf_token"]/@value').extract_first()
yield FormRequest('http://quotes.toscrape.com/login',
formdata={'csrf_token':csrf_token,
'username':'eddiek',
'password':'hahahaha' },
callback=self.parse_after_login)
def parse_after_login(self, response):
pass
이제 크롤링!
(py27) Ξ ~/quotes_login $ scrapy crawl login
결과는 다음과 같습니다. 200응답을 받은 후 302로 리다이렉트되고 있는 것이 보입니다.
.
.
2018-08-18 11:44:41 [scrapy.core.engine] DEBUG: Crawled (200) <GET http://quotes.toscrape.com/login> (referer: None)
2018-08-18 11:44:42 [scrapy.downloadermiddlewares.redirect] DEBUG: Redirecting (302) to <GET http://quotes.toscrape.com/> from <POST http://quotes.toscrape.com/login>
2018-08-18 11:44:42 [scrapy.core.engine] DEBUG: Crawled (200) <GET http://quotes.toscrape.com/> (referer: http://quotes.toscrape.com/login)
.
.
로그인 화면에 성공적으로 진입한 것을 확인하려면 맨 하단 코드를 다음과 같이 변경해봅니다.
def parse_after_login(self, response):
if response.xpath('//a[text()="Logout"]'):
self.log('You are SUCCESFULLY logged in / 로그인 되었어요~')
pass
즉, 로그인 후 HTML 코드에 Logout
텍스트가 있기 때문에 로그인 성공 여부를 확인할 수 있습니다.
전체 코드는 다음같습니다.
# -*- coding: utf-8 -*-
import scrapy
from scrapy.http import FormRequest
class LoginSpider(scrapy.Spider):
name = 'login'
allowed_domains = ['quotes.toscrape.com']
start_urls = ['http://quotes.toscrape.com/login']
def parse(self, response):
csrf_token = response.xpath('//*[@name="csrf_token"]/@value').extract_first()
yield FormRequest('http://quotes.toscrape.com/login',
formdata={'csrf_token':csrf_token,
'username':'eddiek',
'password':'hahahaha' },
callback=self.parse_after_login)
def parse_after_login(self, response):
if response.xpath('//a[text()="Logout"]'):
self.log('You are SUCCESFULLY logged in / 로그인 되었어요~')
pass
로그인되면 자동으로 브로우져가 실행되게 할 수도 있습니다. open_in_browser
를 임포트하고, 맨 아래 open_in_browser(response)
들 타이핑합니다.
from scrapy.utils.response import open_in_browser
.
.
def parse_after_login(self, response):
open_in_browser(response)
05 Aug 2018
|
Anaconda 패키지를 설치한 환경이라면 따로 VirtualEnv를 설치할 필요가 없다.
source venv/bin/activate
가 잘 동작하기는 하는데 이제 필요가 없어졌다.
삭제하는 방법 은?
그냥 폴더를 삭제하면 된다.
$ ls
Untitled.ipynb Untitled1.ipynb venv
venv라는 폴더에 만들어 졌기 때문에 폴더를 삭제하자.
rm -r venv