SlideShare une entreprise Scribd logo
1  sur  6
http://dotnetdlr.com/
1
Implementation of FIX messages for Fix
5.0 sp2 and FIXT1.1 specification
This document will demonstrate how to connect with FIX5.0 server and FIXT1.1
specification and uses of QuickFix/n (native .net FIX engine).
Introduction
With this release of FIX protocol version 5.0, a new Transport Independence framework (TI)
introduced which separates the FIX Session Protocol from the FIX Application Protocol. This
gives freedom to send message across different messaging technologies like MSMQ, message
bus etc.
Because of different versions of transport and application protocol, we will have to explicitly
define settings in config file.
TransportDataDictionary is used for defining transport protocol version eg. FIXT.1.1.xml
AppDataDictionary is used for defining data dictionary for FIX application protocol version
eg. FIX50.xml
You can read more about FIXT1.1 and FIX 5.0 Sp2 specification on fixprotocol.org.
http://fixprotocol.org/specifications/FIXT.1.1
http://fixprotocol.org/specifications/FIX.5.0
QuickFix/N
To demonstrate implementation of FIX 5.0 sp2, I’ll use open source FIX engine for .net
(QuickFix/N) which is one of open source engine in native .net code. Code for quickfix.net is
available on github and primarily contributed by Connamara System’s developers. These
guys are doing commendable job.
Implementation
FixInitiator
This is client application which will connect with FIX server to send and receive FIX
messages. I am demonstrating implementation of MarketDataRequest and its responses
(MarketDataSnapshot & MarketDataIncrementalRefresh).
http://dotnetdlr.com/
2
Start with Configuration
First we create configuration file for initiator.
[default]
PersistMessages=Y
ConnectionType=initiator
UseDataDictionary=Y
[SESSION]
ConnectionType=initiator
FileStorePath=store
FileLogPath=fixlog
BeginString=FIXT.1.1
DefaultApplVerID=FIX.5.0
TransportDataDictionary=FIXT.1.1.xml
AppDataDictionary=FIX50.xml
SenderCompID=ABC
TargetCompID=FIXSERVER
SocketConnectHost=127.0.0.1
SocketConnectPort=3500
HeartBtInt=20
ReconnectInterval=30
ResetOnLogon=Y
ResetOnLogout=Y
ResetOnDisconnect=Y
*Note- AppDataDictionary is for application protocol eg. FIX 5.0 and
TransportDataDictionary is for transport protocol.
You can read more about configuration here.
CreateApplicationClass
Before starting with implementation you would need to have quickFix.dll which is available
of github athttps://github.com/connamara/quickfixn
To connect with FIX session, you will have to implement QuickFix.Application interface.
public interface Application
{
void FromAdmin(Message message, SessionID sessionID);
void FromApp(Message message, SessionID sessionID);
void OnCreate(SessionID sessionID);
void OnLogon(SessionID sessionID);
void OnLogout(SessionID sessionID);
void ToAdmin(Message message, SessionID sessionID);
http://dotnetdlr.com/
3
void ToApp(Message message, SessionID sessionId);
}
I create one class named FixClient50Sp2 which implements interface and inherit base class
for message cracking and getting message events.
FIX ApplicationSetup
Settingup Initiator
// FIX app settings and related
var settings = new SessionSettings("C:initiator.cfg");
// FIX application setup
MessageStoreFactory storeFactory = new FileStoreFactory(settings);
LogFactory logFactory = new FileLogFactory(settings);
_client = new FixClient50Sp2(settings);
IInitiator initiator = new SocketInitiator(_client, storeFactory, settings, logFactory);
_client.Initiator = initiator;
* _client is instance of class FixClient50Sp2.
http://dotnetdlr.com/
4
StartingInitiator
_client.Start();
ImplementationofQuickFix.ApplicationInterfacemethods
/// <summary>
/// every inbound admin level message will pass through this method,
/// such as heartbeats, logons, and logouts.
/// </summary>
/// <param name="message"></param>
/// <param name="sessionId"></param>
public void FromAdmin(Message message, SessionID sessionId)
{
Log(message.ToString());
}
/// <summary>
/// every inbound application level message will pass through this method,
/// such as orders, executions, secutiry definitions, and market data.
/// </summary>
/// <param name="message"></param>
/// <param name="sessionID"></param>
public void FromApp(Message message, SessionID sessionID)
{
Trace.WriteLine("## FromApp: " + message);
Crack(message, sessionID);
}
/// <summary>
/// this method is called whenever a new session is created.
/// </summary>
/// <param name="sessionID"></param>
public void OnCreate(SessionID sessionID)
{
if (OnProgress != null)
Log(string.Format("Session {0} created", sessionID));
}
/// <summary>
/// notifies when a successful logon has completed.
/// </summary>
/// <param name="sessionID"></param>
public void OnLogon(SessionID sessionID)
{
ActiveSessionId = sessionID;
Trace.WriteLine(String.Format("==OnLogon: {0}==", ActiveSessionId));
http://dotnetdlr.com/
5
if (LogonEvent != null)
LogonEvent();
}
/// <summary>
/// notifies when a session is offline - either from
/// an exchange of logout messages or network connectivity loss.
/// </summary>
/// <param name="sessionID"></param>
public void OnLogout(SessionID sessionID)
{
// not sure how ActiveSessionID could ever be null, but it happened.
string a = (ActiveSessionId == null) ? "null" : ActiveSessionId.ToString();
Trace.WriteLine(String.Format("==OnLogout: {0}==", a));
if (LogoutEvent != null)
LogoutEvent();
}
/// <summary>
/// all outbound admin level messages pass through this callback.
/// </summary>
/// <param name="message"></param>
/// <param name="sessionID"></param>
public void ToAdmin(Message message, SessionID sessionID)
{
Log("To Admin : " + message);
}
/// <summary>
/// all outbound application level messages pass through this callback before they are sent.
/// If a tag needs to be added to every outgoing message, this is a good place to do that.
/// </summary>
/// <param name="message"></param>
/// <param name="sessionId"></param>
public void ToApp(Message message, SessionID sessionId)
{
Log("To App : " + message);
}
Callbackto Subscription
public void OnMessage(MarketDataIncrementalRefresh message, SessionID session)
{
var noMdEntries = message.NoMDEntries;
var listOfMdEntries = noMdEntries.getValue();
//message.GetGroup(1, noMdEntries);
var group = new MarketDataIncrementalRefresh.NoMDEntriesGroup();
Group gr = message.GetGroup(1, group);
http://dotnetdlr.com/
6
string sym = message.MDReqID.getValue();
var price = new MarketPrice();
for (int i = 1; i <= listOfMdEntries; i++)
{
group = (MarketDataIncrementalRefresh.NoMDEntriesGroup)message.GetGroup(i, group);
price.Symbol = group.Symbol.getValue();
MDEntryType mdentrytype = group.MDEntryType;
if (mdentrytype.getValue() == '0') //bid
{
decimal px = group.MDEntryPx.getValue();
price.Bid = px;
}
else if (mdentrytype.getValue() == '1') //offer
{
decimal px = group.MDEntryPx.getValue();
price.Offer = px;
}
price.Date = Constants.AdjustedCurrentUTCDate.ToString("yyyyMMdd");
price.Time = group.MDEntryTime.ToString();
}
if (OnMarketDataIncrementalRefresh != null)
{
OnMarketDataIncrementalRefresh(price);
}
}
Code can be found at github.
https://github.com/neerajkaushik123/Fix50Sp2SampleApp.git

Contenu connexe

Tendances

RESTful API Design & Implementation with CodeIgniter PHP Framework
RESTful API Design & Implementation with CodeIgniter PHP FrameworkRESTful API Design & Implementation with CodeIgniter PHP Framework
RESTful API Design & Implementation with CodeIgniter PHP Framework
Bo-Yi Wu
 
Spring Meetup Paris - Back to the basics of Spring (Boot)
Spring Meetup Paris - Back to the basics of Spring (Boot)Spring Meetup Paris - Back to the basics of Spring (Boot)
Spring Meetup Paris - Back to the basics of Spring (Boot)
Eric SIBER
 

Tendances (20)

코틀린 멀티플랫폼, 미지와의 조우
코틀린 멀티플랫폼, 미지와의 조우코틀린 멀티플랫폼, 미지와의 조우
코틀린 멀티플랫폼, 미지와의 조우
 
Dive into HTML5: SVG and Canvas
Dive into HTML5: SVG and CanvasDive into HTML5: SVG and Canvas
Dive into HTML5: SVG and Canvas
 
Spring Framework - Validation
Spring Framework - ValidationSpring Framework - Validation
Spring Framework - Validation
 
Spring framework Introduction
Spring framework IntroductionSpring framework Introduction
Spring framework Introduction
 
Spring Framework - AOP
Spring Framework - AOPSpring Framework - AOP
Spring Framework - AOP
 
Getting Started with Spring Authorization Server
Getting Started with Spring Authorization ServerGetting Started with Spring Authorization Server
Getting Started with Spring Authorization Server
 
Java Server Faces (JSF) - Basics
Java Server Faces (JSF) - BasicsJava Server Faces (JSF) - Basics
Java Server Faces (JSF) - Basics
 
Telephony API
Telephony APITelephony API
Telephony API
 
Java OOP Programming language (Part 8) - Java Database JDBC
Java OOP Programming language (Part 8) - Java Database JDBCJava OOP Programming language (Part 8) - Java Database JDBC
Java OOP Programming language (Part 8) - Java Database JDBC
 
Servlets
ServletsServlets
Servlets
 
Introduction to EJB
Introduction to EJBIntroduction to EJB
Introduction to EJB
 
Adapter Design Pattern
Adapter Design PatternAdapter Design Pattern
Adapter Design Pattern
 
PHP file handling
PHP file handling PHP file handling
PHP file handling
 
Kotlin scope functions
Kotlin scope functionsKotlin scope functions
Kotlin scope functions
 
Spring Framework - Spring Security
Spring Framework - Spring SecuritySpring Framework - Spring Security
Spring Framework - Spring Security
 
Jdbc ppt
Jdbc pptJdbc ppt
Jdbc ppt
 
RESTful API Design & Implementation with CodeIgniter PHP Framework
RESTful API Design & Implementation with CodeIgniter PHP FrameworkRESTful API Design & Implementation with CodeIgniter PHP Framework
RESTful API Design & Implementation with CodeIgniter PHP Framework
 
HTTP Response Codes | Errors
HTTP Response Codes | ErrorsHTTP Response Codes | Errors
HTTP Response Codes | Errors
 
Spring Meetup Paris - Back to the basics of Spring (Boot)
Spring Meetup Paris - Back to the basics of Spring (Boot)Spring Meetup Paris - Back to the basics of Spring (Boot)
Spring Meetup Paris - Back to the basics of Spring (Boot)
 
Angular 8
Angular 8 Angular 8
Angular 8
 

Similaire à Implementation of fix messages for fix 5.0 sp2 and fixt1.1 specification

Speed up your developments with Symfony2
Speed up your developments with Symfony2Speed up your developments with Symfony2
Speed up your developments with Symfony2
Hugo Hamon
 
Lunch Learn - WCF Security
Lunch Learn - WCF SecurityLunch Learn - WCF Security
Lunch Learn - WCF Security
Paul Senatillaka
 
Integrate Flex With Spring Framework
Integrate Flex With Spring FrameworkIntegrate Flex With Spring Framework
Integrate Flex With Spring Framework
Guo Albert
 
Push registrysup
Push registrysupPush registrysup
Push registrysup
SMIJava
 

Similaire à Implementation of fix messages for fix 5.0 sp2 and fixt1.1 specification (20)

First Failure Data Capture for your enterprise application with WebSphere App...
First Failure Data Capture for your enterprise application with WebSphere App...First Failure Data Capture for your enterprise application with WebSphere App...
First Failure Data Capture for your enterprise application with WebSphere App...
 
Protocol
ProtocolProtocol
Protocol
 
Ria Spring Blaze Ds
Ria Spring Blaze DsRia Spring Blaze Ds
Ria Spring Blaze Ds
 
ID304 - Lotus® Connections 3.0 TDI, SSO, and User Life Cycle Management: What...
ID304 - Lotus® Connections 3.0 TDI, SSO, and User Life Cycle Management: What...ID304 - Lotus® Connections 3.0 TDI, SSO, and User Life Cycle Management: What...
ID304 - Lotus® Connections 3.0 TDI, SSO, and User Life Cycle Management: What...
 
Speed up your developments with Symfony2
Speed up your developments with Symfony2Speed up your developments with Symfony2
Speed up your developments with Symfony2
 
Architecture your android_application
Architecture your android_applicationArchitecture your android_application
Architecture your android_application
 
FMS Administration Seminar
FMS Administration SeminarFMS Administration Seminar
FMS Administration Seminar
 
From Zero to Cloud in 12 Easy Factors
From Zero to Cloud in 12 Easy FactorsFrom Zero to Cloud in 12 Easy Factors
From Zero to Cloud in 12 Easy Factors
 
softshake 2014 - Java EE
softshake 2014 - Java EEsoftshake 2014 - Java EE
softshake 2014 - Java EE
 
WCF Fundamentals
WCF Fundamentals WCF Fundamentals
WCF Fundamentals
 
Lunch Learn - WCF Security
Lunch Learn - WCF SecurityLunch Learn - WCF Security
Lunch Learn - WCF Security
 
Integrate Flex With Spring Framework
Integrate Flex With Spring FrameworkIntegrate Flex With Spring Framework
Integrate Flex With Spring Framework
 
58615764 net-and-j2 ee-web-services
58615764 net-and-j2 ee-web-services58615764 net-and-j2 ee-web-services
58615764 net-and-j2 ee-web-services
 
Borland star team to tfs simple migration
Borland star team to tfs simple migrationBorland star team to tfs simple migration
Borland star team to tfs simple migration
 
Push registrysup
Push registrysupPush registrysup
Push registrysup
 
Windows Filtering Platform And Winsock Kernel
Windows Filtering Platform And Winsock KernelWindows Filtering Platform And Winsock Kernel
Windows Filtering Platform And Winsock Kernel
 
HPC_MPI_CICD.pptx
HPC_MPI_CICD.pptxHPC_MPI_CICD.pptx
HPC_MPI_CICD.pptx
 
Java EE Connector Architecture 1.6 (JSR 322) Technology
Java EE Connector Architecture 1.6 (JSR 322) TechnologyJava EE Connector Architecture 1.6 (JSR 322) Technology
Java EE Connector Architecture 1.6 (JSR 322) Technology
 
Empower every Azure Function to achieve more!!
Empower every Azure Function to achieve more!!Empower every Azure Function to achieve more!!
Empower every Azure Function to achieve more!!
 
Photon Server Deep Dive - View from Implmentation of PhotonWire, Multiplayer ...
Photon Server Deep Dive - View from Implmentation of PhotonWire, Multiplayer ...Photon Server Deep Dive - View from Implmentation of PhotonWire, Multiplayer ...
Photon Server Deep Dive - View from Implmentation of PhotonWire, Multiplayer ...
 

Plus de Neeraj Kaushik (13)

How to place orders through FIX Message
How to place orders through FIX MessageHow to place orders through FIX Message
How to place orders through FIX Message
 
Futures_Options
Futures_OptionsFutures_Options
Futures_Options
 
No sql
No sqlNo sql
No sql
 
C-Sharp Arithmatic Expression Calculator
C-Sharp Arithmatic Expression CalculatorC-Sharp Arithmatic Expression Calculator
C-Sharp Arithmatic Expression Calculator
 
Implement Search Screen Using Knockoutjs
Implement Search Screen Using KnockoutjsImplement Search Screen Using Knockoutjs
Implement Search Screen Using Knockoutjs
 
Linq Introduction
Linq IntroductionLinq Introduction
Linq Introduction
 
Multithreading Presentation
Multithreading PresentationMultithreading Presentation
Multithreading Presentation
 
Concurrent Collections Object In Dot Net 4
Concurrent Collections Object In Dot Net 4Concurrent Collections Object In Dot Net 4
Concurrent Collections Object In Dot Net 4
 
Parallel Programming With Dot Net
Parallel Programming With Dot NetParallel Programming With Dot Net
Parallel Programming With Dot Net
 
Quick Fix Sample
Quick Fix SampleQuick Fix Sample
Quick Fix Sample
 
DotNet &amp; Sql Server Interview Questions
DotNet &amp; Sql Server Interview QuestionsDotNet &amp; Sql Server Interview Questions
DotNet &amp; Sql Server Interview Questions
 
Design UML diagrams
Design UML diagramsDesign UML diagrams
Design UML diagrams
 
Design UML diagrams
Design UML diagramsDesign UML diagrams
Design UML diagrams
 

Dernier

Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 

Dernier (20)

Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdfUnderstanding Discord NSFW Servers A Guide for Responsible Users.pdf
Understanding Discord NSFW Servers A Guide for Responsible Users.pdf
 
Scaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organizationScaling API-first – The story of a global engineering organization
Scaling API-first – The story of a global engineering organization
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost SavingRepurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
Repurposing LNG terminals for Hydrogen Ammonia: Feasibility and Cost Saving
 
🐬 The future of MySQL is Postgres 🐘
🐬  The future of MySQL is Postgres   🐘🐬  The future of MySQL is Postgres   🐘
🐬 The future of MySQL is Postgres 🐘
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
Bajaj Allianz Life Insurance Company - Insurer Innovation Award 2024
 
AWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of TerraformAWS Community Day CPH - Three problems of Terraform
AWS Community Day CPH - Three problems of Terraform
 
Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024Partners Life - Insurer Innovation Award 2024
Partners Life - Insurer Innovation Award 2024
 
Real Time Object Detection Using Open CV
Real Time Object Detection Using Open CVReal Time Object Detection Using Open CV
Real Time Object Detection Using Open CV
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
Deploy with confidence: VMware Cloud Foundation 5.1 on next gen Dell PowerEdg...
 
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
Apidays Singapore 2024 - Building Digital Trust in a Digital Economy by Veron...
 
Boost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivityBoost PC performance: How more available memory can improve productivity
Boost PC performance: How more available memory can improve productivity
 
Manulife - Insurer Innovation Award 2024
Manulife - Insurer Innovation Award 2024Manulife - Insurer Innovation Award 2024
Manulife - Insurer Innovation Award 2024
 
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
Strategies for Unlocking Knowledge Management in Microsoft 365 in the Copilot...
 
Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024Top 10 Most Downloaded Games on Play Store in 2024
Top 10 Most Downloaded Games on Play Store in 2024
 
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...Workshop - Best of Both Worlds_ Combine  KG and Vector search for  enhanced R...
Workshop - Best of Both Worlds_ Combine KG and Vector search for enhanced R...
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 

Implementation of fix messages for fix 5.0 sp2 and fixt1.1 specification

  • 1. http://dotnetdlr.com/ 1 Implementation of FIX messages for Fix 5.0 sp2 and FIXT1.1 specification This document will demonstrate how to connect with FIX5.0 server and FIXT1.1 specification and uses of QuickFix/n (native .net FIX engine). Introduction With this release of FIX protocol version 5.0, a new Transport Independence framework (TI) introduced which separates the FIX Session Protocol from the FIX Application Protocol. This gives freedom to send message across different messaging technologies like MSMQ, message bus etc. Because of different versions of transport and application protocol, we will have to explicitly define settings in config file. TransportDataDictionary is used for defining transport protocol version eg. FIXT.1.1.xml AppDataDictionary is used for defining data dictionary for FIX application protocol version eg. FIX50.xml You can read more about FIXT1.1 and FIX 5.0 Sp2 specification on fixprotocol.org. http://fixprotocol.org/specifications/FIXT.1.1 http://fixprotocol.org/specifications/FIX.5.0 QuickFix/N To demonstrate implementation of FIX 5.0 sp2, I’ll use open source FIX engine for .net (QuickFix/N) which is one of open source engine in native .net code. Code for quickfix.net is available on github and primarily contributed by Connamara System’s developers. These guys are doing commendable job. Implementation FixInitiator This is client application which will connect with FIX server to send and receive FIX messages. I am demonstrating implementation of MarketDataRequest and its responses (MarketDataSnapshot & MarketDataIncrementalRefresh).
  • 2. http://dotnetdlr.com/ 2 Start with Configuration First we create configuration file for initiator. [default] PersistMessages=Y ConnectionType=initiator UseDataDictionary=Y [SESSION] ConnectionType=initiator FileStorePath=store FileLogPath=fixlog BeginString=FIXT.1.1 DefaultApplVerID=FIX.5.0 TransportDataDictionary=FIXT.1.1.xml AppDataDictionary=FIX50.xml SenderCompID=ABC TargetCompID=FIXSERVER SocketConnectHost=127.0.0.1 SocketConnectPort=3500 HeartBtInt=20 ReconnectInterval=30 ResetOnLogon=Y ResetOnLogout=Y ResetOnDisconnect=Y *Note- AppDataDictionary is for application protocol eg. FIX 5.0 and TransportDataDictionary is for transport protocol. You can read more about configuration here. CreateApplicationClass Before starting with implementation you would need to have quickFix.dll which is available of github athttps://github.com/connamara/quickfixn To connect with FIX session, you will have to implement QuickFix.Application interface. public interface Application { void FromAdmin(Message message, SessionID sessionID); void FromApp(Message message, SessionID sessionID); void OnCreate(SessionID sessionID); void OnLogon(SessionID sessionID); void OnLogout(SessionID sessionID); void ToAdmin(Message message, SessionID sessionID);
  • 3. http://dotnetdlr.com/ 3 void ToApp(Message message, SessionID sessionId); } I create one class named FixClient50Sp2 which implements interface and inherit base class for message cracking and getting message events. FIX ApplicationSetup Settingup Initiator // FIX app settings and related var settings = new SessionSettings("C:initiator.cfg"); // FIX application setup MessageStoreFactory storeFactory = new FileStoreFactory(settings); LogFactory logFactory = new FileLogFactory(settings); _client = new FixClient50Sp2(settings); IInitiator initiator = new SocketInitiator(_client, storeFactory, settings, logFactory); _client.Initiator = initiator; * _client is instance of class FixClient50Sp2.
  • 4. http://dotnetdlr.com/ 4 StartingInitiator _client.Start(); ImplementationofQuickFix.ApplicationInterfacemethods /// <summary> /// every inbound admin level message will pass through this method, /// such as heartbeats, logons, and logouts. /// </summary> /// <param name="message"></param> /// <param name="sessionId"></param> public void FromAdmin(Message message, SessionID sessionId) { Log(message.ToString()); } /// <summary> /// every inbound application level message will pass through this method, /// such as orders, executions, secutiry definitions, and market data. /// </summary> /// <param name="message"></param> /// <param name="sessionID"></param> public void FromApp(Message message, SessionID sessionID) { Trace.WriteLine("## FromApp: " + message); Crack(message, sessionID); } /// <summary> /// this method is called whenever a new session is created. /// </summary> /// <param name="sessionID"></param> public void OnCreate(SessionID sessionID) { if (OnProgress != null) Log(string.Format("Session {0} created", sessionID)); } /// <summary> /// notifies when a successful logon has completed. /// </summary> /// <param name="sessionID"></param> public void OnLogon(SessionID sessionID) { ActiveSessionId = sessionID; Trace.WriteLine(String.Format("==OnLogon: {0}==", ActiveSessionId));
  • 5. http://dotnetdlr.com/ 5 if (LogonEvent != null) LogonEvent(); } /// <summary> /// notifies when a session is offline - either from /// an exchange of logout messages or network connectivity loss. /// </summary> /// <param name="sessionID"></param> public void OnLogout(SessionID sessionID) { // not sure how ActiveSessionID could ever be null, but it happened. string a = (ActiveSessionId == null) ? "null" : ActiveSessionId.ToString(); Trace.WriteLine(String.Format("==OnLogout: {0}==", a)); if (LogoutEvent != null) LogoutEvent(); } /// <summary> /// all outbound admin level messages pass through this callback. /// </summary> /// <param name="message"></param> /// <param name="sessionID"></param> public void ToAdmin(Message message, SessionID sessionID) { Log("To Admin : " + message); } /// <summary> /// all outbound application level messages pass through this callback before they are sent. /// If a tag needs to be added to every outgoing message, this is a good place to do that. /// </summary> /// <param name="message"></param> /// <param name="sessionId"></param> public void ToApp(Message message, SessionID sessionId) { Log("To App : " + message); } Callbackto Subscription public void OnMessage(MarketDataIncrementalRefresh message, SessionID session) { var noMdEntries = message.NoMDEntries; var listOfMdEntries = noMdEntries.getValue(); //message.GetGroup(1, noMdEntries); var group = new MarketDataIncrementalRefresh.NoMDEntriesGroup(); Group gr = message.GetGroup(1, group);
  • 6. http://dotnetdlr.com/ 6 string sym = message.MDReqID.getValue(); var price = new MarketPrice(); for (int i = 1; i <= listOfMdEntries; i++) { group = (MarketDataIncrementalRefresh.NoMDEntriesGroup)message.GetGroup(i, group); price.Symbol = group.Symbol.getValue(); MDEntryType mdentrytype = group.MDEntryType; if (mdentrytype.getValue() == '0') //bid { decimal px = group.MDEntryPx.getValue(); price.Bid = px; } else if (mdentrytype.getValue() == '1') //offer { decimal px = group.MDEntryPx.getValue(); price.Offer = px; } price.Date = Constants.AdjustedCurrentUTCDate.ToString("yyyyMMdd"); price.Time = group.MDEntryTime.ToString(); } if (OnMarketDataIncrementalRefresh != null) { OnMarketDataIncrementalRefresh(price); } } Code can be found at github. https://github.com/neerajkaushik123/Fix50Sp2SampleApp.git