1.

# 克隆自聚宽文章:https://www.joinquant.com/post/2709
# 标题:基于SVM的机器学习策略
# 作者:走得很慢的海龟 import math
import numpy as np
#from sklearn import preprocessing, cross_validation, svm
from sklearn import preprocessing, svm
import matplotlib.pyplot as plt
from matplotlib import style
import sklearn
import time
from datetime import datetime
import cPickle as pickle def initialize(context):
g.train=True # year_date is for get_fundamentals
def train_data(year_date, index_date):
Valuation=[]
price=[]
status=[]
SZ1=get_index_stocks('399008.XSHE', date=index_date)
SZ2=get_index_stocks('399012.XSHE', date=index_date)
SH=get_index_stocks('399905.XSHE', date=index_date)
tem_index=SZ1+SZ2+SH
unix_30d=60*60*24*30
unix_weekend=60*60*24*3 q=query(
income.code, income.pubDate, income.total_operating_revenue,
income.total_operating_cost, income.administration_expense,
income.operating_profit, income.non_operating_revenue,
income.total_profit, income.net_profit, income.basic_eps,
income.diluted_eps, income.total_composite_income
).filter(
valuation.code.in_(tem_index)) incm = get_fundamentals(q, statDate=year_date)
date=incm['pubDate']
index=incm['code'] q=query(
indicator
).filter(
valuation.code.in_(index))
indictor=get_fundamentals(q, statDate=year_date)
del(indictor['code'], indictor['statDate'], indictor['pubDate']) for each in range(0,len(date)):
q=query(
valuation.pe_ratio, valuation.pb_ratio, valuation.circulating_market_cap
).filter(
valuation.code==(index[each]))
each_valuation=get_fundamentals(q, date=date[each]) date_stamp = datetime.strptime(date[each], '%Y-%m-%d')
unix=time.mktime(date_stamp.timetuple())
unix_30_late=unix+unix_30d Valuation.append(each_valuation.iloc[0].tolist()) p1=get_price(index[each], start_date=date[each],
end_date=date[each], frequency='daily', fields='close') if not p1.empty:
pass
else:
p1_weekend=datetime.fromtimestamp(unix-unix_weekend).strftime('%Y-%m-%d')
p1=get_price(index[each], start_date=p1_weekend,
end_date=p1_weekend, frequency='daily', fields='close') p1_30d=datetime.fromtimestamp(unix_30_late).strftime('%Y-%m-%d')
p2=get_price(index[each], start_date=p1_30d,
end_date=p1_30d, frequency='daily', fields='close') if not p2.empty:
pass
else:
date_stamp2 = datetime.strptime(p1_30d, '%Y-%m-%d')
unix2=time.mktime(date_stamp2.timetuple())
unix2_weekend=unix2-unix_weekend
p2_weekend=datetime.fromtimestamp(unix2_weekend).strftime('%Y-%m-%d')
p2=get_price(index[each], start_date=p2_weekend,
end_date=p2_weekend, frequency='daily', fields='close') dif = p2.values / p1.values if dif > 1.1:
s=1
else:
s=0
status.append(s) price.append(p1.iloc[0].tolist()) Valuation=pd.DataFrame(Valuation, columns=['pe','pb','cir_mkt_cap'])
price=pd.DataFrame(price, columns=['price'])
status=pd.DataFrame(status, columns=['status'])
df=pd.concat([incm,Valuation,price,indictor,status], axis=1) del(df['pubDate'], df['statDate.1'], df['code'])
#y=df['status'].values.tolist()
#df=np.random.permutation(df)
#del(df['status'], df['code'])
#X=np.array(df.replace('NaN', 9999).values.tolist())
#X=preprocessing.scale(X)
return df def fundamental(index):
Valuation=[]
price=[]
status=[] q=query(
income.total_operating_revenue,
income.total_operating_cost, income.administration_expense,
income.operating_profit, income.non_operating_revenue,
income.total_profit, income.net_profit, income.basic_eps,
income.diluted_eps, income.total_composite_income
).filter(
valuation.code.in_(index))
incm = get_fundamentals(q) q=query(
valuation.pe_ratio, valuation.pb_ratio, valuation.circulating_market_cap
).filter(
valuation.code.in_(index))
Valuation=get_fundamentals(q)#.values.tolist() q=query(
indicator
).filter(
valuation.code.in_(index))
indictor=get_fundamentals(q)#.values.tolist()
index2=indictor['code']
del(indictor['code'], indictor['statDate'], indictor['pubDate'], indictor['day']) for each in index2:
p=attribute_history(each, 1, unit='1d', fields=['close'], skip_paused=True)
price.append(p.iloc[0].tolist()) price=pd.DataFrame(price, columns=['price'])
df=pd.concat([incm,Valuation,price,indictor], axis=1)
X=np.array(df.replace('NaN', 9999).values.tolist()) X=preprocessing.scale(X)
return X, index2 def handle_data(context, data):
if g.train:
index_date=str('2014-03-01')
df1=train_data(str('2014q1'),index_date)
df2=train_data(str('2014q2'),index_date)
df3=train_data(str('2014q3'),index_date)
df4=train_data(str('2014q4'),index_date)
df=pd.concat([df1,df2,df3,df4], axis=0)
df.iloc[np.random.permutation(len(df))]
y=df['status'].values.tolist()
del(df['status'])
log.info("<===== shape of training dataset @ %s", str(df.shape))
X=np.array(df.replace('NaN', 9999).values.tolist()) X=preprocessing.scale(X) clf = svm.SVC(kernel=str("linear"), C=1.0)
clf.fit(X, y) filename = "temp.pkl"
pickle_file = open(filename, 'wb')
pickle.dump(clf, pickle_file)
pickle_file.close()
g.train=False filename = "temp.pkl"
pickle_file = open(filename, 'rb')
clf = pickle.load(pickle_file) year=context.current_dt.year
month=context.current_dt.month
day=context.current_dt.day
index_date=str(year)+'-'+str(month)+'-'+str(day) SZ1=get_index_stocks('399008.XSHE', date=index_date)
SZ2=get_index_stocks('399012.XSHE', date=index_date)
SH=get_index_stocks('399905.XSHE', date=index_date)
index=SZ1+SZ2+SH X, index2=fundamental(index) for each in range(0, len(index2)):
if clf.predict(X[each].reshape(1,X.shape[1]))[0] == 1 and index2[each] not in context.portfolio.positions.keys():
log.info("===================Buying:", index2[each])
order_target_value(index2[each], context.portfolio.cash/5)
if clf.predict(X[each].reshape(1,X.shape[1]))[0] == 0 and index2[each] in context.portfolio.positions.keys():
log.info("<<<<<<<<<<<<<<<<<<Holding:", context.portfolio.positions.keys())
log.info("-------------------selling:", index2[each])
order_target(index2[each], 0) # 止损 if context.portfolio.positions:
for stock in context.portfolio.positions.keys():
cur_price = data[stock].close
position=context.portfolio.positions[stock]
if cur_price > position.avg_cost * (1 + 0.5) or cur_price < position.avg_cost * (1 - 0.2):
order_target(stock, 0)
log.info("<<<<<<<<<<<", stock, "%s lose:", 1-cur_price/position.avg_cost)

  https://www.joinquant.com/

https://zhuanlan.zhihu.com/p/24649311

第25月第7天 聚宽 svm的更多相关文章

  1. 聚宽投资研究获取A股05年至今全部数据

    #用中正全指'000985.XSHG'获取全部A股数据pool=get_index_stocks('000985.XSHG') #date存储05年开始全部交易时间 date=get_price('0 ...

  2. 金融量化分析【day113】:聚宽自带策略

    一.策略代码 # 导入函数库 from jqdata import * # 初始化函数,设定基准等等 def initialize(context): # 设定沪深300作为基准 set_benchm ...

  3. 聚宽获取财务数据+DataFrame写入txt

    from jqdata import jy from jqdata import * #获取股票列表,这里是板块内股票 pool=get_industry_stocks(',date='2016-09 ...

  4. 第25月第26天 dispatch_group_t dispatch_semaphore_t

    1. dispatch_group_enter(group); dispatch_group_leave(group); dispatch_group_notify(group1, queue1,bl ...

  5. 第25月25日 urlsession

    1. private lazy var session: URLSession = { let configuration = URLSessionConfiguration.default conf ...

  6. 第25月第22日 django channels

    1. https://github.com/andrewgodwin/channels-examples/ https://channels.readthedocs.io/en/latest/

  7. 第25月第18天 vue

    1.cnpm sudo chown -R $USER /usr/local  npm install -g cnpm --registry=https://registry.npm.taobao.or ...

  8. 第25月第17天 django rest framwork authentication /tmp/mysql.sock

    1.authentication https://www.django-rest-framework.org/api-guide/authentication/#authentication 2.dj ...

  9. 第25月第15天 udacity cs253

    1.cs253 https://classroom.udacity.com/courses/cs253 webapp2 Install WebOb, Paste and webapp2¶ We nee ...

随机推荐

  1. (转)source insight的使用方法逆天整理

    转载自:https://www.cnblogs.com/xunbu7/p/7067427.html A. why SI: 为什么要用Source Insight呢?因为她比完整的IDE要更快啊,比一般 ...

  2. operator new和operator delete

    从STL源码剖析中看到了operator new的使用 template<class T> inline void _deallocate(T* buffer) { ::operator ...

  3. HDU 1003 Max Sum 求区间最大值 (尺取法)

    Max Sum Time Limit: 2000/1000 MS (Java/Others)    Memory Limit: 65536/32768 K (Java/Others) Total Su ...

  4. Level-IP(Linux userspace TCP/IP stack)

    转自:github.com/saminiir/level-ip Level-IP is a Linux userspace TCP/IP stack, implemented with TUN/TAP ...

  5. 使用docker-compose部署nginx

      1.新建docker-compose.yml文件,文件的基本模板如下:(由于yml格式比较严格,注意空格缩进) version: '2.0' services: nginx: restart: a ...

  6. python3.x 和pip3的安装

    python3.x 和pip3的安装 本人在学习python3的时候,视频中使用的是python3,在讲解到有些第三方库的时候,无法使用到pip3 install来安装所需的库.由于系统是centos ...

  7. go 方法

    go 方法 Golang中的任何自定义类型,都可以有方法,而不仅仅是struct. 定义:func (recevier type) methodName(参数列表)(返回值列表){} 方法的访问控制, ...

  8. Matplotlib中柱状图bar使用

    一.函数原型 matplotlib.pyplot.bar(left, height, alpha=1, width=0.8, color=, edgecolor=, label=, lw=3) 1. ...

  9. 解决phpmyadmin 遇见的问题

    1.phpmyadmin4.8.3 上传到网站目录后提示解决phpmyadmin mysqli_real_connect(): (HY000/2002): No such file or direct ...

  10. async+await处理异步问题

    在编写网页的时候我们常常会遇到异步问题,async+await是es6提出的解决异步的方法,下面我们来看看这个方法怎么实现解决异步的, 大家都知道,setTimeout是一个定时器.他是一个异步执行的 ...