-
Notifications
You must be signed in to change notification settings - Fork 0
/
New)chap01_step02_complain_preprocessing.py
207 lines (161 loc) · 5.84 KB
/
New)chap01_step02_complain_preprocessing.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
# -*- coding: utf-8 -*-
"""
conplaints_preprocessing.py
민원 전처리
"""
########### 주의 ##########
# <base>에 Jpype를 설치한 경우, <tensorflow> 환경에서는
# konlpy 패키지가 작동하지 않을 수 있으므로
# 반드시 <tensorflow>에 먼저 Jpype를 설치한 환경에서만 작동하시거나
# spyder를 anaconda3로 작동해주시길 바랍니다.
# 0. package load
# text 처리
import pandas as pd # csv file
import numpy as np # csv file save & load
import string # texts 전처리
from konlpy.tag import Okt # 한글 형태소 추출기
# 단어 빈도수 확인, 코사인 유사도
from sklearn.feature_extraction.text import TfidfVectorizer # 벡터라이저
from sklearn.metrics.pairwise import cosine_similarity # 코사인 유사도
# 파일 읽어오기
# 1. csv file load
path = '/Users/aegohc/ITWILL/final_project/'
minwon_data = pd.read_csv(path + 'sep_crawling_data_17326.csv')
minwon_data.info()
'''
<class 'pandas.core.frame.DataFrame'>
RangeIndex: 4400 entries, 0 to 4399
Data columns (total 4 columns):
# Column Non-Null Count Dtype
--- ------ -------------- -----
0 titles 4400 non-null object
1 contents 0 non-null float64
2 replies 4400 non-null object
3 sep 4399 non-null float64
dtypes: float64(2), object(2)
memory usage: 137.6+ KB
'''
titles = minwon_data['titles']
replies = minwon_data['replies']
sep = minwon_data['sep']
# 2. 텍스트 전처리
## 1) 전처리 -> [text_sample.txt] 참고
## wc = what colomn (어느 컬럼에서 전처리 돌릴 것인지)
def text_prepro(wc):
# Lower case : 소문자
wc = [x.lower() for x in wc]
# Remove punctuation : 문장부호 제거
wc = [''.join(c for c in x if c not in string.punctuation) for x in wc]
# Remove numbers : 숫자 제거 [생략] (추후 'n호선' 사용 여부)
#wc = [''.join(c for c in x if c not in string.digits) for x in wc]
# Trim extra whitespace : 공백 제거
wc = [' '.join(x.split()) for x in wc]
return wc
## 2) 함수 호출
### (1) titles 전처리
wc = titles
titles = text_prepro(wc)
print(titles[:10])
### (2) replies 전처리
wc = replies
replies = text_prepro(wc)
print(replies[:3])
# 3. 불용어 제거 - Okt 함수 이용
## 1) 불용어 사전 - https://www.ranks.nl/stopwords/korean
korean_stopwords = path + "korean_stopwords.txt"
with open(korean_stopwords, encoding='utf8') as f :
stopwords = f.readlines()
stopwords = [x.strip() for x in stopwords]
print(stopwords[:10])
## 2) 불용어 제거
okt = Okt()
'''
여기서 (1)과 (2)를 한번에 돌리면 reply 불용어만 제거되므로
(1)titles 돌려서 제거 후 (2)replies 돌려야함
'''
tit_result = [] # 전처리 완료된 titles
rpl_result = [] # 전처리 완료된 replies
# (1) titles 불용어 제거
for sentence in titles:
tmp = okt.morphs(sentence)
#print('tmp :', tmp)
tit_tokenized = []
token_tot = ""
for token in tmp:
if not token in stopwords:
tit_tokenized.append(token)
#print('tit_tokenized :', tit_tokenized)
token = token + " "
token_tot += token
#print('token_tot : ', token_tot)
#tit_result.append(tit_tokenized)
tit_result.append(token_tot)
len(tit_result) # 17326
print(tit_result[0]) # '경기도 지역화폐 사용 처가 너무 제한 적 입니다'
print(tit_result[-1]) # '청소년 교통비'
# (1-2) 결과값 csv로 저장 및 불러오기
df = pd.DataFrame(tit_result)
df.to_csv('tit_result.csv', index=False)
tit_result = pd.read_csv('tit_result.csv', encoding=('utf-8'))
tit_result = np.array(tit_result).flatten().tolist()
''' 여기 위쪽 먼저 돌린 후 아래 돌리세요 '''
# (2) replies 불용어 제거
for sentence in replies:
tmp = []
tmp = okt.morphs(sentence)
rpl_tokenized = []
for token in tmp:
if not token in stopwords:
rpl_tokenized.append(token)
rpl_result.append(rpl_tokenized)
print(rpl_result[:10])
# (2-2) 결과값 csv로 저장 및 불러오기
df = pd.DataFrame(rpl_result)
df.to_csv('rpl_result.csv', index=False)
rpl_result = pd.read_csv('rpl_result.csv', encoding=('utf-8'))
rpl_result = np.array(rpl_result).flatten().tolist()
# 5.text vectorizing(tf-idf)
# 객체 생성
tfidf_vectorizer = TfidfVectorizer()
# 문장 벡터화 진행
tfidf_matrix = tfidf_vectorizer.fit_transform(tit_result) # 수정
tfidf_matrix.shape # (17326, 3560)
# 각 단어
tit_word = tfidf_vectorizer.get_feature_names()
# 각 단어 벡터값
tit_idf = tfidf_vectorizer.idf_
print(tit_idf)
len(tit_idf) # 3560
print(dict(zip(tit_word, tit_idf)))
'''
tfidf_vectorizer 객체 변수가 같으므로
(1)titles 돌려서 tit_index 변수 안에 데이터 들어간 상태에서
(2)replies 돌릴 것.
'''
# list 한문장 기준 실행되어야 하는 내용
tit_vectorizer = tfidf_vectorizer.fit_transform(tit_result[1]) # titles 단어 학습
tit_word = tfidf_vectorizer.get_feature_names() # 각 단어 토큰
tit_idf = tfidf_vectorizer.idf_ # 각 단어의 idf 값
len(tit_idf) # 1573
# 단어, IDF 값 매칭 리스트
tit_idf_list = dict(zip(tit_word, tit_idf))
# 확인 필요시 출력
# print(tit_idf_list)
# 단어와 부여된 정수값 확인
tit_index = tfidf_vectorizer.vocabulary_
# 확인 필요시 출력
# print(tit_index)
''' 여기 위쪽 먼저 돌린 후 아래 돌리세요 '''
### (2) replies 문장 벡터화 진행
rpl_vectorizer = tfidf_vectorizer.fit_transform(rpl_result) # replies 단어 학습
rep_word = tfidf_vectorizer.get_feature_names() # 각 단어 토큰
rep_idf = tfidf_vectorizer.idf_ # 각 단어의 idf 값
len(rep_idf) # 4654
# 단어, IDF 값 매칭 리스트
rpl_vec_list = dict(zip(rep_word, rep_idf))
# 확인 필요시 출력
# print(rpl_vec_list)
# 단어와 부여된 인덱스 확인
rpl_index = tfidf_vectorizer.vocabulary_
# 확인 필요시 출력
# print(rpl_index)