利用Warensoft Stock Service编写高频交易软件

无论是哪种交易软件,对于程序员来讲,最麻烦的就是去实现各种算法。本文以SAR算法的实现过程为例,为大家说明如何使用Warensoft Stock Service来实现高频交易软件的快速开发。

目前WarensoftStockService已经实现了C# 版本的客户端驱动,可以直接在Nuget上搜索Warensoft并安装。客户端驱动已经编译为跨平台.net standard1.6版本,可以在桌面应用(WPF,Winform)、Xamarin手机应用(WP,Android,IOS)、Web(asp.net,asp.net core)中应用,操作系统可以是Window,Android,IOS,IMAC,Linux。

下面将以Android为例(注:本Demo可以直接平移到WPF中),说明SAR指标的实现过程,其他指标计算的综合应用,在其他文章中会专门讲解。

软件环境说明


IDE


VS2017 RC


客户端


Android4.4


服务器环境


Ubuntu16


客户端运行环境


Xamarin.Forms


客户端图形组件


Oxyplot

建立一个Xamarin.Forms手机App

这里选择基于XAML的App,注意共享库使用PCL。

工程目录下图所示:

添加Nuget引用包

首先,为Warensoft.StockApp共享库添加Oxyplot引用(此处可能需要科学上网),如下图所示:

然后再分别安装Warensoft.EntLib.Common,Warensoft.EntLib.StockServiceClient,如下图所示:

然后为Warensoft.StockApp.Droid添加OxyPlot的NuGet引用,如下所示:

然后在Android的MainActivity中加入平台注册代码:

OxyPlot.Xamarin.Forms.Platform.Android.PlotViewRenderer.Init();

MainActivity.cs的代码如下所示:

protected override void OnCreate(Bundle bundle)
 {
 TabLayoutResource = Resource.Layout.Tabbar;
ToolbarResource = Resource.Layout.Toolbar;
OxyPlot.Xamarin.Forms.Platform.Android.PlotViewRenderer.Init();
 base.OnCreate(bundle);
 global::Xamarin.Forms.Forms.Init(this, bundle);
 LoadApplication(new App());
 }

实现主窗口

主界面的实现采用MVVM模式来实现,关于MVVM的讲解,网上应该有很多了,后面的文章中,我会把我自己的理解写出来,让大家分享。本DEMO的MVVM框架已经集成在了Warensoft.EntLib.Common中,使用起来很简单。

第一步:

编写主界面(需要了解XAML语法),并修改MainPage.xaml,如代码如下:

<?xml version="1.0" encoding="utf-8" ?>
<ContentPage xmlns="http://xamarin.com/schemas/2014/forms"
xmlns:x="http://schemas.microsoft.com/winfx/2009/xaml"
 xmlns:local="clr-namespace:Warensoft.StockApp"
 xmlns:oxy="clr-namespace:OxyPlot.Xamarin.Forms;assembly=OxyPlot.Xamarin.Forms"
 x:Class="Warensoft.StockApp.MainPage">
 <!--
 此处要注意在头中注册OxyPlot的命名空间
 xmlns:oxy="clr-namespace:OxyPlot.Xamarin.Forms;assembly=OxyPlot.Xamarin.Forms"-->
 <Grid>
 <!--此处添加图形组件-->
 <oxy:PlotView Model="{Binding Model}" VerticalOptions="Center" HorizontalOptions="Center" />
 </Grid>
</ContentPage>

第二步:

打开MainPage.xaml.cs并为视图(图面)添加其对应的模型,代码如下(注意要引入Warensoft.EntLib.Common):

public partial class MainPage : ContentPage
 {
 public MainPage()
 {
 InitializeComponent();
 //此处注册ViewModel
 this.BindingContext = new MainPageViewModel();
 }
 }
 public class MainPageViewModel : ViewModelBase
 {
 public override Task ShowCancel(string title, string message)
 {
 throw new NotImplementedException();
 }
 public override Task<bool> ShowConfirm(string title, string message)
 {
 throw new NotImplementedException();
 }
 public override void ShowMessage(string message)
 {
 Application.Current.MainPage.DisplayAlert("提示",message,"OK");
 }
 protected override void InitBindingProperties()
 {
 }
}

第三步:

定义图像组件的模型,并为图像添加X、Y坐标轴,添加一个K线和一条直线,代码如下所示:

public PlotModel Model
 {
 get { return this.GetProperty<PlotModel>("Model"); }
 set { this.SetProperty("Model", value); }
 }
 protected override void InitBindingProperties()
 {
 this.Model = new PlotModel();
 //添加X、Y轴
 this.Model.Axes.Add(new OxyPlot.Axes.DateTimeAxis()
 {
 Position = AxisPosition.Bottom,
 StringFormat = "HH:mm",
 MajorGridlineStyle = LineStyle.Solid,
 IntervalType = DateTimeIntervalType.Minutes,
 IntervalLength = 30,
 MinorIntervalType = DateTimeIntervalType.Minutes,
 Key = "Time",
 });
 this.Model.Axes.Add(new OxyPlot.Axes.LinearAxis()
 {
 Position = AxisPosition.Right,
 MajorGridlineStyle = LineStyle.Solid,
 MinorGridlineStyle = LineStyle.Dot,
 IntervalLength = 30,
 IsPanEnabled = false,
 IsZoomEnabled = false,
 TickStyle = TickStyle.Inside,
 });
 //添加K线和直线
 this.candle = new OxyPlot.Series.CandleStickSeries();
 this.line = new OxyPlot.Series.LineSeries() { Color = OxyColors.Blue };
 this.Model.Series.Add(this.candle);
 this.Model.Series.Add(this.line);
 }

第四步:

添加获取K线函数(以OKCoin为例),代码如下:

/// <summary>
 /// 读取OKCoin的15分钟K线
 /// </summary>
 /// <returns></returns>
 public async Task<List<Kline>> LoadKline()
 {
 var url = $"https://www.okcoin.cn/api/v1/kline.do?symbol=btc_cny&type=15min&size=100";
 HttpClient client = new HttpClient();
 var result = await client.GetStringAsync(url);
 dynamic k = Newtonsoft.Json.JsonConvert.DeserializeObject(result);
 List<Kline> lines = new List<Kline>();
 int index = 0;
 foreach (var item in k)
 {
 List<double> d = new List<double>();
 foreach (var dd in item)
 {
  d.Add((double)((dynamic)dd).Value);
 }
 lines.Add(new Kline() { Data = d.ToArray()});
 index++;
 }
 return lines;
 }

第五步:

添加定时刷新并绘制图像的函数,代码如下所示:

private StockServiceDriver driver;
 public async Task UpdateData()
 {
 //初始化WarensoftSocketService客户端驱动,此处使用的是测试用AppKey和SecretKey
 this.driver = new StockServiceDriver("C6651783-A3B9-4B72-8B02-A2E67A59C5A6", "6C442B3AF58D4DDA81BB03B353C0D7D8");
 await Task.Run(async()=>
 {
 while (true)
 {
  try
  {
  //读取K线
  var kline =await this.LoadKline();
  //远程Warensoft Stock Service 分析SAR曲线
  var sar = await this.driver.GetSAR(kline);
  //绘图,注意办为需要更新UI,因此需要在主线程中执行更新代码
  this.SafeInvoke(()=> {
  //每次更新前,需要将旧数据清空
  this.candle.Items.Clear();
  this.line.Points.Clear();
  foreach (var item in kline.OrderBy(k=>k.Time))
  {
  //注意将时间改为OxyPlot能识别的格式
  var time = OxyPlot.Axes.DateTimeAxis.ToDouble(item.Time);
  this.candle.Items.Add(new HighLowItem(time,item.High,item.Low,item.Open,item.Close));
  }
  if (sar.OperationDone)
  {
  foreach (var item in sar.AdditionalData.OrderBy(s=>s.DateTime))
  {
   var time= OxyPlot.Axes.DateTimeAxis.ToDouble(item.DateTime);
 this.line.Points.Add(new DataPoint(time, item.Value));
  }
  }
  //更新UI
  this.Model.InvalidatePlot(true);
  });
  }
  catch (Exception ex)
  {
  }
  await Task.Delay(5000);
 }
 });
 }

完整的ViewModel代码如下:

using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Xamarin.Forms;
using Warensoft.EntLib.Common;
using Warensoft.EntLib.StockServiceClient;
using OxyPlot;
using OxyPlot.Axes;
using OxyPlot.Series;
using Warensoft.EntLib.StockServiceClient.Models;
using System.Net.Http;
namespace Warensoft.StockApp
{
 public partial class MainPage : ContentPage
 {
 public MainPage()
 {
 InitializeComponent();
 this.BindingContext = new MainPageViewModel();
 }
 }
 public class MainPageViewModel : ViewModelBase
 {
 private CandleStickSeries candle;
 private LineSeries line;
 public override Task ShowCancel(string title, string message)
 {
 throw new NotImplementedException();
 }
 public override Task<bool> ShowConfirm(string title, string message)
 {
 throw new NotImplementedException();
 }
 public override void ShowMessage(string message)
 {
 Application.Current.MainPage.DisplayAlert("提示",message,"OK");
 }
 public PlotModel Model
 {
 get { return this.GetProperty<PlotModel>("Model"); }
 set { this.SetProperty("Model", value); }
 }
 protected override void InitBindingProperties()
 {
 this.Model = new PlotModel();
 //添加X、Y轴
 this.Model.Axes.Add(new OxyPlot.Axes.DateTimeAxis()
 {
 Position = AxisPosition.Bottom,
 StringFormat = "HH:mm",
 MajorGridlineStyle = LineStyle.Solid,
 IntervalType = DateTimeIntervalType.Minutes,
 IntervalLength = 30,
 MinorIntervalType = DateTimeIntervalType.Minutes,
 Key = "Time",
 });
 this.Model.Axes.Add(new OxyPlot.Axes.LinearAxis()
 {
 Position = AxisPosition.Right,
 MajorGridlineStyle = LineStyle.Solid,
 MinorGridlineStyle = LineStyle.Dot,
 IntervalLength = 30,
 IsPanEnabled = false,
 IsZoomEnabled = false,
 TickStyle = TickStyle.Inside,
 });
 //添加K线和直线
 this.candle = new OxyPlot.Series.CandleStickSeries();
 this.line = new OxyPlot.Series.LineSeries() { Color = OxyColors.Blue };
 this.Model.Series.Add(this.candle);
 this.Model.Series.Add(this.line);
 this.UpdateData();
 }
 /// <summary>
 /// 读取OKCoin的15分钟K线
 /// </summary>
 /// <returns></returns>
 public async Task<List<Kline>> LoadKline()
 {
 var url = $"https://www.okcoin.cn/api/v1/kline.do?symbol=btc_cny&type=15min&size=100";
 HttpClient client = new HttpClient();
 var result = await client.GetStringAsync(url);
 dynamic k = Newtonsoft.Json.JsonConvert.DeserializeObject(result);
 List<Kline> lines = new List<Kline>();
 int index = 0;
 foreach (var item in k)
 {
 List<double> d = new List<double>();
 foreach (var dd in item)
 {
 d.Add((double)((dynamic)dd).Value);
 }
 lines.Add(new Kline() { Data = d.ToArray()});
 index++;
 }
 return lines;
 }
 private StockServiceDriver driver;
 public async Task UpdateData()
 {
 //初始化WarensoftSocketService客户端驱动,此处使用的是测试用AppKey和SecretKey
 this.driver = new StockServiceDriver("C6651783-A3B9-4B72-8B02-A2E67A59C5A6", "6C442B3AF58D4DDA81BB03B353C0D7D8");
 await Task.Run(async()=>
 {
 while (true)
 {
 try
 {
 //读取K线
 var kline =await this.LoadKline();
 //远程Warensoft Stock Service 分析SAR曲线
 var sar = await this.driver.GetSAR(kline);
 //绘图,注意办为需要更新UI,因此需要在主线程中执行更新代码
 this.SafeInvoke(()=> {
 //每次更新前,需要将旧数据清空
 this.candle.Items.Clear();
 this.line.Points.Clear();
 foreach (var item in kline.OrderBy(k=>k.Time))
 {
 //注意将时间改为OxyPlot能识别的格式
 var time = OxyPlot.Axes.DateTimeAxis.ToDouble(item.Time);
 this.candle.Items.Add(new HighLowItem(time,item.High,item.Low,item.Open,item.Close));

 }
 if (sar.OperationDone)
 {
 foreach (var item in sar.AdditionalData.OrderBy(s=>s.DateTime))
 {
 var time= OxyPlot.Axes.DateTimeAxis.ToDouble(item.DateTime);
this.line.Points.Add(new DataPoint(time, item.Value));
 }

 }
 //更新UI
 this.Model.InvalidatePlot(true);
 });
 }
 catch (Exception ex)
 {
 }
 await Task.Delay(5000);
 }
 });
 }
 }
}

最后编译,并部署到手机上,最终运行效果如下:

最终编译完毕的APK文件(下载)。

以上就是本文的全部内容,希望本文的内容对大家的学习或者工作能带来一定的帮助,同时也希望多多支持我们!

(0)

相关推荐

  • 最小存货单位(Stock Keeping Unit, SKU)解析

    最小存货单位(Stock Keeping Unit, SKU) 在连锁零售门店中有时称单品为一个SKU,定义为保存库存控制的最小可用单位,例如纺织品中一个SKU通常表示规格.颜色.款式. 海东青 其实sku是商品统一编号的意思 海东青 用在收款机上又称为PLU,但是PLU不包含字母,而sku可以包含字母 海东青 sku完全由你自己来设定,比如101001,最前面的1代表第一个组,01代表第一组的第一类商品,001表示第一组第一类中的第一个产品! 海东青 当然这些规则都是由你自己来定的!只要自己记

  • 利用Warensoft Stock Service编写高频交易软件

    无论是哪种交易软件,对于程序员来讲,最麻烦的就是去实现各种算法.本文以SAR算法的实现过程为例,为大家说明如何使用Warensoft Stock Service来实现高频交易软件的快速开发. 目前WarensoftStockService已经实现了C# 版本的客户端驱动,可以直接在Nuget上搜索Warensoft并安装.客户端驱动已经编译为跨平台.net standard1.6版本,可以在桌面应用(WPF,Winform).Xamarin手机应用(WP,Android,IOS).Web(asp

  • Python利用物理引擎Pymunk编写一个解压小游戏

    用鼠标创建小球,一个蹦来蹦去的解压小游戏…… 本次需要的外置包:pygame,pymunk,cmd运行该命令安装: pip install pygame pip install pymunk 首先,导入 import pymunk import pygame from pygame.locals import * import sys import random as rd 结合pygame,创建若干障碍,并设置重力.弹跳力等参数  class Demo: WIDTH=800 HEIGHT=80

  • 利用Ruby的SOAP4R编写SOAP服务器的教程

     什么是SOAP ? 简单对象访问协议(SOAP)是一个跨平台和语言无关的,基于XML的RPC协议,通常(但不一定)是HTTP. 它使用XML来编码信息使远程过程调用,HTTP在网络上从客户机到服务器来传输信息,反之亦然. SOAP有几个优势超过其他技术,如COM,CORBA等为例,其相对廉价的部署和调试成本,它的可扩展性和易于使用,存在几种不同的语言和平台实现. 请参阅出简单的教程了解 SOAP 本教程将熟悉SOAP实现Ruby(SOAP4R).这是一个基本的教程,所以如果需要深入细节,那么需

  • 利用aardio给python编写图形界面

    前阵子在用python写一些小程序,写完后就开始思考怎么给python程序配一个图形界面,毕竟控制台实在太丑陋了. 于是百度了下python的图形界面库,眼花缭乱的一整页,拣了几件有"特色"有"噱头"的下载下来做了个demo,仍旧不是很满意,不是下载安装繁琐,就是界面丑陋或者难写难用,文档不齐全. 后来那天,整理电脑文件发现了6年前下载的aatuo(现已更名aardio),顿时一阵惊喜. 先说说aardio,2011年7月的时候,它还叫aauto,那时的自己还醉心于

  • 利用 fsockopen() 函数开放端口扫描器的实例

    1.前言 本文利用 fsockopen() 函数,编写一个功能简单的端口扫描器. 2.关键技术 本实例的端口号是固定的,通过对数组的遍历,利用 fsockopen() 函数连接,如果连接成功,则该端口处于开放状态,否则该端口处于关闭状态. 核心代码如下: foreach ($port as $key => $value) { echo '<tr>'; echo '<td>' . $key . '</td>'; echo '<td>' . $value

  • 如何编写高质量JS代码

    想写出高效的javascript类库却无从下手: 尝试阅读别人的类库,却理解得似懂给懂: 打算好好钻研js高级函数,但权威书上的内容太零散, 即使记住"用法",但到要"用"的时候却没有想"法". 也许你和我一样,好像有一顾无形的力量约束着我们的计划,让我们一再认为知识面的局限性,致使我们原地踏步,难以向前跨越. 这段时间,各种作业.课程设计.实验报告,压力倍增.难得挤出一点点时间,绝不睡懒觉,整理总结往日所看的书,只为了可以离写自己的类库近一点.

  • 如何在Python中编写并发程序

    GIL 在Python中,由于历史原因(GIL),使得Python中多线程的效果非常不理想.GIL使得任何时刻Python只能利用一个CPU核,并且它的调度算法简单粗暴:多线程中,让每个线程运行一段时间t,然后强行挂起该线程,继而去运行其他线程,如此周而复始,直到所有线程结束. 这使得无法有效利用计算机系统中的"局部性",频繁的线程切换也对缓存不是很友好,造成资源的浪费. 据说Python官方曾经实现了一个去除GIL的Python解释器,但是其效果还不如有GIL的解释器,遂放弃.后来P

  • C++利用MySQL API连接和操作数据库实例详解

    1.C++连接和操作MySQL的方式 系列文章: MySQL 设计和命令行模式下建立详解 C++利用MySQL API连接和操作数据库实例详解 在Windows平台,我们可以使用ADO.ODBC或者MySQL API进行连接和操作.ADO (ActiveX Data Objects,ActiveX数据对象)是Microsoft提出的一个用于存取数据源的COM组件.它提供了程序语言和统一数据访问方式OLE DB的一个中间层,也就是Microsoft提出的应用程序接口(API)用以实现访问关系或非关

  • Android中Service与Activity之间通信的几种方式

    在Android中,Activity主要负责前台页面的展示,Service主要负责需要长期运行的任务,所以在我们实际开发中,就会常常遇到Activity与Service之间的通信,我们一般在Activity中启动后台Service,通过Intent来启动,Intent中我们可以传递数据给Service,而当我们Service执行某些操作之后想要更新UI线程,我们应该怎么做呢?接下来我就介绍两种方式来实现Service与Activity之间的通信问题 1.通过Binder对象 当Activity通

  • 用函数式编程技术编写优美的 JavaScript

    级别: 初级 Shantanu Bhattacharya (shantanu@justawordaway.com), 首席顾问, Siemens Information Systems Limited 2006 年 7 月 20 日 函数式或声明性编程是非常强大的编程方法,正逐渐在软件行业流行起来.这篇文章将介绍一些相关的函数式编程概念,并提供有效使用这些概念的示例.作者将解释如何使用 JavaScript(TM)(JavaScript 能导入函数式编程的构造和特性)编写优美的代码. 简介 函数

随机推荐