-
Notifications
You must be signed in to change notification settings - Fork 50
/
Copy path3. Historical Data.py
248 lines (197 loc) · 6.52 KB
/
3. Historical Data.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
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
"""
시장 데이터 수집을 위한 스크립트
1) 시장선택
>> bot.histories(market='0', ...) # KOSPI
config.MARKETS = {
'0': 'KOSPI',
'3': 'ELW',
'4': '뮤추얼펀드',
'5': '신주인수권',
'6': '리츠',
'8': 'ETF',
'9': '하이일드펀드',
'10': 'KOSDAQ',
'30': 'K-OTC',
'50': 'KONEX',
'60': 'ETN'
}
2) 지수선택
>> bot.histories(sector='2', ...) # KOSPI200
config.MARKET_GUBUNS = {
'0': 'KOSPI',
'1': 'KOSDAQ',
'2': 'KOSPI200',
'4': 'KOSPI100(150)',
'7': 'KRX100'
}
# 각각의 시장구분 안에 아래 지수들이 적절히 포함되어 있다.
# 시장구분이 '2'라면, KOSPI200의 지수들은 2로 시작한다.
# config.SECTORS = {
# ...
# '201': 'KOSPI200',
# '207': 'F-KOSPI200',
# '208': 'F-KOSPI200인버스',
# '209': '레버리지KOSPI200',
# '210': 'F-KOSPI200레버리지',
# '211': '건설',
# '212': '중공업',
# ...
# }
"""
import sys
import time
from datetime import datetime
from multiprocessing import Process, Manager
from PyQt5.QtWidgets import QApplication
from kiwoom import Bot, config
from kiwoom.config.types import ExitType
from kiwoom.utils import clock
# 서버에 데이터를 요청하는 클래스 (사용자 작성)
class MyBot(Bot):
def run(self, kwargs=None):
"""
Bot 실행함수
1) 로그인
2) 다운로드 시작
3) 다운로드 결과 확인
"""
# 경고 메세지 제거
config.MUTE = True
# 로그인 요청
self.login()
# 시장 데이터 요청
kwargs = {
# 1) 시장선택 - print(config.MARKETS), {'0': 'KOSPI', '10': 'KOSDAQ', ...}
'market': '0',
# 2) 기간선택 - print(config.PERIODS), ['tick', 'min', 'day', 'week', 'month', 'year']
'period': 'tick',
# 3) 저장위치 - 다운받은 데이터 csv 파일로 저장할 위치
'path': 'C:/Data/market/KOSPI/tick',
# 4) 병합 - 다운받은 데이터와 기존에 존재하는 csv 파일의 병합여부
'merge': True,
# 5) 경고 - 경고 메세지 출력 여부
'warning': False
} if kwargs is None else kwargs
# 다운로드 시작
result = self.histories(**kwargs)
# 결과 확인
# 1) 0 = ExitCode.SUCCESS : 완전히 다 받은 경우
# 2) 1 = ExitCode.FAILURE : 다운 요청 중 오류가 난 경우
# 3) slice = (from, to) : 다운 완료 된 항목 제외 후 다시 시작할 위치
print(f'다운로드 결과 = {result}')
# 결과 반환
return result
# 실행 스크립트
if __name__ == '__main__':
# 통신을 위해 QApplication 이용
app = QApplication(sys.argv)
# 인스턴스 생성
bot = MyBot()
# 로그인 및 다운로드
result = bot.run()
# 다운로드 완료 시 종료
app.exit(0)
"""
Multi-processing을 활용하여 24시간 다운로드 받을 수 있는 버전
"""
# 24시간 끊기지 않는 버전
def run_24(kwargs, share):
# To make process stable
time.sleep(5)
# To suppress warning messages
config.MUTE = True
# 초기화 및 로그인
app = QApplication(sys.argv)
bot = MyBot()
bot.login()
"""
Hidden
"""
# 다운로드 시작
result = bot.histories(**kwargs)
# 결과 저장 및 공유
share['result'] = result
share['complete'] = True
# Bot 실행 종료
app.exit()
# 24시간 끊기지 않는 버전 실행 스크립트
if __name__ == '__main__':
# 프로그램 시작시 예/아니오 팝업을 없애기 위해 관리자 권한으로 실행
from ctypes import windll
if not windll.shell32.IsUserAnAdmin():
raise EnvironmentError("Please run as root.")
# Default args
kwargs = {
'market': '0',
'period': 'tick',
'start': '20220919',
'end': '20220923',
'merge': True,
'warning': False,
'path': 'C:/Data/market/KOSPI/tick'
}
# Variables to set
ntry, maxtry = 0, 2
# Share data between processes
share = Manager().dict()
share['complete'] = False
share['impossible'] = False
# Loop start
while True:
# 오전 5시부터 6시 사이에 데이터를 받으면 데이터 결손 발생
now = datetime.now()
if (now.hour == 4 and now.minute > 50) or (now.hour == 5):
print(f"[{clock()}] Avoid 5:00 ~ 6:00 AM.")
time.sleep(70 * 60)
# Print time
print(f"[{clock()}] Starting a new loop!")
# Variables
share['complete'] = False
# Spawning a process
p = Process(target=run_24, args=(kwargs, share), daemon=True)
p.start()
p.join()
# 1) Download done
if share['result'] == ExitType.SUCCESS:
print(f"[{clock()}] Download done for {config.MARKETS[kwargs['market']]}!")
time.sleep(1)
break
# 2) Download failed by local errors
elif share['result'] == ExitType.FAILURE:
# If maximum try, stop
if ntry == maxtry:
print(f'[{clock()}] Max tryout reached, stop downloading.')
break
# Else, try again
ntry += 1
time.sleep(1)
print(f'[{clock()}] Retry downloading due to local errors.')
# 3) Process killed due to no response from the server
elif not share['complete']:
print(f'[{clock()}] Take a 10 minute break for server to response.')
time.sleep(10 * 60)
# 4) Not allowed
else:
raise RuntimeError(f'[{clock()}] Download failed.')
"""
# Hidden Case
# 4) When script re-start is needed
else:
# In case, we have to slow down for the next run
if share['result'] == ExitType.IMPOSSIBLE:
share['impossible'] = True
# Otherwise, speeding again
else:
# Update kwargs for restarting
# - Note that 'slice' and 'code' can't be used together
kwargs['slice'] = share['result']
if 'code' in kwargs:
del kwargs['code']
# Update share
share['impossible'] = False
# Print result
print(f"\n[{clock()}] Restart with slice={share['result']} in the next loop.")
time.sleep(1)
"""
# Script done
print(f'[{clock()}] Script All Finished.')