From 4f8bb7d14ebbd19f31d33dce2654256b756d9348 Mon Sep 17 00:00:00 2001 From: Shahbaz Date: Wed, 16 Jun 2010 22:41:42 -0400 Subject: [PATCH] added key/val converters for easier debugging --- fix.js | 130 +- resources/Fields40.js | 141 + resources/Fields40.xml | 992 +++++++ resources/Fields41.js | 213 ++ resources/Fields41.xml | 1497 ++++++++++ resources/Fields42.js | 448 +++ resources/Fields42.xml | 3130 ++++++++++++++++++++ resources/Fields43.js | 661 +++++ resources/Fields43.xml | 4647 ++++++++++++++++++++++++++++++ resources/Fields44.js | 958 +++++++ resources/Fields44.xml | 5889 ++++++++++++++++++++++++++++++++++++++ resources/fix2csv.xsl | 9 + resources/fix2json.xsl | 10 + resources/xmltransorm.sh | 1 + 14 files changed, 18679 insertions(+), 47 deletions(-) create mode 100644 resources/Fields40.js create mode 100644 resources/Fields40.xml create mode 100644 resources/Fields41.js create mode 100644 resources/Fields41.xml create mode 100644 resources/Fields42.js create mode 100644 resources/Fields42.xml create mode 100644 resources/Fields43.js create mode 100644 resources/Fields43.xml create mode 100644 resources/Fields44.js create mode 100644 resources/Fields44.xml create mode 100644 resources/fix2csv.xsl create mode 100644 resources/fix2json.xsl create mode 100644 resources/xmltransorm.sh diff --git a/fix.js b/fix.js index b8d0735..2b30ca8 100644 --- a/fix.js +++ b/fix.js @@ -9,6 +9,65 @@ var events = require("events"); var sys = require("sys"); var logger = require('../node-logger/logger').createLogger(); +//Message container +//{targetCompiD:{incoming:[], outgoing:[]}} +var msgContainer = {}; + +function addInMsg(target, msg){ + var tgt = msgContainer[target]; + if(tgt === undefined){ + msgContainer[target] = {incoming:[msg], outgoing:[]}; + } + else{ + msgContainer[target].incoming.push(msg); + } +} + +function addOutMsg(target, msg){ + var tgt = msgContainer[target]; + if(tgt === undefined){ + msgContainer[target] = {incoming:[], outgoing:[msg]}; + } + else{ + msgContainer[target].outgoing.push(msg); + } +} + +function getInMessages(target, beginSeqNo, endSeqNo){ + var tgt = msgContainer[target]; + if(tgt === undefined){ + return []; + } + else{ + var msgs = tgt.incoming; + var msgsarr = []; + for(var k in msgs){ + var msg = msgs[k]; + var seqNo = parseInt(msg["34"],10); + if(seqNo >= beginSeqNo && seqNo <= endSeqNo){ + msgarr.push(msg); + } + } + } +} + +function getOutMessages(target, beginSeqNo, endSeqNo){ + var tgt = msgContainer[target]; + if(tgt === undefined){ + return []; + } + else{ + var msgs = tgt.outgoing; + var msgsarr = []; + for(var k in msgs){ + var msg = msgs[k]; + var seqNo = parseInt(msg["34"],10); + if(seqNo >= beginSeqNo && seqNo <= endSeqNo){ + msgarr.push(msg); + } + } + } +} //Utility methods @@ -52,6 +111,7 @@ function Session(stream, isInitiator, opt) { stream.setEncoding("ascii"); stream.setTimeout(1000); + this.stream = stream; var fixVersion = opt.version; @@ -63,7 +123,6 @@ function Session(stream, isInitiator, opt) { var targetCompID = ""; //targetCompID || ""; var heartbeatDuration = 0; - //this.databufferx = ""; var databuffer = ""; var charlen = 0; @@ -72,16 +131,12 @@ function Session(stream, isInitiator, opt) { var outgoingSeqNum = 1; var timeOfLastIncoming = 0; var timeOfLastOutgoing = 0; + var resendRequested = false; - //var heartbeatIntervalIDs = []; var heartbeatIntervalID ; - /*this.addListener("connect", function () { - logger.info("New session started"); - });*/ this.addListener("end", function () { - //logger.info("Session ended"); clearInterval(heartbeatIntervalID); }); @@ -146,18 +201,12 @@ function Session(stream, isInitiator, opt) { } } } - //var headermsg = headermsgarr.join(""); - //headermsgarr = []; var timestamp = new Date(); headermsgarr.push("52=" , timestamp.getUTCFullYear() , timestamp.getUTCMonth() , timestamp.getUTCDay() , "-" , timestamp.getUTCHours() , ":" , timestamp.getUTCMinutes() , ":" , timestamp.getUTCSeconds() , "." , timestamp.getUTCMilliseconds() , SOHCHAR); - //headermsg += "52=" + timestamp.getUTCFullYear() + timestamp.getUTCMonth() + timestamp.getUTCDay() + "-" + timestamp.getUTCHours() + ":" + timestamp.getUTCMinutes() + ":" + timestamp.getUTCSeconds() + "." + timestamp.getUTCMilliseconds() + SOHCHAR; headermsgarr.push("56=" , (senderCompIDExtracted || senderCompID) , SOHCHAR); - //headermsg += "56=" + (senderCompIDExtracted || senderCompID) + SOHCHAR; headermsgarr.push("49=" , (targetCompIDExtracted || targetCompID) , SOHCHAR); - //headermsg += "49=" + (targetCompIDExtracted || targetCompID) + SOHCHAR; headermsgarr.push("34=" , (outgoingSeqNum++) , SOHCHAR); - //headermsg += "34=" + (outgoingSeqNum++) + SOHCHAR; var trailermsgarr = []; for (var f in trailers) { @@ -201,46 +250,25 @@ function Session(stream, isInitiator, opt) { var outmsg = outmsgarr.join(""); - /*var checksum = 0; - for (var x in outmsg) { - if (outmsg.hasOwnProperty(x)) { - checksum += outmsg.charCodeAt(x); - } - } - checksum = checksum % 256; - - var checksumstr = ""; - if (checksum < 10) { - checksumstr = "00" + checksum; - } - else if (checksum >= 10 && checksum < 100) { - checksumstr = "0" + checksum; - } - else { - checksumstr = "" + checksum; - }*/ - outmsg += "10=" + checksum(outmsg) + SOHCHAR; logger.info("FIX out:" + outmsg); timeOfLastOutgoing = new Date().getTime(); - //this.stream.write(outmsg); + + addOutMsg(targetCompID, outmsg); + stream.write(outmsg); } this.write = writefix; - //this.writeTest = function(){ return writefix;}; //Used for parsing incoming data ------------------------------- - //this.handle = function() { return function (data) { - //var handle = function (data) { function handlefix(data){ //logger.info("++++++++data received: " + data); //Add data to the buffer (to avoid processing fragmented TCP packets) - //var databuffer = this.databufferx + data; databuffer = databuffer + data; timeOfLastIncoming = new Date().getTime(); @@ -325,9 +353,6 @@ function Session(stream, isInitiator, opt) { } } - //var dbg = "{"; - //for( var x in fix){ dbg += ","+x+":"+fix[x]+"";} - //sys.debug(dbg+"}"); //====Step 4: Confirm all required fields are available==== for (var f in headers) { if (headers.hasOwnProperty(f)) { @@ -388,6 +413,7 @@ function Session(stream, isInitiator, opt) { var _seqNum = parseInt(fix["34"], 10); if (loggedIn && _seqNum == incomingSeqNum) { incomingSeqNum++; + resendRequested = false; } else if (loggedIn && _seqNum < incomingSeqNum) { logger.info("[ERROR] Incoming sequence number lower than expected. No way to recover."); @@ -395,9 +421,13 @@ function Session(stream, isInitiator, opt) { return; } else if (loggedIn && _seqNum > incomingSeqNum) { - //Missing messages, write rewrite request and don't process any more messages + //Missing messages, write resend request and don't process any more messages //until the rewrite request is processed //set flag saying "waiting for rewrite" + if(resendRequested !== true){ + resendRequested = true; + writefix({"35":2, "7":incomingSeqNum, "8":0}); + } } //====Step 7: Confirm compids and fix version match what was in the logon msg @@ -408,9 +438,13 @@ function Session(stream, isInitiator, opt) { if (loggedIn && (fixVersion != incomingFixVersion || senderCompID != incomingsenderCompID || targetCompID != incomingTargetCompID)) { logger.info("[WARNING] Incoming fix version (" + incomingFixVersion + "), sender compid (" + incomingsenderCompID + ") or target compid (" + incomingTargetCompID + ") did not match expected values (" + fixVersion + "," + senderCompID + "," + targetCompID + ")"); /*write session reject*/ } + + + //===Step 8: Record incoming message -- might be needed during resync + addInMsg(targetCompID, fix); - //====Step 8: Messages + //====Step 9: Messages switch (msgType) { case "0": //handle heartbeat; break; @@ -424,7 +458,14 @@ function Session(stream, isInitiator, opt) { }); /*write heartbeat*/ break; case "2": - //handle rewriterequest; break; + var beginSeqNo = parseInt(fix["7"],10); + var endSeqNo = parseInt(fix["16"],10); + outgoingSeqNum = beginSeqNo; + var outmsgs = getOutMessages(targetCompID, beginSeqNo, endSeqNo); + for(var k in outmsgs){ + writefix(msgs[k]); + } + //handle resendrequest; break; break; case "3": //handle sessionreject; break; @@ -458,7 +499,6 @@ function Session(stream, isInitiator, opt) { break; default: } - //logger.info("[DEBUG] databuffer.length: " + databuffer.length + "; databuffer: " + databuffer); this.emit("data", fix); } @@ -514,8 +554,6 @@ exports.createServer = function (opt, func) { }); stream.addListener("data", function(data){session.handle(data);}); - //stream.addListener("data",session.handle()); - //stream.addListener("data", function (data) { session.emit("data"); }); }); @@ -546,8 +584,6 @@ exports.createConnection = function (senderCompID, targetCompID, heartbeatsecond }); stream.addListener("data", function(data){session.handle(data);}); - //stream.addListener("data",session.handle()); - //stream.addListener("data", function (data) { session.emit("data"); }); return session; }; diff --git a/resources/Fields40.js b/resources/Fields40.js new file mode 100644 index 0000000..4631129 --- /dev/null +++ b/resources/Fields40.js @@ -0,0 +1,141 @@ +{ +"1":"Account", +"2":"AdvId", +"3":"AdvRefID", +"4":"AdvSide", +"5":"AdvTransType", +"6":"AvgPx", +"7":"BeginSeqNo", +"8":"BeginString", +"9":"BodyLength", +"10":"CheckSum", +"11":"ClOrdID", +"12":"Commission", +"13":"CommType", +"14":"CumQty", +"15":"Currency", +"16":"EndSeqNo", +"17":"ExecID", +"18":"ExecInst", +"19":"ExecRefID", +"20":"ExecTransType", +"21":"HandlInst", +"22":"IDSource", +"23":"IOIid", +"24":"IOIOthSvc", +"25":"IOIQltyInd", +"26":"IOIRefID", +"27":"IOIShares", +"28":"IOITransType", +"29":"LastCapacity", +"30":"LastMkt", +"31":"LastPx", +"32":"LastShares", +"33":"LinesOfText", +"34":"MsgSeqNum", +"35":"MsgType", +"36":"NewSeqNo", +"37":"OrderID", +"38":"OrderQty", +"39":"OrdStatus", +"40":"OrdType", +"41":"OrigClOrdID", +"42":"OrigTime", +"43":"PossDupFlag", +"44":"Price", +"45":"RefSeqNum", +"46":"RelatdSym", +"47":"Rule80A", +"48":"SecurityID", +"49":"SenderCompID", +"50":"SenderSubID", +"51":"SendingDate(notused)", +"52":"SendingTime", +"53":"Shares", +"54":"Side", +"55":"Symbol", +"56":"TargetCompID", +"57":"TargetSubID", +"58":"Text", +"59":"TimeInForce", +"60":"TransactTime", +"61":"Urgency", +"62":"ValidUntilTime", +"63":"SettlmntTyp", +"64":"FutSettDate", +"65":"SymbolSfx", +"66":"ListID", +"67":"ListSeqNo", +"68":"ListNoOrds", +"69":"ListExecInst", +"70":"AllocID", +"71":"AllocTransType", +"72":"RefAllocID", +"73":"NoOrders", +"74":"AvgPrxPrecision", +"75":"TradeDate", +"76":"ExecBroker", +"77":"OpenClose", +"78":"NoAllocs", +"79":"AllocAccount", +"80":"AllocShares", +"81":"ProcessCode", +"82":"NoRpts", +"83":"RptSeq", +"84":"CxlQty", +"85":"NoDlvyInst", +"86":"DlvyInst", +"87":"AllocStatus", +"88":"AllocRejCode", +"89":"Signature", +"90":"SecureDataLen", +"91":"SecureData", +"92":"BrokerOfCredit", +"93":"SignatureLength", +"94":"EmailType", +"95":"RawDataLength", +"96":"RawData", +"97":"PossResend", +"98":"EncryptMethod", +"99":"StopPx", +"100":"ExDestination", +"102":"CxlRejReason", +"103":"OrdRejReason", +"104":"IOIQualifier", +"105":"WaveNo", +"106":"Issuer", +"107":"SecurityDesc", +"108":"HeartBtInt", +"109":"ClientID", +"110":"MinQty", +"111":"MaxFloor", +"112":"TestReqID", +"113":"ReportToExch", +"114":"LocateReqd", +"115":"OnBehalfOfCompID", +"116":"OnBehalfOfSubID", +"117":"QuoteID", +"118":"NetMoney", +"119":"SettlCurrAmt", +"120":"SettlCurrency", +"121":"ForexReq", +"122":"OrigSendingTime", +"123":"GapFillFlag", +"124":"NoExecs", +"125":"CxlType", +"126":"ExpireTime", +"127":"DKReason", +"128":"DeliverToCompID", +"129":"DeliverToSubID", +"130":"IOINaturalFlag", +"131":"QuoteReqID", +"132":"BidPx", +"133":"OfferPx", +"134":"BidSize", +"135":"OfferSize", +"136":"NoMiscFees", +"137":"MiscFeeAmt", +"138":"MiscFeeCurr", +"139":"MiscFeeType", +"140":"PrevClosePx" +} diff --git a/resources/Fields40.xml b/resources/Fields40.xml new file mode 100644 index 0000000..17a121e --- /dev/null +++ b/resources/Fields40.xml @@ -0,0 +1,992 @@ + + + +1 +Account +char +Account mnemonic as agreed between broker and institution. +0 + + +2 +AdvId +int +Unique identifier of advertisement message +0 + + +3 +AdvRefID +int +Reference identifier used with CANCEL and REPLACE transaction types. +0 + + +4 +AdvSide +char +Broker's side of advertised trade Valid values: B = Buy S = Sell X = Cross T = Trade +0 + + +5 +AdvTransType +char +Identifies advertisement message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +6 +AvgPx +float +Calculated average price of all fills on this order. +0 + + +7 +BeginSeqNo +int +Message sequence number of first record in range to be resent +0 + + +8 +BeginString +char +Identifies beginning of new message and protocol version. ALWAYS FIRST FIELD IN MESSAGE. (Always unencrypted) Valid values: FIX.4.0 +0 + + +9 +BodyLength +int +Message length, in bytes, forward to the CheckSum field. ALWAYS SECOND FIELD IN MESSAGE. (Always unencrypted) Valid values: 0 - 9999 +0 + + +10 +CheckSum +char +Three byte, simple checksum (see Appendix B for description). ALWAYS LAST FIELD IN RECORD; i.e. serves, with the trailing <SOH>, as the end-of-record delimiter. Always defined as three characters. (Always unencrypted) +0 + + +11 +ClOrdID +char +Unique identifier for Order as assigned by institution. Uniqueness must be guaranteed within a single trading day. Firms which electronically submit multi-day orders should consider embedding a date within the ClOrderID field to assure uniqueness across days. +0 + + +12 +Commission +float +Commission +0 + + +13 +CommType +char +Commission type Valid values: 1 = per share 2 = percentage 3 = absolute +0 + + +14 +CumQty +int +Total number of shares filled. Valid values: (0 - 1000000000) +0 + + +15 +Currency +char +Identifies currency used for price, Absence of this field in a message is interpreted as US dollars. See Appendix A for information on obtaining valid values. +0 + + +16 +EndSeqNo +int +Message sequence number of last record in range to be resent. If request is for a single record BeginSeqNo = EndSeqNo. If request is for all messages subsequent to a particular message, EndSeqNo = "999999" +0 + + +17 +ExecID +int +Unique identifier of execution message as assigned by broker (will be 0 (zero) for ExecTransType=3 (Status)). Uniqueness must be guaranteed within a single trading day. Firms which accept multi-day orders should consider embedding a date within the ExecID field to assure uniqueness across days. +0 + + +18 +ExecInst +char +Instructions for order handling on exchange trading floor. If more than one instruction is applicable to an order, this field can contain multiple instructions separated by space. Valid values: 1 = Not held 2 = Work 3 = Go along 4 = Over the day 5 = Held 6 = Participate don't initiate 7 = Strict scale 8 = Try to scale 9 = Stay on bidside 0 = Stay on offerside A = No cross B = OK to cross C = Call first D = Percent of volume E = Do not increase - DNI F = Do not reduce - DNR G = All or none - AON I = Institutions only L = Last peg (last sale) M = Mid-price peg (midprice of inside quote) N = Non-negotiable O = Opening peg +P = Market peg R = Primary peg (primary market - buy at bid/sell at offer) S = Suspend +0 + + +19 +ExecRefID +int +Reference identifier used with Cancel and Correct transaction types. +0 + + +20 +ExecTransType +char +Identifies transaction type Valid values: 0 = New 1 = Cancel 2 = Correct 3 = Status +0 + + +21 +HandlInst +char +Instructions for order handling on Broker trading floor Valid values: 1 = Automated execution order, private, no Broker intervention 2 = Automated execution order, public, Broker intervention OK 3 = Manual order, best execution +0 + + +22 +IDSource +char +Identifies class of alternative SecurityID Valid values: 1 = CUSIP 2 = SEDOL 3 = QUIK 4 = ISIN number 5 = RIC code 100+ are reserved for private security identifications +0 + + +23 +IOIid +int +Unique identifier of IOI message. +0 + + +24 +IOIOthSvc +char +Indicates if, and on which other services, the indication has been advertised. Each character represents an additional service (e.g. if on Bridge and Autex, field = BA, if only on Autex, field = A) Valid values: A = Autex B = Bridge +0 + + +25 +IOIQltyInd +char +Relative quality of indication Valid values: L = Low M = Medium H = High +0 + + +26 +IOIRefID +int +Reference identifier used with CANCEL and REPLACE, transaction types. +0 + + +27 +IOIShares +char +Number of shares in numeric or relative size. Valid values: 0 - 1000000000 S = Small M = Medium L = Large +0 + + +28 +IOITransType +char +Identifies IOI message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +29 +LastCapacity +char +Broker capacity in order execution Valid values: 1 = Agent 2 = Cross as agent 3 = Cross as principal 4 = Principal +0 + + +30 +LastMkt +char +Market of execution for last fill Valid values: See Appendix C +0 + + +31 +LastPx +float +Price of last fill. Field not required for ExecTransType = 3 (Status) +0 + + +32 +LastShares +int +Quantity of shares bought/sold on this fill. Field not required for ExecTransType = 3 (Status) +0 + + +33 +LinesOfText +int +Identifies number of lines of text body +0 + + +34 +MsgSeqNum +int +Integer message sequence number. Valid values: 0 - 999999 +0 + + +35 +MsgType +char +Defines message type. ALWAYS THIRD FIELD IN MESSAGE. (Always unencrypted) Note: A "U" as the first character in the MsgType field indicates that the message format is privately defined between the sender and receiver. Valid values: 0 = Heartbeat 1 = Test Request 2 = Resend Request 3 = Reject 4 = Sequence Reset 5 = Logout 6 = Indication of Interest 7 = Advertisement 8 = Execution Report 9 = Order Cancel Reject A = Logon B = News C = Email D = Order - Single E = Order - List F = Order Cancel Request G= Order Cancel/Replace Request H= Order Status Request J = Allocation K = List Cancel Request L = List Execute M = List Status Request N = List Status P = Allocation ACK Q = Don’t Know Trade (DK) R = Quote Request S = Quote +0 + + +36 +NewSeqNo +int +New sequence number Valid values: 0 - 999999 +0 + + +37 +OrderID +char +Unique identifier for Order as assigned by broker. Uniqueness must be guaranteed within a single trading day. Firms which accept multi-day orders should consider embedding a date within the OrderID field to assure uniqueness across days. +0 + + +38 +OrderQty +int +Number of shares ordered Valid values: (0 - 1000000000) +0 + + +39 +OrdStatus +char +Identifies current status of order. Valid values: 0 = New 1 = Partially filled 2 = Filled 3 = Done for day 4 = Canceled 5 = Replaced 6 = Pending Cancel/Replace 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired +0 + + +40 +OrdType +char +Order type. Valid values: 1 = Market 2 = Limit 3 = Stop 4 = Stop limit 5 = Market on close 6 = With or without 7 = Limit or better 8 = Limit with or without 9 = On basis A = On close B = Limit on close C = Forex D = Previously quoted E = Previously indicated P = Pegged (requires ExecInst = L, R, M, P or O) +0 + + +41 +OrigClOrdID +char +Original order id as assigned by the institution, used to identify original order in cancel and cancel/replace requests. +0 + + +42 +OrigTime +time +Time of message origination (always expressed in GMT) +0 + + +43 +PossDupFlag +char +Indicates possible retransmission of message with this sequence number Valid values: Y = Possible duplicate N = Original transmission +0 + + +44 +Price +float +Price per share Valid values: 0 - 99999999.9999 +0 + + +45 +RefSeqNum +int +Reference message sequence number Valid values: 0 - 999999 +0 + + +46 +RelatdSym +char +Symbol of issue related to story. Can be repeated within message to identify multiple companies. +0 + + +47 +Rule80A +char +Indicates order type upon which exchange Rule 80A is applied. Valid values: A = Agency single order I = Individual Investor, single order D = Program Order, index arb, for Member firm/org C = Program Order, non-index arb, for Member firm/org J = Program Order, index arb, for individual customer K = Program Order, non-index arb, for individual customer U = Program Order, index arb, for other agency Y = Program Order, non-index arb, for other agency M = Program Order, index arb, for other member N = Program Order, non-index arb, for other member W = All other orders as agent for other member +0 + + +48 +SecurityID +char +CUSIP or other alternate security identifier +0 + + +49 +SenderCompID +char +Assigned value used to identify firm sending message. +0 + + +50 +SenderSubID +char +Assigned value used to identify specific message originator (desk, trader, etc.) +0 + + +51 +SendingDate (not used) +date +Field not presently used. Included here as reference to previous versions. +0 + + +52 +SendingTime +time +Time of message transmission (always expressed in GMT) +0 + + +53 +Shares +int +Number of shares Valid values: 0 - 1000000000 +0 + + +54 +Side +char +Side of order Valid values: 1 = Buy 2 = Sell 3 = Buy minus 4 = Sell plus 5 = Sell short 6 = Sell short exempt +0 + + +55 +Symbol +char +Ticker symbol +0 + + +56 +TargetCompID +char +Assigned value used to identify receiving firm. +0 + + +57 +TargetSubID +char +Assigned value used to identify specific individual or unit intended to receive message. “ADMIN” reserved for administrative messages not intended for a specific user. +0 + + +58 +Text +char +Free format text string +0 + + +59 +TimeInForce +char +Specifies how long the order remains in effect. Absence of this field is interpreted as DAY. Valid values: 0 = Day 1 = Good Till Cancel (GTC) 2 = At the Opening (OPG) 3 = Immediate or Cancel (OC) 4 = Fill or Kill (FOK) 5 = Good Till Crossing (GTX) 6 = Good Till Date +0 + + +60 +TransactTime +time +Time of execution/order creation (expressed in GMT) +0 + + +61 +Urgency +char +Urgency flag Valid values: 0 = Normal 1 = Flash 2 = Background +0 + + +62 +ValidUntilTime +time +Indicates expiration time of indication message (always expressed in GMT) +0 + + +63 +SettlmntTyp +char +Indicates order settlement period. Absence of this field is interpreted as Regular. Regular is defined as the default settlement period for the particular security on the exchange of execution. Valid values: 0 = Regular 1 = Cash 2 = Next Day 3 = T+2 4 = T+3 5 = T+4 6 = Future 7 = When Issued 8 = Sellers Option 9 = T+ 5 +0 + + +64 +FutSettDate +date +Specific date of trade settlement in YYYYMMDD format. Required when SettlmntTyp = 6 (Future) or SettlmntTyp = 8 (Sellers Option). (expressed in local time at place of settlement) +0 + + +65 +SymbolSfx +char +Additional information about the security (e.g. preferred, warrants, etc.). Absence of this field indicates common. Valid values: As defined in the NYSE Stock and bond Symbol Directory and in the AMEX Fitch Directory +0 + + +66 +ListID +char +Customer assigned listUnique identifier for list as assigned by institution, used to associate multiple individual orders. Uniqueness must be guaranteed within a single trading day. Firms which generate multi-day orders should consider embedding a date within the ListID field to assure uniqueness across days. +0 + + +67 +ListSeqNo +int +Sequence of individual order within list (i.e. ListSeqNo of ListNoOrds, 2 of 25, 3 of 25, . . . ) +0 + + +68 +ListNoOrds +int +Total number of orders within list (i.e. ListSeqNo of ListNoOrds, e.g. 2 of 25, 3 of 25, . . . ) +0 + + +69 +ListExecInst +char +Free format text message containing list handling and execution instructions. +0 + + +70 +AllocID +int +Unique identifier for allocation record. +0 + + +71 +AllocTransType +char +Identifies allocation transaction type Valid values: 0 = New 1 = Replace 2 = Cancel +0 + + +72 +RefAllocID +int +Reference identifier to be used with Replace and Cancel AllocTransType records. +0 + + +73 +NoOrders +int +Indicates number of orders to be combined for average pricing and allocation. +0 + + +74 +AvgPrxPrecision +int +Indicates number of decimal places to be used for average pricing. Absence of this field indicates that default precision arranged by the broker/institution is to be used. +0 + + +75 +TradeDate +date +Indicates date of trade referenced in this record in YYYYMMDD format. Absence of this field indicates current day (expressed in local time at place of trade). +0 + + +76 +ExecBroker +char +Identifies executing / give-up broker. Standard NASD market-maker mnemonic is preferred. +0 + + +77 +OpenClose +char +For options only. +0 + + +78 +NoAllocs +int +Number of AllocAccount/AllocShares/ProcessCode instances included in allocation record. +0 + + +79 +AllocAccount +char +Sub-account mnemonic +0 + + +80 +AllocShares +int +Number of shares to be allocated to specific sub-account +0 + + +81 +ProcessCode +char +Processing code for sub-account. Absence of this field in AllocAccount / AllocShares / ProcessCode instance indicates regular trade. Valid values: 0 = regular 1 = soft dollar 2 = step-in 3 = step-out 4 = soft-dollar step-in 5 = soft-dollar step-out 6 = plan sponsor +0 + + +82 +NoRpts +int +Total number of reports within series. +0 + + +83 +RptSeq +int +Sequence number of message within report series. +0 + + +84 +CxlQty +int +Total number of shares canceled for this order. +0 + + +85 +NoDlvyInst +int +Number of delivery instruction fields to follow +0 + + +86 +DlvyInst +char +Free format text field to indicate delivery instructions +0 + + +87 +AllocStatus +int +Identifies status of allocation. Valid values: 0 = accepted (successfully processed) 1 = rejected 2 = partial accept 3 = received (received, not yet processed) +0 + + +88 +AllocRejCode +int +Identifies reason for rejection. Valid values: 0 = unknown account(s) 1 = incorrect quantity 2 = incorrect average price 3 = unknown executing broker mnemonic 4 = commission difference 5 = unknown OrderID 6 = unknown ListID 7 = other +0 + + +89 +Signature +data +Electronic signature +0 + + +90 +SecureDataLen +Length +Length of encrypted message +91 + + +91 +SecureData +data +Actual encrypted data stream +0 + + +92 +BrokerOfCredit +char +Broker to receive trade credit +0 + + +93 +SignatureLength +Length +Number of bytes in signature field. +89 + + +94 +EmailType +char +Email message type. Valid values: 0 = New 1 = Reply 2 = Admin Reply +0 + + +95 +RawDataLength +Length +Number of bytes in raw data field. +96 + + +96 +RawData +data +Unformatted raw data, can include bitmaps, word processor documents, etc. +0 + + +97 +PossResend +char +Indicates that message may contain information that has been sent under another sequence number. +0 + + +98 +EncryptMethod +int +Method of encryption. Valid values: 0 = None / other 1 = PKCS (proprietary) 2 = DES (EBC mode) 3 = PKCS/DES (proprietary) 4 = PGP/DES (defunct) 5 = PGP/DES-MD5 (see app note on FIX home page) 6 = PEM/DES-MD5 (see app note on FIX home page) +0 + + +99 +StopPx +float +Price per share Valid values: 0 - 99999999.9999 +0 + + +100 +ExDestination +char +Execution destination as defined by institution when order is entered. Valid values: See Appendix C plus 0 = none 4 = POSIT +0 + + +102 +CxlRejReason +int +Code to identify reason for cancel rejection. Valid values: 0 = Too late to cancel 1 = Unknown order +0 + + +103 +OrdRejReason +int +Code to identify reason for order rejection. Valid values: 0 = Broker option 1 = Unknown symbol 2 = Exchange closed 3 = Order exceeds limit 4 = Too late to enter +0 + + +104 +IOIQualifier +char +Code to qualify IOI use. Valid values: X = Crossing opportunity O = At the open M = More behind P = Taking a position V = Versus Q = Current quote C = At the close S = Portfolio show-n I = In touch with W = Indication - Working away A = All or none L = Limit T = Through the day +0 + + +105 +WaveNo +char +Identifier to aid in the management of multiple lists derived from a single, master list. +0 + + +106 +Issuer +char +Company name of security issuer (e.g. International Business Machines) + +0 + + +107 +SecurityDesc +char +Security description. + +0 + + +108 +HeartBtInt +int +Heartbeat interval (seconds) + +0 + + +109 +ClientID +char +Firm identifier used in third party-transactions. + +0 + + +110 +MinQty +int +Minimum quantity of an order to be executed. + +0 + + +111 +MaxFloor +int +Maximum number of shares within an order to be shown on the exchange floor at any given time. + +0 + + +112 +TestReqID +char +Identifier included in Test Request message to be returned in resulting Heartbeat +0 + + +113 +ReportToExch +char +Identifies party of trade responsible for exchange reporting. Valid values: Y = Indicates that party receiving message must report trade N = Indicates that party sending message will report trade +0 + + +114 +LocateReqd +char +Indicates whether the broker is to locate the stock in conjuction with a short sell order. + +Valid values: Y = Indicates the broker is responsible for locating the stock N = Indicates the broker is not required to locate +0 + + +115 +OnBehalfOfCompID +char +Assigned value used to identify firm originating message +if the message was delivered by a third party i.e. the third party firm identifier would be delivered in the SenderCompID field and the firm originating the message in this field. +0 + + +116 +OnBehalfOfSubID +char +Assigned value used to identify specific message originator (desk, trader, etc.) if the message was delivered by a third party + +0 + + +117 +QuoteID +char +Unique identifier for quote +0 + + +118 +NetMoney +float +Total amount due as the result of the transaction (e.g. for Buy order - principal + commission + fees) reported in currency of execution. + +0 + + +119 +SettlCurrAmt +float +Total amount due expressed in settlement currency (includes the effect of the forex transaction) + +0 + + +120 +SettlCurrency +char +Currency code of settlement denomination. + +0 + + +121 +ForexReq +char +Indicates request for forex accommodation trade to be executed along with security transaction. Valid values: Y = Execute Forex after security trade N = Do not execute Forex after security trade + +0 + + +122 +OrigSendingTime +time +Original time of message transmission (always expressed in GMT) when transmitting orders as the result of a resend request. +0 + + +123 +GapFillFlag +char +Indicates that the Sequence Reset message is replacing administrative or application messages which will not be resent. Valid values: Y = Gap Fill message, MsgSeqNum field valid N = Sequence Reset, ignore MsgSeqNum +0 + + +124 +NoExecs +int +No of execution record groups to follow. +0 + + +125 +CxlType +char +Defines if cancel is for part or all of the remaining quantity of an order. Valid values: P = partial cancel (reduce quantity) F = full remaining quantity +0 + + +126 +ExpireTime +time +Time/Date of order expiration (always expressed in GMT) +0 + + +127 +DKReason +char +Reason for execution rejection. Valid values: A = Unknown symbol B = Wrong side C = Quantity exceeds order D = No matching order E = Price exceeds limit Z = Other +0 + + +128 +DeliverToCompID +char +Assigned value used to identify the firm targeted to receive the message if the message is delivered by a third party i.e. the third party firm identifier would be delivered in the TargetCompID field and the ultimate receiver firm ID in this field. +0 + + +129 +DeliverToSubID +char +Assigned value used to identify specific message recipient (desk, trader, etc.) if the message is delivered by a third party + +0 + + +130 +IOINaturalFlag +char +Indicates that IOI is the result of an existing agency order or a facilitation position resulting from an agency order, not from principal trading or order solicitation activity. Valid values: Y = Natural N = Not natural +0 + + +131 +QuoteReqID +char +Unique identifier for quote request +0 + + +132 +BidPx +float +Bid price/rate +0 + + +133 +OfferPx +float +Offer price/rate +0 + + +134 +BidSize +int +Quantity of bid +0 + + +135 +OfferSize +int +Quantity of offer +0 + + +136 +NoMiscFees +int +Number of repeating groups of miscellaneous fees +0 + + +137 +MiscFeeAmt +float +Miscellaneous fee value +0 + + +138 +MiscFeeCurr +char +Currency of miscellaneous fee +0 + + +139 +MiscFeeType +char +Indicates type of miscellaneous fee. Valid values: 1 = Regulatory (e.g. SEC) 2 = Tax 3 = Local Commission 4 = Exchange Fees 5 = Stamp 6 = Levy 7 = Other +0 + + +140 +PrevClosePx +float +Previous closing price of security. +0 + + diff --git a/resources/Fields41.js b/resources/Fields41.js new file mode 100644 index 0000000..74b82e1 --- /dev/null +++ b/resources/Fields41.js @@ -0,0 +1,213 @@ +{ +"1":"Account", +"2":"AdvId", +"3":"AdvRefID", +"4":"AdvSide", +"5":"AdvTransType", +"6":"AvgPx", +"7":"BeginSeqNo", +"8":"BeginString", +"9":"BodyLength", +"10":"CheckSum", +"11":"ClOrdID", +"12":"Commission", +"13":"CommType", +"14":"CumQty", +"15":"Currency", +"16":"EndSeqNo", +"17":"ExecID", +"18":"ExecInst", +"19":"ExecRefID", +"20":"ExecTransType", +"21":"HandlInst", +"22":"IDSource", +"23":"IOIid", +"24":"IOIOthSvc", +"25":"IOIQltyInd", +"26":"IOIRefID", +"27":"IOIShares", +"28":"IOITransType", +"29":"LastCapacity", +"30":"LastMkt", +"31":"LastPx", +"32":"LastShares", +"33":"LinesOfText", +"34":"MsgSeqNum", +"35":"MsgType", +"36":"NewSeqNo", +"37":"OrderID", +"38":"OrderQty", +"39":"OrdStatus", +"40":"OrdType", +"41":"OrigClOrdID", +"42":"OrigTime", +"43":"PossDupFlag", +"44":"Price", +"45":"RefSeqNum", +"46":"RelatdSym", +"47":"Rule80A(akaOrderCapacity)", +"48":"SecurityID", +"49":"SenderCompID", +"50":"SenderSubID", +"51":"SendingDate(nolongerused)", +"52":"SendingTime", +"53":"Shares", +"54":"Side", +"55":"Symbol", +"56":"TargetCompID", +"57":"TargetSubID", +"58":"Text", +"59":"TimeInForce", +"60":"TransactTime", +"61":"Urgency", +"62":"ValidUntilTime", +"63":"SettlmntTyp", +"64":"FutSettDate", +"65":"SymbolSfx", +"66":"ListID", +"67":"ListSeqNo", +"68":"ListNoOrds", +"69":"ListExecInst", +"70":"AllocID", +"71":"AllocTransType", +"72":"RefAllocID", +"73":"NoOrders", +"74":"AvgPrxPrecision", +"75":"TradeDate", +"76":"ExecBroker", +"77":"OpenClose", +"78":"NoAllocs", +"79":"AllocAccount", +"80":"AllocShares", +"81":"ProcessCode", +"82":"NoRpts", +"83":"RptSeq", +"84":"CxlQty", +"85":"NoDlvyInst(nolongerused)", +"86":"DlvyInst(nolongerused)", +"87":"AllocStatus", +"88":"AllocRejCode", +"89":"Signature", +"90":"SecureDataLen", +"91":"SecureData", +"92":"BrokerOfCredit", +"93":"SignatureLength", +"94":"EmailType", +"95":"RawDataLength", +"96":"RawData", +"97":"PossResend", +"98":"EncryptMethod", +"99":"StopPx", +"100":"ExDestination", +"101":"(NotDefined)", +"102":"CxlRejReason", +"103":"OrdRejReason", +"104":"IOIQualifier", +"105":"WaveNo", +"106":"Issuer", +"107":"SecurityDesc", +"108":"HeartBtInt", +"109":"ClientID", +"110":"MinQty", +"111":"MaxFloor", +"112":"TestReqID", +"113":"ReportToExch", +"114":"LocateReqd", +"115":"OnBehalfOfCompID", +"116":"OnBehalfOfSubID", +"117":"QuoteID", +"118":"NetMoney", +"119":"SettlCurrAmt", +"120":"SettlCurrency", +"121":"ForexReq", +"122":"OrigSendingTime", +"123":"GapFillFlag", +"124":"NoExecs", +"125":"CxlType(nolongerused)", +"126":"ExpireTime", +"127":"DKReason", +"128":"DeliverToCompID", +"129":"DeliverToSubID", +"130":"IOINaturalFlag", +"131":"QuoteReqID", +"132":"BidPx", +"133":"OfferPx", +"134":"BidSize", +"135":"OfferSize", +"136":"NoMiscFees", +"137":"MiscFeeAmt", +"138":"MiscFeeCurr", +"139":"MiscFeeType", +"140":"PrevClosePx", +"141":"ResetSeqNumFlag", +"142":"SenderLocationID", +"143":"TargetLocationID", +"144":"OnBehalfOfLocationID", +"145":"DeliverToLocationID", +"146":"NoRelatedSym", +"147":"Subject", +"148":"Headline", +"149":"URLLink", +"150":"ExecType", +"151":"LeavesQty", +"152":"CashOrderQty", +"153":"AllocAvgPx", +"154":"AllocNetMoney", +"155":"SettlCurrFxRate", +"156":"SettlCurrFxRateCalc", +"157":"NumDaysInterest", +"158":"AccruedInterestRate", +"159":"AccruedInterestAmt", +"160":"SettlInstMode", +"161":"AllocText", +"162":"SettlInstID", +"163":"SettlInstTransType", +"164":"EmailThreadID", +"165":"SettlInstSource", +"166":"SettlLocation", +"167":"SecurityType", +"168":"EffectiveTime", +"169":"StandInstDbType", +"170":"StandInstDbName", +"171":"StandInstDbID", +"172":"SettlDeliveryType", +"173":"SettlDepositoryCode", +"174":"SettlBrkrCode", +"175":"SettlInstCode", +"176":"SecuritySettlAgentName", +"177":"SecuritySettlAgentCode", +"178":"SecuritySettlAgentAcctNum", +"179":"SecuritySettlAgentAcctName", +"180":"SecuritySettlAgentContactName", +"181":"SecuritySettlAgentContactPhone", +"182":"CashSettlAgentName", +"183":"CashSettlAgentCode", +"184":"CashSettlAgentAcctNum", +"185":"CashSettlAgentAcctName", +"186":"CashSettlAgentContactName", +"187":"CashSettlAgentContactPhone", +"188":"BidSpotRate", +"189":"BidForwardPoints", +"190":"OfferSpotRate", +"191":"OfferForwardPoints", +"192":"OrderQty2", +"193":"FutSettDate2", +"194":"LastSpotRate", +"195":"LastForwardPoints", +"196":"AllocLinkID", +"197":"AllocLinkType", +"198":"SecondaryOrderID", +"199":"NoIOIQualifiers", +"200":"MaturityMonthYear", +"201":"PutOrCall", +"202":"StrikePrice", +"203":"CoveredOrUncovered", +"204":"CustomerOrFirm", +"205":"MaturityDay", +"206":"OptAttribute", +"207":"SecurityExchange", +"208":"NotifyBrokerOfCredit", +"209":"AllocHandlInst", +"210":"MaxShow", +"211":"PegDifference" +} diff --git a/resources/Fields41.xml b/resources/Fields41.xml new file mode 100644 index 0000000..850a402 --- /dev/null +++ b/resources/Fields41.xml @@ -0,0 +1,1497 @@ + + + +1 +Account +char +Account mnemonic as agreed between broker and institution. +0 + + +2 +AdvId +char +Unique identifier of advertisement message. (Prior to FIX 4.1 this field was of type int) +0 + + +3 +AdvRefID +char +Reference identifier used with CANCEL and REPLACE transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +4 +AdvSide +char +Broker's side of advertised trade Valid values: B = Buy S = Sell X = Cross T = Trade +0 + + +5 +AdvTransType +char +Identifies advertisement message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +6 +AvgPx +float +Calculated average price of all fills on this order. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +7 +BeginSeqNo +int +Message sequence number of first record in range to be resent +0 + + +8 +BeginString +char +Identifies beginning of new message and protocol version. ALWAYS FIRST FIELD IN MESSAGE. (Always unencrypted) Valid values: FIX.4.1 +0 + + +9 +BodyLength +int +Message length, in bytes, forward to the CheckSum field. ALWAYS SECOND FIELD IN MESSAGE. (Always unencrypted) Valid values: 0 - 9999 +0 + + +10 +CheckSum +char +Three byte, simple checksum (see Appendix B for description). ALWAYS LAST FIELD IN RECORD; i.e. serves, with the trailing <SOH>, as the end-of-record delimiter. Always defined as three characters. (Always unencrypted) +0 + + +11 +ClOrdID +char +Unique identifier for Order as assigned by institution. Uniqueness must be guaranteed within a single trading day. Firms which electronically submit multi-day orders should consider embedding a date within the ClOrdID field to assure uniqueness across days. +0 + + +12 +Commission +float +Commission. Note if CommType is percentage, Commission of 5% should be represented as .05. +0 + + +13 +CommType +char +Commission type Valid values: 1 = per share 2 = percentage 3 = absolute +0 + + +14 +CumQty +int +Total number of shares filled. Valid values: (0 - 1000000000) +0 + + +15 +Currency +char +Identifies currency used for price. Absence of this field is interpreted as the default for the security. It is recommended that systems provide the currency value whenever possible. See Appendix A for information on obtaining valid values. +0 + + +16 +EndSeqNo +int +Message sequence number of last record in range to be resent. If request is for a single record BeginSeqNo = EndSeqNo. If request is for all messages subsequent to a particular message, EndSeqNo = "999999" +0 + + +17 +ExecID +char +Unique identifier of execution message as assigned by broker (will be 0 (zero) for ExecTransType=3 (Status)). Uniqueness must be guaranteed within a single trading day or the life of a multi-day order. Firms which accept multi-day orders should consider embedding a date within the ExecID field to assure uniqueness across days. (Prior to FIX 4.1 this field was of type int) +0 + + +18 +ExecInst +char +Instructions for order handling on exchange trading floor. If more than one instruction is applicable to an order, this field can contain multiple instructions separated by space. Valid values: 1 = Not held 2 = Work 3 = Go along 4 = Over the day 5 = Held 6 = Participate don't initiate 7 = Strict scale 8 = Try to scale 9 = Stay on bidside 0 = Stay on offerside A = No cross (cross is forbidden) B = OK to cross C = Call first D = Percent of volume “(indicates that the sender does not want to be all of the volume on the floor vs. a specific percentage)” E = Do not increase - DNI F = Do not reduce - DNR G = All or none - AON I = Institutions only L = Last peg (last sale) M = Mid-price peg (midprice of inside quote) N = Non-negotiable O = Opening peg +P = Market peg R = Primary peg (primary market - buy at bid/sell at offer) S = Suspend U = Customer Display Instruction (Rule11Ac1-1/4) V = Netting (for Forex) +0 + + +19 +ExecRefID +char +Reference identifier used with Cancel and Correct transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +20 +ExecTransType +char +Identifies transaction type Valid values: 0 = New 1 = Cancel 2 = Correct 3 = Status +0 + + +21 +HandlInst +char +Instructions for order handling on Broker trading floor Valid values: 1 = Automated execution order, private, no Broker intervention 2 = Automated execution order, public, Broker intervention OK 3 = Manual order, best execution +0 + + +22 +IDSource +char +Identifies class of alternative SecurityID Valid values: 1 = CUSIP 2 = SEDOL 3 = QUIK 4 = ISIN number 5 = RIC code 6 = ISO Currency Code 7 = ISO Country Code 100+ are reserved for private security identifications +0 + + +23 +IOIid +char +Unique identifier of IOI message. (Prior to FIX 4.1 this field was of type int) +0 + + +24 +IOIOthSvc +char +Indicates if, and on which other services, the indication has been advertised. Each character represents an additional service (e.g. if on Bridge and Autex, field = BA, if only on Autex, field = A) Valid values: A = Autex B = Bridge +0 + + +25 +IOIQltyInd +char +Relative quality of indication Valid values: L = Low M = Medium H = High +0 + + +26 +IOIRefID +char +Reference identifier used with CANCEL and REPLACE, transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +27 +IOIShares +char +Number of shares in numeric or relative size. Valid values: 0 - 1000000000 S = Small M = Medium L = Large +0 + + +28 +IOITransType +char +Identifies IOI message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +29 +LastCapacity +char +Broker capacity in order execution Valid values: 1 = Agent 2 = Cross as agent 3 = Cross as principal 4 = Principal +0 + + +30 +LastMkt +char +Market of execution for last fill Valid values: See Appendix C +0 + + +31 +LastPx +float +Price of this (last) fill. Field not required for ExecTransType = 3 (Status) Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +32 +LastShares +int +Quantity of shares bought/sold on this (last) fill. Field not required for ExecTransType = 3 (Status) Valid values: (0 - 1000000000) +0 + + +33 +LinesOfText +int +Identifies number of lines of text body +0 + + +34 +MsgSeqNum +int +Integer message sequence number. Valid values: 0 - 999999 +0 + + +35 +MsgType +char +Defines message type. ALWAYS THIRD FIELD IN MESSAGE. (Always unencrypted) Note: A "U" as the first character in the MsgType field (i.e. U1, U2, etc) indicates that the message format is privately defined between the sender and receiver. Valid values: 0 = Heartbeat 1 = Test Request 2 = Resend Request 3 = Reject 4 = Sequence Reset 5 = Logout 6 = Indication of Interest 7 = Advertisement 8 = Execution Report 9 = Order Cancel Reject A = Logon B = News C = Email D = Order - Single E = Order - List F = Order Cancel Request G= Order Cancel/Replace Request H= Order Status Request J = Allocation K = List Cancel Request L = List Execute M = List Status Request N = List Status P = Allocation ACK Q = Don’t Know Trade (DK) R = Quote Request S = Quote T = Settlement Instructions +0 + + +36 +NewSeqNo +int +New sequence number Valid values: 0 - 999999 +0 + + +37 +OrderID +char +Unique identifier for Order as assigned by broker. Uniqueness must be guaranteed within a single trading day. Firms which accept multi-day orders should consider embedding a date within the OrderID field to assure uniqueness across days. +0 + + +38 +OrderQty +int +Number of shares ordered Valid values: (0 - 1000000000) +0 + + +39 +OrdStatus +char +Identifies current status of order. Valid values: 0 = New 1 = Partially filled 2 = Filled 3 = Done for day 4 = Canceled 5 = Replaced 6 = Pending Cancel/Replace 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired +0 + + +40 +OrdType +char +Order type. Valid values: 1 = Market 2 = Limit 3 = Stop 4 = Stop limit 5 = Market on close 6 = With or without 7 = Limit or better 8 = Limit with or without 9 = On basis A = On close B = Limit on close C =Forex - Market D = Previously quoted E = Previously indicated F = Forex - Limit G = Forex - Swap H = Forex - Previously Quoted P = Pegged (requires ExecInst = L, R, M, P or O) +0 + + +41 +OrigClOrdID +char +ClOrdID of the previous order (NOT the initial order of the day) as assigned by the institution, used to identify the previous order in cancel and cancel/replace requests. +0 + + +42 +OrigTime +time +Time of message origination (always expressed in GMT) +0 + + +43 +PossDupFlag +char +Indicates possible retransmission of message with this sequence number Valid values: Y = Possible duplicate N = Original transmission +0 + + +44 +Price +float +Price per share Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +45 +RefSeqNum +int +Reference message sequence number Valid values: 0 - 999999 +0 + + +46 +RelatdSym +char +Symbol of issue related to story. Can be repeated within message to identify multiple companies. +0 + + +47 +Rule80A(aka OrderCapacity) +char +Note that the name of this field is changing to “OrderCapacity” as Rule80A is a very US market-specific term. Other world markets need to convey similar information, however, often a subset of the US values. . See the “Rule80A (aka OrderCapacity) Usage by Market” appendix for market-specific usage of this field.Valid values: A = Agency single order B = Short exempt transaction (refer to A type) C = Program Order, non-index arb, for Member firm/org D = Program Order, index arb, for Member firm/org E = Registered Equity Market Maker trades F = Short exempt transaction (refer to W type) H = Short exempt transaction (refer to I type) I = Individual Investor, single order J = Program Order, index arb, for individual customer K = Program Order, non-index arb, for individual customer L = Short exempt transaction for member competing market-maker affiliated with the firm clearing the trade (refer to P and O types) M = Program Order, index arb, for other member N = Program Order, non-index arb, for other member O = Competing dealer trades P = Principal R = Competing dealer trades S = Specialist trades T = Competing dealer trades U = Program Order, index arb, for other agency W = All other orders as agent for other member X = Short exempt transaction for member competing market-maker not affiliated with the firm clearing the trade (refer to W and T types) Y = Program Order, non-index arb, for other agency Z = Short exempt transaction for non-member competing market-maker (refer to A and R types) +0 + + +48 +SecurityID +char +CUSIP or other alternate security identifier +0 + + +49 +SenderCompID +char +Assigned value used to identify firm sending message. +0 + + +50 +SenderSubID +char +Assigned value used to identify specific message originator (desk, trader, etc.) +0 + + +51 +SendingDate (no longer used) +date + No longer used. Included here for reference to prior versions. +0 + + +52 +SendingTime +time +Time of message transmission (always expressed in GMT) +0 + + +53 +Shares +int +Number of shares Valid values: 0 - 1000000000 +0 + + +54 +Side +char +Side of order Valid values: 1 = Buy 2 = Sell 3 = Buy minus 4 = Sell plus 5 = Sell short 6 = Sell short exempt 7 = Undisclosed (valid for IOI message only) 8 = Cross (orders where counterparty is an exchange, valid for all messages except IOIs) +0 + + +55 +Symbol +char +Ticker symbol +0 + + +56 +TargetCompID +char +Assigned value used to identify receiving firm. +0 + + +57 +TargetSubID +char +Assigned value used to identify specific individual or unit intended to receive message. “ADMIN” reserved for administrative messages not intended for a specific user. +0 + + +58 +Text +char +Free format text string (Note: this field does not have a specified maximum length) +0 + + +59 +TimeInForce +char +Specifies how long the order remains in effect. Absence of this field is interpreted as DAY. Valid values: 0 = Day 1 = Good Till Cancel (GTC) 2 = At the Opening (OPG) 3 = Immediate or Cancel (OC) 4 = Fill or Kill (FOK) 5 = Good Till Crossing (GTX) 6 = Good Till Date +0 + + +60 +TransactTime +time +Time of execution/order creation (expressed in GMT) +0 + + +61 +Urgency +char +Urgency flag Valid values: 0 = Normal 1 = Flash 2 = Background +0 + + +62 +ValidUntilTime +time +Indicates expiration time of indication message (always expressed in GMT) +0 + + +63 +SettlmntTyp +char +Indicates order settlement period. Absence of this field is interpreted as Regular. Regular is defined as the default settlement period for the particular security on the exchange of execution. Valid values: 0 = Regular 1 = Cash 2 = Next Day 3 = T+2 4 = T+3 5 = T+4 6 = Future 7 = When Issued 8 = Sellers Option 9 = T+ 5 +0 + + +64 +FutSettDate +date +Specific date of trade settlement in YYYYMMDD format. Required when SettlmntTyp = 6 (Future) or SettlmntTyp = 8 (Sellers Option). (expressed in local time at place of settlement) +0 + + +65 +SymbolSfx +char +Additional information about the security (e.g. preferred, warrants, etc.). Absence of this field indicates common. Valid values: As defined in the NYSE Stock and bond Symbol Directory and in the AMEX Fitch Directory +0 + + +66 +ListID +char +Unique identifier for list as assigned by institution, used to associate multiple individual orders. Uniqueness must be guaranteed within a single trading day. Firms which generate multi-day orders should consider embedding a date within the ListID field to assure uniqueness across days. +0 + + +67 +ListSeqNo +int +Sequence of individual order within list (i.e. ListSeqNo of ListNoOrds, 2 of 25, 3 of 25, . . . ) +0 + + +68 +ListNoOrds +int +Total number of orders within list (i.e. ListSeqNo of ListNoOrds, e.g. 2 of 25, 3 of 25, . . . ) +0 + + +69 +ListExecInst +char +Free format text message containing list handling and execution instructions. +0 + + +70 +AllocID +char +Unique identifier for allocation record. (Prior to FIX 4.1 this field was of type int) +0 + + +71 +AllocTransType +char +Identifies allocation transaction type Valid values: 0 = New 1 = Replace 2 = Cancel 3 = Preliminary (without MiscFees and NetMoney) 4 = Calculated (includes MiscFees and NetMoney) +0 + + +72 +RefAllocID +char +Reference identifier to be used with Replace and Cancel AllocTransType records. (Prior to FIX 4.1 this field was of type int) +0 + + +73 +NoOrders +int +Indicates number of orders to be combined for average pricing and allocation. +0 + + +74 +AvgPrxPrecision +int +Indicates number of decimal places to be used for average pricing. Absence of this field indicates that default precision arranged by the broker/institution is to be used. +0 + + +75 +TradeDate +date +Indicates date of trade referenced in this record in YYYYMMDD format. Absence of this field indicates current day (expressed in local time at place of trade). +0 + + +76 +ExecBroker +char +Identifies executing / give-up broker. Standard NASD market-maker mnemonic is preferred. +0 + + +77 +OpenClose +char +For options only. Valid Values: O=Open C=Close +0 + + +78 +NoAllocs +int +Number of AllocAccount/AllocShares/ProcessCode instances included in allocation record. +0 + + +79 +AllocAccount +char +Sub-account mnemonic +0 + + +80 +AllocShares +int +Number of shares to be allocated to specific sub-account Valid values: (0 - 1000000000) +0 + + +81 +ProcessCode +char +Processing code for sub-account. Absence of this field in AllocAccount / AllocShares / ProcessCode instance indicates regular trade. Valid values: 0 = regular 1 = soft dollar 2 = step-in 3 = step-out 4 = soft-dollar step-in 5 = soft-dollar step-out 6 = plan sponsor +0 + + +82 +NoRpts +int +Total number of reports within series. +0 + + +83 +RptSeq +int +Sequence number of message within report series. +0 + + +84 +CxlQty +int +Total number of shares canceled for this order. Valid values: (0 - 1000000000) +0 + + +85 +NoDlvyInst(no longer used) +int +Number of delivery instruction fields to follow No longer used. Included here for reference to prior versions. +0 + + +86 +DlvyInst(no longer used) +char +Free format text field to indicate delivery instructions No longer used. Included here for reference to prior versions. +0 + + +87 +AllocStatus +int +Identifies status of allocation. Valid values: 0 = accepted (successfully processed) 1 = rejected 2 = partial accept 3 = received (received, not yet processed) +0 + + +88 +AllocRejCode +int +Identifies reason for rejection. Valid values: 0 = unknown account(s) 1 = incorrect quantity 2 = incorrect average price 3 = unknown executing broker mnemonic 4 = commission difference 5 = unknown OrderID 6 = unknown ListID 7 = other +0 + + +89 +Signature +data +Electronic signature +0 + + +90 +SecureDataLen +Length +Length of encrypted message +91 + + +91 +SecureData +data +Actual encrypted data stream +0 + + +92 +BrokerOfCredit +char +Broker to receive trade credit +0 + + +93 +SignatureLength +Length +Number of bytes in signature field. +89 + + +94 +EmailType +char +Email message type. Valid values: 0 = New 1 = Reply 2 = Admin Reply +0 + + +95 +RawDataLength +Length +Number of bytes in raw data field. +96 + + +96 +RawData +data +Unformatted raw data, can include bitmaps, word processor documents, etc. +0 + + +97 +PossResend +char +Indicates that message may contain information that has been sent under another sequence number. Valid Values: Y=Possible resend N=Original transmission +0 + + +98 +EncryptMethod +int +Method of encryption. Valid values: 0 = None / other 1 = PKCS (proprietary) 2 = DES (ECB mode) 3 = PKCS/DES (proprietary) 4 = PGP/DES (defunct) 5 = PGP/DES-MD5 (see app note on FIX web site) 6 = PEM/DES-MD5 (see app note on FIX web site) +0 + + +99 +StopPx +float +Price per share Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +100 +ExDestination +char +Execution destination as defined by institution when order is entered. Valid values: See Appendix C +0 + + +101 +(Not Defined) +n/a +This field has not been defined. +0 + + +102 +CxlRejReason +int +Code to identify reason for cancel rejection. Valid values: 0 = Too late to cancel 1 = Unknown order +0 + + +103 +OrdRejReason +int +Code to identify reason for order rejection. Valid values: 0 = Broker option 1 = Unknown symbol 2 = Exchange closed 3 = Order exceeds limit 4 = Too late to enter 5 = Unknown Order 6 = Duplicate Order +0 + + +104 +IOIQualifier +char +Code to qualify IOI use. Valid values: X = Crossing opportunity O = At the open M = More behind P = Taking a position V = Versus Q = At the Market (previously called Current Quote) C = At the close S = Portfolio show-n I = In touch with W = Indication - Working away A = All or none L = Limit T = Through the day Y = At the Midpoint Z = Pre-open +0 + + +105 +WaveNo +char +Identifier to aid in the management of multiple lists derived from a single, master list. +0 + + +106 +Issuer +char +Company name of security issuer (e.g. International Business Machines) + +0 + + +107 +SecurityDesc +char +Security description. + +0 + + +108 +HeartBtInt +int +Heartbeat interval (seconds) + +0 + + +109 +ClientID +char +Firm identifier used in third party-transactions. + +0 + + +110 +MinQty +int +Minimum quantity of an order to be executed. + Valid values: (0 - 1000000000) +0 + + +111 +MaxFloor +int +Maximum number of shares within an order to be shown on the exchange floor at any given time. + +0 + + +112 +TestReqID +char +Identifier included in Test Request message to be returned in resulting Heartbeat +0 + + +113 +ReportToExch +char +Identifies party of trade responsible for exchange reporting. Valid values: Y = Indicates that party receiving message must report trade N = Indicates that party sending message will report trade +0 + + +114 +LocateReqd +char +Indicates whether the broker is to locate the stock in conjunction with a short sell order. + +Valid values: Y = Indicates the broker is responsible for locating the stock N = Indicates the broker is not required to locate +0 + + +115 +OnBehalfOfCompID +char +Assigned value used to identify firm originating message +if the message was delivered by a third party i.e. the third party firm identifier would be delivered in the SenderCompID field and the firm originating the message in this field. +0 + + +116 +OnBehalfOfSubID +char +Assigned value used to identify specific message originator (i.e. trader) if the message was delivered by a third party + +0 + + +117 +QuoteID +char +Unique identifier for quote +0 + + +118 +NetMoney +float +Total amount due as the result of the transaction (e.g. for Buy order - principal + commission + fees) reported in currency of execution. + +0 + + +119 +SettlCurrAmt +float +Total amount due expressed in settlement currency (includes the effect of the forex transaction) + +0 + + +120 +SettlCurrency +char +Currency code of settlement denomination. + +0 + + +121 +ForexReq +char +Indicates request for forex accommodation trade to be executed along with security transaction. Valid values: Y = Execute Forex after security trade N = Do not execute Forex after security trade + +0 + + +122 +OrigSendingTime +time +Original time of message transmission (always expressed in GMT) when transmitting orders as the result of a resend request. +0 + + +123 +GapFillFlag +char +Indicates that the Sequence Reset message is replacing administrative or application messages which will not be resent. Valid values: Y = Gap Fill message, MsgSeqNum field valid N = Sequence Reset, ignore MsgSeqNum +0 + + +124 +NoExecs +int +No of execution record groups to follow. +0 + + +125 + CxlType(no longer used) + char +No longer used. Included here for reference to prior versions. +0 + + +126 +ExpireTime +time +Time/Date of order expiration (always expressed in GMT) +0 + + +127 +DKReason +char +Reason for execution rejection. Valid values: A = Unknown symbol B = Wrong side C = Quantity exceeds order D = No matching order E = Price exceeds limit Z = Other +0 + + +128 +DeliverToCompID +char +Assigned value used to identify the firm targeted to receive the message if the message is delivered by a third party i.e. the third party firm identifier would be delivered in the TargetCompID field and the ultimate receiver firm ID in this field. +0 + + +129 +DeliverToSubID +char +Assigned value used to identify specific message recipient (i.e. trader) if the message is delivered by a third party + +0 + + +130 +IOINaturalFlag +char +Indicates that IOI is the result of an existing agency order or a facilitation position resulting from an agency order, not from principal trading or order solicitation activity. Valid values: Y = Natural N = Not natural +0 + + +131 +QuoteReqID +char +Unique identifier for quote request +0 + + +132 +BidPx +float +Bid price/rate Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +133 +OfferPx +float +Offer price/rate Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +134 +BidSize +int +Quantity of bid Valid values: (0 - 1000000000) +0 + + +135 +OfferSize +int +Quantity of offer Valid values: (0 - 1000000000) +0 + + +136 +NoMiscFees +int +Number of repeating groups of miscellaneous fees +0 + + +137 +MiscFeeAmt +float +Miscellaneous fee value +0 + + +138 +MiscFeeCurr +char +Currency of miscellaneous fee +0 + + +139 +MiscFeeType +char +Indicates type of miscellaneous fee. Valid values: 1 = Regulatory (e.g. SEC) 2 = Tax 3 = Local Commission 4 = Exchange Fees 5 = Stamp 6 = Levy 7 = Other 8 = Markup +0 + + +140 +PrevClosePx +float +Previous closing price of security. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +141 +ResetSeqNumFlag +char +Indicates that the both sides of the FIX session should reset sequence numbers. Valid values: Y = Yes, reset sequence numbers N = No +0 + + +142 +SenderLocationID +char +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) + +0 + + +143 +TargetLocationID +char +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) +0 + + +144 +OnBehalfOfLocationID +char +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party +0 + + +145 +DeliverToLocationID +char +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party +0 + + +146 +NoRelatedSym +int +Specifies the number of repeating symbols specified. +0 + + +147 +Subject +char +The subject of an Email message +0 + + +148 +Headline +char +The headline of a News message +0 + + +149 +URLLink +char +A URL (Uniform Resource Locator) link to additional information (i.e. http://www.XYZ.com/research.html) +0 + + +150 +ExecType +char +Describes the specific ExecutionRpt (i.e. Pending Cancel) while OrdStatus will always identify the current order status (i.e. Partially Filled) Valid values: 0 = New 1 = Partial fill 2 = Fill 3 = Done for day 4 = Cancelled 5 = Replace 6 = Pending Cancel/Replace 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired +0 + + +151 +LeavesQty +int +Amount of shares open for further execution. If the OrdStatus is Canceled, DoneForTheDay, Expired, Calculated, or Rejected (in which case the order is no longer active) then LeavesQty could be 0, otherwise LeavesQty = OrderQty - CumQty. Valid values: (0 - 1000000000) +0 + + +152 +CashOrderQty +float +Specifies the approximate order quantity desired in total monetary units vs. as a number of shares. The broker would be responsible for converting and calculating a share quantity (OrderQty) based upon this amount to be used for the actual order and subsequent messages. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +153 +AllocAvgPx +float +AvgPx for a specific AllocAccount Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +154 +AllocNetMoney +float +NetMoney for a specific AllocAccount +0 + + +155 +SettlCurrFxRate +float +Foreign exchange rate used to compute SettlCurrAmount from Currency to SettlCurrency +0 + + +156 +SettlCurrFxRateCalc +char +Specifies whether or not SettlCurrFxRate should be multiplied or divided. M=Multiply D=Divide +0 + + +157 +NumDaysInterest +int +Number of Days of Interest for convertible bonds and fixed income +0 + + +158 +AccruedInterestRate +float +Accrued Interest Rate for convertible bonds and fixed income +0 + + +159 +AccruedInterestAmt +float +Amount of Accrued Interest for convertible bonds and fixed income +0 + + +160 +SettlInstMode +char +Indicates mode used for Settlement Instructions Valid values: 0 = Default 1 = Standing Instructions Provided 2 = Specific Allocation Account Overriding 3 = Specific Allocation Account Standing +0 + + +161 +AllocText +char +Free format text related to a specific AllocAccount. +0 + + +162 +SettlInstID +char +Unique identifier for Settlement Instructions record. +0 + + +163 +SettlInstTransType +char +Settlement Instructions message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +164 +EmailThreadID +char +Unique identifier for an email thread (new and chain of replies) +0 + + +165 +SettlInstSource +char +Indicates source of Settlement Instructions Valid values: 1 = Broker’s Instructions 2 = Institution’s Instructions +0 + + +166 +SettlLocation +char +Identifies Settlement Depository or Country Code (ISITC spec) Valid values: CED = CEDEL DTC = Depository Trust Company EUR = Euroclear FED = Federal Book Entry PNY= Physical PTC = Participant Trust Company ISO Country Code = Local Market Settle Location +0 + + +167 +SecurityType +char +Indicates type of security (ISITC spec) Valid values: BA = Bankers Acceptance CD = Certificate Of Deposit CMO = Collateralize Mortgage Obligation CORP = Corporate Bond CP = Commercial Paper CPP = Corporate Private Placement CS = Common Stock FHA = Federal Housing Authority FHL = Federal Home Loan FN = Federal National Mortgage Association FOR = Foreign Exchange Contract FUT = Future GN = Government National Mortgage Association GOVT = Treasuries + Agency Debenture IET Mortgage IOETTE MF = Mutual Fund MIO = Mortgage Interest Only MPO = Mortgage Principle Only MPP = Mortgage Private Placement MPT = Miscellaneous Pass-Thru MUNI = Municipal Bond NONE = No ISITC Security Type OPT = Option PS = Preferred Stock RP = Repurchase Agreement RVRP = Reverse Repurchase Agreement SL = Student Loan Marketing Association TD = Time Deposit USTB = US Treasury Bill WAR = Warrant ZOO = Cats, Tigers & Lions (a real code: US Treasury Receipts) +0 + + +168 +EffectiveTime +time +Time the details within the message should take effect (always expressed in GMT) +0 + + +169 +StandInstDbType +int +Identifies the Standing Instruction database used Valid values: 0 = Other 1 = DTC SID 2 = Thomson ALERT 3 = A Global Custodian (StandInstDbName must be provided) +0 + + +170 +StandInstDbName +char +Name of the Standing Instruction database represented with StandInstDbType (i.e. the Global Custodian’s name). +0 + + +171 +StandInstDbID +char +Unique identifier used on the Standing Instructions database for the Standing Instructions to be referenced. +0 + + +172 +SettlDeliveryType +int +Identifies type of settlement 0 = “Versus. Payment”: Deliver (if Sell) or Receive (if Buy) vs. (Against) Payment 1 = “Free”: Deliver (if Sell) or Receive (if Buy) Free +0 + + +173 +SettlDepositoryCode +char +Broker’s account code at the depository (i.e. CEDEL ID for CEDEL, FINS for DTC, or Euroclear ID for Euroclear) if SettlLocation is a depository +0 + + +174 +SettlBrkrCode +char +BIC (Bank Identification Code—Swift managed) code of the broker involved (i.e. for multi-company brokerage firms) +0 + + +175 +SettlInstCode +char +BIC (Bank Identification Code—Swift managed) code of the institution involved (i.e. for multi-company institution firms) +0 + + +176 +SecuritySettlAgentName +char +Name of SettlInstSource's local agent bank if SettlLocation is not a depository +0 + + +177 +SecuritySettlAgentCode +char +BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlLocation is not a depository +0 + + +178 +SecuritySettlAgentAcctNum +char +SettlInstSource's account number at local agent bank if SettlLocation is not a depository +0 + + +179 +SecuritySettlAgentAcctName +char +Name of SettlInstSource's account at local agent bank if SettlLocation is not a depository +0 + + +180 +SecuritySettlAgentContactName +char +Name of contact at local agent bank for SettlInstSource's account if SettlLocation is not a depository +0 + + +181 +SecuritySettlAgentContactPhone +char +Phone number for contact at local agent bank if SettlLocation is not a depository +0 + + +182 +CashSettlAgentName +char +Name of SettlInstSource's local agent bank if SettlDeliveryType=Free +0 + + +183 +CashSettlAgentCode +char +BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlDeliveryType=Free +0 + + +184 +CashSettlAgentAcctNum +char +SettlInstSource's account number at local agent bank if SettlDeliveryType=Free +0 + + +185 +CashSettlAgentAcctName +char +Name of SettlInstSource's account at local agent bank if SettlDeliveryType=Free +0 + + +186 +CashSettlAgentContactName +char +Name of contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free +0 + + +187 +CashSettlAgentContactPhone +char +Phone number for contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free +0 + + +188 +BidSpotRate +float +Bid F/X spot rate. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +189 +BidForwardPoints +float +Bid F/X forward points added to spot rate. May be a negative value. +0 + + +190 +OfferSpotRate +float +Offer F/X spot rate. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +191 +OfferForwardPoints +float +Offer F/X forward points added to spot rate. May be a negative value. +0 + + +192 +OrderQty2 +float +OrderQty of the future part of a F/X swap order. Valid values: (0 - 1000000000) +0 + + +193 +FutSettDate2 +date +FutSettDate of the future part of a F/X swap order. +0 + + +194 +LastSpotRate +float +F/X spot rate. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +195 +LastForwardPoints +float +F/X forward points added to LastSpotRate. May be a negative value. +0 + + +196 +AllocLinkID +char +Can be used to link two different Allocation messages (each with unique AllocID) together, i.e. for F/X “Netting” or “Swaps”. Should be unique. +0 + + +197 +AllocLinkType +int +Identifies the type of Allocation linkage when AllocLinkID is used. Valid values: 0 = F/X Netting 1 = F/X Swap +0 + + +198 +SecondaryOrderID +char +Assigned by the party which accepts the order. Can be used to provide the OrderID used by an exchange or executing system. +0 + + +199 +NoIOIQualifiers +int +Number of repeating groups of IOIQualifiers. +0 + + +200 +MaturityMonthYear +month-year +Month and Year of the maturity for SecurityType=FUT or SecurityType=OPT. Format: YYYYMM (i.e. 199903) +0 + + +201 +PutOrCall +int +Indicates whether an Option is for a put or call. Valid values: 0 = Put 1 = Call +0 + + +202 +StrikePrice +float +Strike Price for an Option. Valid values: 0 - 99999999.9999 (number of decimal places may vary and not limited to four) +0 + + +203 +CoveredOrUncovered +int +Used for options Valid values: 0 = Covered 1 = Uncovered +0 + + +204 +CustomerOrFirm +int +Used for options when delivering the order to an execution system/exchange to specify if the order is for a customer or the firm placing the order itself. Valid values: 0 = Customer 1 = Firm +0 + + +205 +MaturityDay +day-of-month +Day of month used in conjunction with MaturityMonthYear to specify the maturity date for SecurityType=FUT or SecurityType=OPT. Valid values: 1-31 +0 + + +206 +OptAttribute +char +Can be used for SecurityType=OPT to identify a particular security. Valid values vary by SecurityExchange: For Exchange: MONEP (Paris) L = Long (a.k.a. “American”) S = Short (a.k.a. “European”) For Exchanges: DTB (Frankfurt), HKSE (Hong Kong), and SOFFEX (Zurich) 0-9 = single digit “version” number assigned by exchange following capital adjustments (0=current, 1=prior, 2=prior to 1, etc). +0 + + +207 +SecurityExchange +char +Market used to help identify a security. Valid values: See Appendix C +0 + + +208 +NotifyBrokerOfCredit +char +Indicates whether or not details should be communicated to BrokerOfCredit (i.e. step-in broker). Valid values: Y = Details should be communicated N = Details should not be communicated +0 + + +209 +AllocHandlInst +int +Indicates how the receiver (i.e. third party) of Allocation message should handle/process the account details. Valid values: 1 = Match 2 = Forward 3 = Forward and Match +0 + + +210 +MaxShow +int +Maximum number of shares within an order to be shown to other customers (i.e. sent via an IOI). +0 + + +211 +PegDifference +float +Price difference for a pegged order. +0 + + diff --git a/resources/Fields42.js b/resources/Fields42.js new file mode 100644 index 0000000..a3a36dd --- /dev/null +++ b/resources/Fields42.js @@ -0,0 +1,448 @@ +{ +"1":"Account", +"2":"AdvId", +"3":"AdvRefID", +"4":"AdvSide", +"5":"AdvTransType", +"6":"AvgPx", +"7":"BeginSeqNo", +"8":"BeginString", +"9":"BodyLength", +"10":"CheckSum", +"11":"ClOrdID", +"12":"Commission", +"13":"CommType", +"14":"CumQty", +"15":"Currency", +"16":"EndSeqNo", +"17":"ExecID", +"18":"ExecInst", +"19":"ExecRefID", +"20":"ExecTransType", +"21":"HandlInst", +"22":"IDSource", +"23":"IOIid", +"24":"IOIOthSvc(nolongerused)", +"25":"IOIQltyInd", +"26":"IOIRefID", +"27":"IOIShares", +"28":"IOITransType", +"29":"LastCapacity", +"30":"LastMkt", +"31":"LastPx", +"32":"LastShares", +"33":"LinesOfText", +"34":"MsgSeqNum", +"35":"MsgType", +"36":"NewSeqNo", +"37":"OrderID", +"38":"OrderQty", +"39":"OrdStatus", +"40":"OrdType", +"41":"OrigClOrdID", +"42":"OrigTime", +"43":"PossDupFlag", +"44":"Price", +"45":"RefSeqNum", +"46":"RelatdSym", +"47":"Rule80A(akaOrderCapacity)", +"48":"SecurityID", +"49":"SenderCompID", +"50":"SenderSubID", +"51":"SendingDate(nolongerused)", +"52":"SendingTime", +"53":"Shares", +"54":"Side", +"55":"Symbol", +"56":"TargetCompID", +"57":"TargetSubID", +"58":"Text", +"59":"TimeInForce", +"60":"TransactTime", +"61":"Urgency", +"62":"ValidUntilTime", +"63":"SettlmntTyp", +"64":"FutSettDate", +"65":"SymbolSfx", +"66":"ListID", +"67":"ListSeqNo", +"68":"TotNoOrders(formerlynamed:ListNoOrds)", +"69":"ListExecInst", +"70":"AllocID", +"71":"AllocTransType", +"72":"RefAllocID", +"73":"NoOrders", +"74":"AvgPrxPrecision", +"75":"TradeDate", +"76":"ExecBroker", +"77":"OpenClose", +"78":"NoAllocs", +"79":"AllocAccount", +"80":"AllocShares", +"81":"ProcessCode", +"82":"NoRpts", +"83":"RptSeq", +"84":"CxlQty", +"85":"NoDlvyInst(nolongerused)", +"86":"DlvyInst(nolongerused)", +"87":"AllocStatus", +"88":"AllocRejCode", +"89":"Signature", +"90":"SecureDataLen", +"91":"SecureData", +"92":"BrokerOfCredit", +"93":"SignatureLength", +"94":"EmailType", +"95":"RawDataLength", +"96":"RawData", +"97":"PossResend", +"98":"EncryptMethod", +"99":"StopPx", +"100":"ExDestination", +"101":"(NotDefined)", +"102":"CxlRejReason", +"103":"OrdRejReason", +"104":"IOIQualifier", +"105":"WaveNo", +"106":"Issuer", +"107":"SecurityDesc", +"108":"HeartBtInt", +"109":"ClientID", +"110":"MinQty", +"111":"MaxFloor", +"112":"TestReqID", +"113":"ReportToExch", +"114":"LocateReqd", +"115":"OnBehalfOfCompID", +"116":"OnBehalfOfSubID", +"117":"QuoteID", +"118":"NetMoney", +"119":"SettlCurrAmt", +"120":"SettlCurrency", +"121":"ForexReq", +"122":"OrigSendingTime", +"123":"GapFillFlag", +"124":"NoExecs", +"125":"CxlType(nolongerused)", +"126":"ExpireTime", +"127":"DKReason", +"128":"DeliverToCompID", +"129":"DeliverToSubID", +"130":"IOINaturalFlag", +"131":"QuoteReqID", +"132":"BidPx", +"133":"OfferPx", +"134":"BidSize", +"135":"OfferSize", +"136":"NoMiscFees", +"137":"MiscFeeAmt", +"138":"MiscFeeCurr", +"139":"MiscFeeType", +"140":"PrevClosePx", +"141":"ResetSeqNumFlag", +"142":"SenderLocationID", +"143":"TargetLocationID", +"144":"OnBehalfOfLocationID", +"145":"DeliverToLocationID", +"146":"NoRelatedSym", +"147":"Subject", +"148":"Headline", +"149":"URLLink", +"150":"ExecType", +"151":"LeavesQty", +"152":"CashOrderQty", +"153":"AllocAvgPx", +"154":"AllocNetMoney", +"155":"SettlCurrFxRate", +"156":"SettlCurrFxRateCalc", +"157":"NumDaysInterest", +"158":"AccruedInterestRate", +"159":"AccruedInterestAmt", +"160":"SettlInstMode", +"161":"AllocText", +"162":"SettlInstID", +"163":"SettlInstTransType", +"164":"EmailThreadID", +"165":"SettlInstSource", +"166":"SettlLocation", +"167":"SecurityType", +"168":"EffectiveTime", +"169":"StandInstDbType", +"170":"StandInstDbName", +"171":"StandInstDbID", +"172":"SettlDeliveryType", +"173":"SettlDepositoryCode", +"174":"SettlBrkrCode", +"175":"SettlInstCode", +"176":"SecuritySettlAgentName", +"177":"SecuritySettlAgentCode", +"178":"SecuritySettlAgentAcctNum", +"179":"SecuritySettlAgentAcctName", +"180":"SecuritySettlAgentContactName", +"181":"SecuritySettlAgentContactPhone", +"182":"CashSettlAgentName", +"183":"CashSettlAgentCode", +"184":"CashSettlAgentAcctNum", +"185":"CashSettlAgentAcctName", +"186":"CashSettlAgentContactName", +"187":"CashSettlAgentContactPhone", +"188":"BidSpotRate", +"189":"BidForwardPoints", +"190":"OfferSpotRate", +"191":"OfferForwardPoints", +"192":"OrderQty2", +"193":"FutSettDate2", +"194":"LastSpotRate", +"195":"LastForwardPoints", +"196":"AllocLinkID", +"197":"AllocLinkType", +"198":"SecondaryOrderID", +"199":"NoIOIQualifiers", +"200":"MaturityMonthYear", +"201":"PutOrCall", +"202":"StrikePrice", +"203":"CoveredOrUncovered", +"204":"CustomerOrFirm", +"205":"MaturityDay", +"206":"OptAttribute", +"207":"SecurityExchange", +"208":"NotifyBrokerOfCredit", +"209":"AllocHandlInst", +"210":"MaxShow", +"211":"PegDifference", +"212":"XmlDataLen", +"213":"XmlData", +"214":"SettlInstRefID", +"215":"NoRoutingIDs", +"216":"RoutingType", +"217":"RoutingID", +"218":"SpreadToBenchmark", +"219":"Benchmark", +"220":"Reserved/AllocatedtotheFixedIncomeproposal", +"221":"Reserved/AllocatedtotheFixedIncomeproposal", +"222":"Reserved/AllocatedtotheFixedIncomeproposal", +"223":"CouponRate", +"224":"Reserved/AllocatedtotheFixedIncomeproposal", +"225":"Reserved/AllocatedtotheFixedIncomeproposal", +"226":"Reserved/AllocatedtotheFixedIncomeproposal", +"227":"Reserved/AllocatedtotheFixedIncomeproposal", +"228":"Reserved/AllocatedtotheFixedIncomeproposal", +"229":"Reserved/AllocatedtotheFixedIncomeproposal", +"230":"Reserved/AllocatedtotheFixedIncomeproposal", +"231":"ContractMultiplier", +"232":"Reserved/AllocatedtotheFixedIncomeproposal", +"233":"Reserved/AllocatedtotheFixedIncomeproposal", +"234":"Reserved/AllocatedtotheFixedIncomeproposal", +"235":"Reserved/AllocatedtotheFixedIncomeproposal", +"236":"Reserved/AllocatedtotheFixedIncomeproposal", +"237":"Reserved/AllocatedtotheFixedIncomeproposal", +"238":"Reserved/AllocatedtotheFixedIncomeproposal", +"239":"Reserved/AllocatedtotheFixedIncomeproposal", +"240":"Reserved/AllocatedtotheFixedIncomeproposal", +"241":"Reserved/AllocatedtotheFixedIncomeproposal", +"242":"Reserved/AllocatedtotheFixedIncomeproposal", +"243":"Reserved/AllocatedtotheFixedIncomeproposal", +"244":"Reserved/AllocatedtotheFixedIncomeproposal", +"245":"Reserved/AllocatedtotheFixedIncomeproposal", +"246":"Reserved/AllocatedtotheFixedIncomeproposal", +"247":"Reserved/AllocatedtotheFixedIncomeproposal", +"248":"Reserved/AllocatedtotheFixedIncomeproposal", +"249":"Reserved/AllocatedtotheFixedIncomeproposal", +"250":"Reserved/AllocatedtotheFixedIncomeproposal", +"251":"Reserved/AllocatedtotheFixedIncomeproposal", +"252":"Reserved/AllocatedtotheFixedIncomeproposal", +"253":"Reserved/AllocatedtotheFixedIncomeproposal", +"254":"Reserved/AllocatedtotheFixedIncomeproposal", +"255":"Reserved/AllocatedtotheFixedIncomeproposal", +"256":"Reserved/AllocatedtotheFixedIncomeproposal", +"257":"Reserved/AllocatedtotheFixedIncomeproposal", +"258":"Reserved/AllocatedtotheFixedIncomeproposal", +"259":"Reserved/AllocatedtotheFixedIncomeproposal", +"260":"Reserved/AllocatedtotheFixedIncomeproposal", +"261":"Reserved/AllocatedtotheFixedIncomeproposal", +"262":"MDReqID", +"263":"SubscriptionRequestType", +"264":"MarketDepth", +"265":"MDUpdateType", +"266":"AggregatedBook", +"267":"NoMDEntryTypes", +"268":"NoMDEntries", +"269":"MDEntryType", +"270":"MDEntryPx", +"271":"MDEntrySize", +"272":"MDEntryDate", +"273":"MDEntryTime", +"274":"TickDirection", +"275":"MDMkt", +"276":"QuoteCondition", +"277":"TradeCondition", +"278":"MDEntryID", +"279":"MDUpdateAction", +"280":"MDEntryRefID", +"281":"MDReqRejReason", +"282":"MDEntryOriginator", +"283":"LocationID", +"284":"DeskID", +"285":"DeleteReason", +"286":"OpenCloseSettleFlag", +"287":"SellerDays", +"288":"MDEntryBuyer", +"289":"MDEntrySeller", +"290":"MDEntryPositionNo", +"291":"FinancialStatus", +"292":"CorporateAction", +"293":"DefBidSize", +"294":"DefOfferSize", +"295":"NoQuoteEntries", +"296":"NoQuoteSets", +"297":"QuoteAckStatus", +"298":"QuoteCancelType", +"299":"QuoteEntryID", +"300":"QuoteRejectReason", +"301":"QuoteResponseLevel", +"302":"QuoteSetID", +"303":"QuoteRequestType", +"304":"TotQuoteEntries", +"305":"UnderlyingIDSource", +"306":"UnderlyingIssuer", +"307":"UnderlyingSecurityDesc", +"308":"UnderlyingSecurityExchange", +"309":"UnderlyingSecurityID", +"310":"UnderlyingSecurityType", +"311":"UnderlyingSymbol", +"312":"UnderlyingSymbolSfx", +"313":"UnderlyingMaturityMonthYear", +"314":"UnderlyingMaturityDay", +"315":"UnderlyingPutOrCall", +"316":"UnderlyingStrikePrice", +"317":"UnderlyingOptAttribute", +"318":"UnderlyingCurrency", +"319":"RatioQty", +"320":"SecurityReqID", +"321":"SecurityRequestType", +"322":"SecurityResponseID", +"323":"SecurityResponseType", +"324":"SecurityStatusReqID", +"325":"UnsolicitedIndicator", +"326":"SecurityTradingStatus", +"327":"HaltReason", +"328":"InViewOfCommon", +"329":"DueToRelated", +"330":"BuyVolume", +"331":"SellVolume", +"332":"HighPx", +"333":"LowPx", +"334":"Adjustment", +"335":"TradSesReqID", +"336":"TradingSessionID", +"337":"ContraTrader", +"338":"TradSesMethod", +"339":"TradSesMode", +"340":"TradSesStatus", +"341":"TradSesStartTime", +"342":"TradSesOpenTime", +"343":"TradSesPreCloseTime", +"344":"TradSesCloseTime", +"345":"TradSesEndTime", +"346":"NumberOfOrders", +"347":"MessageEncoding", +"348":"EncodedIssuerLen", +"349":"EncodedIssuer", +"350":"EncodedSecurityDescLen", +"351":"EncodedSecurityDesc", +"352":"EncodedListExecInstLen", +"353":"EncodedListExecInst", +"354":"EncodedTextLen", +"355":"EncodedText", +"356":"EncodedSubjectLen", +"357":"EncodedSubject", +"358":"EncodedHeadlineLen", +"359":"EncodedHeadline", +"360":"EncodedAllocTextLen", +"361":"EncodedAllocText", +"362":"EncodedUnderlyingIssuerLen", +"363":"EncodedUnderlyingIssuer", +"364":"EncodedUnderlyingSecurityDescLen", +"365":"EncodedUnderlyingSecurityDesc", +"366":"AllocPrice", +"367":"QuoteSetValidUntilTime", +"368":"QuoteEntryRejectReason", +"369":"LastMsgSeqNumProcessed", +"370":"OnBehalfOfSendingTime", +"371":"RefTagID", +"372":"RefMsgType", +"373":"SessionRejectReason", +"374":"BidRequestTransType", +"375":"ContraBroker", +"376":"ComplianceID", +"377":"SolicitedFlag", +"378":"ExecRestatementReason", +"379":"BusinessRejectRefID", +"380":"BusinessRejectReason", +"381":"GrossTradeAmt", +"382":"NoContraBrokers", +"383":"MaxMessageSize", +"384":"NoMsgTypes", +"385":"MsgDirection", +"386":"NoTradingSessions", +"387":"TotalVolumeTraded", +"388":"DiscretionInst", +"389":"DiscretionOffset", +"390":"BidID", +"391":"ClientBidID", +"392":"ListName", +"393":"TotalNumSecurities", +"394":"BidType", +"395":"NumTickets", +"396":"SideValue1", +"397":"SideValue2", +"398":"NoBidDescriptors", +"399":"BidDescriptorType", +"400":"BidDescriptor", +"401":"SideValueInd", +"402":"LiquidityPctLow", +"403":"LiquidityPctHigh", +"404":"LiquidityValue", +"405":"EFPTrackingError", +"406":"FairValue", +"407":"OutsideIndexPct", +"408":"ValueOfFutures", +"409":"LiquidityIndType", +"410":"WtAverageLiquidity", +"411":"ExchangeForPhysical", +"412":"OutMainCntryUIndex", +"413":"CrossPercent", +"414":"ProgRptReqs", +"415":"ProgPeriodInterval", +"416":"IncTaxInd", +"417":"NumBidders", +"418":"TradeType", +"419":"BasisPxType", +"420":"NoBidComponents", +"421":"Country", +"422":"TotNoStrikes", +"423":"PriceType", +"424":"DayOrderQty", +"425":"DayCumQty", +"426":"DayAvgPx", +"427":"GTBookingInst", +"428":"NoStrikes", +"429":"ListStatusType", +"430":"NetGrossInd", +"431":"ListOrderStatus", +"432":"ExpireDate", +"433":"ListExecInstType", +"434":"CxlRejResponseTo", +"435":"UnderlyingCouponRate", +"436":"UnderlyingContractMultiplier", +"437":"ContraTradeQty", +"438":"ContraTradeTime", +"439":"ClearingFirm", +"440":"ClearingAccount", +"441":"LiquidityNumSecurities", +"442":"MultiLegReportingType", +"443":"StrikeTime", +"444":"ListStatusText", +"445":"EncodedListStatusTextLen", +"446":"EncodedListStatusText" +} diff --git a/resources/Fields42.xml b/resources/Fields42.xml new file mode 100644 index 0000000..020f6bd --- /dev/null +++ b/resources/Fields42.xml @@ -0,0 +1,3130 @@ + + + +1 +Account +String +Account mnemonic as agreed between broker and institution. +0 + + +2 +AdvId +String +Unique identifier of advertisement message. (Prior to FIX 4.1 this field was of type int) +0 + + +3 +AdvRefID +String +Reference identifier used with CANCEL and REPLACE transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +4 +AdvSide +Char +Broker's side of advertised trade Valid values: B = Buy S = Sell X = Cross T = Trade +0 + + +5 +AdvTransType +String +Identifies advertisement message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +6 +AvgPx +Price +Calculated average price of all fills on this order. +0 + + +7 +BeginSeqNo +int +Message sequence number of first message in range to be resent +0 + + +8 +BeginString +String +Identifies beginning of new message and protocol version. ALWAYS FIRST FIELD IN MESSAGE. (Always unencrypted) Valid values: FIX.4.2 +0 + + +9 +BodyLength +int +Message length, in bytes, forward to the CheckSum field. ALWAYS SECOND FIELD IN MESSAGE. (Always unencrypted) +0 + + +10 +CheckSum +String +Three byte, simple checksum (see Appendix B: CheckSum Calculation for description). ALWAYS LAST FIELD IN MESSAGE; i.e. serves, with the trailing <SOH>, as the end-of-message delimiter. Always defined as three characters. (Always unencrypted) +0 + + +11 +ClOrdID +String +Unique identifier for Order as assigned by institution (identified by SenderCompID or OnBehalfOfCompID as appropriate). Uniqueness must be guaranteed within a single trading day. Firms, particularly those which electronically submit multi-day orders, trade globally or throughout market close periods,should ensure uniqueness across days, for example by embedding a date within the ClOrdID field. +0 + + +12 +Commission +Amt +Commission. Note if CommType is percentage, Commission of 5% should be represented as .05. +0 + + +13 +CommType +char +Commission type Valid values: 1 = per share 2 = percentage 3 = absolute +0 + + +14 +CumQty +Qty +Total number of shares filled. (Prior to FIX 4.2 this field was of type int) +0 + + +15 +Currency +Currency +Identifies currency used for price. Absence of this field is interpreted as the default for the security. It is recommended that systems provide the currency value whenever possible. See Appendix A: Valid Currency Codes for information on obtaining valid values. +0 + + +16 +EndSeqNo +int +Message sequence number of last message in range to be resent. If request is for a single message BeginSeqNo = EndSeqNo. If request is for all messages subsequent to a particular message, EndSeqNo = “0” (representing infinity). +0 + + +17 +ExecID +String +Unique identifier of execution message as assigned by broker (will be 0 (zero) for ExecTransType=3 (Status)). Uniqueness must be guaranteed within a single trading day or the life of a multi-day order. Firms which accept multi-day orders should consider embedding a date within the ExecID field to assure uniqueness across days. (Prior to FIX 4.1 this field was of type int) +0 + + +18 +ExecInst +MultipleValueString +Instructions for order handling on exchange trading floor. If more than one instruction is applicable to an order, this field can contain multiple instructions separated by space. Valid values: 1 = Not held 2 = Work 3 = Go along 4 = Over the day 5 = Held 6 = Participate don't initiate 7 = Strict scale 8 = Try to scale 9 = Stay on bidside 0 = Stay on offerside A = No cross (cross is forbidden) B = OK to cross C = Call first D = Percent of volume “(indicates that the sender does not want to be all of the volume on the floor vs. a specific percentage)” E = Do not increase - DNI F = Do not reduce - DNR G = All or none - AON I = Institutions only L = Last peg (last sale) M = Mid-price peg (midprice of inside quote) N = Non-negotiable O = Opening peg +P = Market peg R = Primary peg (primary market - buy at bid/sell at offer) S = Suspend T = Fixed Peg to Local best bid or offer at time of order U = Customer Display Instruction (Rule11Ac1-1/4) V = Netting (for Forex) W = Peg to VWAP +0 + + +19 +ExecRefID +String +Reference identifier used with Cancel and Correct transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +20 +ExecTransType +char +Identifies transaction type Valid values: 0 = New 1 = Cancel 2 = Correct 3 = Status +0 + + +21 +HandlInst +char +Instructions for order handling on Broker trading floor Valid values: 1 = Automated execution order, private, no Broker intervention 2 = Automated execution order, public, Broker intervention OK 3 = Manual order, best execution +0 + + +22 +IDSource +String +Identifies class of alternative SecurityID Valid values: 1 = CUSIP 2 = SEDOL 3 = QUIK 4 = ISIN number 5 = RIC code 6 = ISO Currency Code 7 = ISO Country Code 8 = Exchange Symbol 9 = Consolidated Tape Association (CTA) Symbol (SIAC CTS/CQS line format) 100+ are reserved for private security identifications +0 + + +23 +IOIid +String +Unique identifier of IOI message. (Prior to FIX 4.1 this field was of type int) +0 + + +24 +IOIOthSvc (no longer used) +char +No longer used as of FIX 4.2. Included here for reference to prior versions. +0 + + +25 +IOIQltyInd +char +Relative quality of indication Valid values: L = Low M = Medium H = High +0 + + +26 +IOIRefID +String +Reference identifier used with CANCEL and REPLACE, transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +27 +IOIShares +String +Number of shares in numeric or relative size. Valid values: 0 - 1000000000 S = Small M = Medium L = Large +0 + + +28 +IOITransType +char +Identifies IOI message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +29 +LastCapacity +char +Broker capacity in order execution Valid values: 1 = Agent 2 = Cross as agent 3 = Cross as principal 4 = Principal +0 + + +30 +LastMkt +Exchange +Market of execution for last fill Valid values: See Appendix C +0 + + +31 +LastPx +Price +Price of this (last) fill. Field not required for ExecTransType = 3 (Status) +0 + + +32 +LastShares +Qty +Quantity of shares bought/sold on this (last) fill. Field not required for ExecTransType = 3 (Status) (Prior to FIX 4.2 this field was of type int) +0 + + +33 +LinesOfText +int +Identifies number of lines of text body +0 + + +34 +MsgSeqNum +int +Integer message sequence number. +0 + + +35 +MsgType +String +Defines message type. ALWAYS THIRD FIELD IN MESSAGE. (Always unencrypted) Note: A "U" as the first character in the MsgType field (i.e. U1, U2, etc) indicates that the message format is privately defined between the sender and receiver. Valid values: *** Note the use of lower case letters *** 0 = Heartbeat 1 = Test Request 2 = Resend Request 3 = Reject 4 = Sequence Reset 5 = Logout 6 = Indication of Interest 7 = Advertisement 8 = Execution Report 9 = Order Cancel Reject A = Logon B = News C = Email D = Order – Single E = Order – List F = Order Cancel Request G= Order Cancel/Replace Request H= Order Status Request J = Allocation K = List Cancel Request L = List Execute M = List Status Request N = List Status P = Allocation ACK Q = Don’t Know Trade (DK) R = Quote Request S = Quote T = Settlement Instructions V = Market Data Request W = Market Data-Snapshot/Full Refresh X = Market Data-Incremental Refresh Y = Market Data Request Reject Z = Quote Cancel a = Quote Status Request b = Quote Acknowledgement c = Security Definition Request d = Security Definition e = Security Status Request f = Security Status g = Trading Session Status Request h = Trading Session Status i = Mass Quote j = Business Message Reject k = Bid Request l = Bid Response (lowercase L) m = List Strike Price +0 + + +36 +NewSeqNo +int +New sequence number +0 + + +37 +OrderID +String +Unique identifier for Order as assigned by broker. Uniqueness must be guaranteed within a single trading day. Firms which accept multi-day orders should consider embedding a date within the OrderID field to assure uniqueness across days. +0 + + +38 +OrderQty +Qty +Number of shares ordered. This represents the number of shares for equities or based on normal convention the number of contracts for options, futures, convertible bonds, etc. (Prior to FIX 4.2 this field was of type int) +0 + + +39 +OrdStatus +char +Identifies current status of order. Valid values: 0 = New 1 = Partially filled 2 = Filled 3 = Done for day 4 = Canceled 5 = Replaced 6 = Pending Cancel (e.g. result of Order Cancel Request) 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired D = Accepted for bidding E = Pending Replace (e.g. result of Order Cancel/Replace Request) +0 + + +40 +OrdType +char +Order type. Valid values: 1 = Market 2 = Limit 3 = Stop 4 = Stop limit 5 = Market on close 6 = With or without 7 = Limit or better 8 = Limit with or without 9 = On basis A = On close B = Limit on close C =Forex - Market D = Previously quoted E = Previously indicated F = Forex - Limit G = Forex - Swap H = Forex - Previously Quoted I = Funari (Limit Day Order with unexecuted portion handled as Market On Close. e.g. Japan) P = Pegged +0 + + +41 +OrigClOrdID +String +ClOrdID of the previous order (NOT the initial order of the day) as assigned by the institution, used to identify the previous order in cancel and cancel/replace requests. +0 + + +42 +OrigTime +UTCTimestamp +Time of message origination (always expressed in UTC (Universal Time Coordinated, also known as “GMT”)) +0 + + +43 +PossDupFlag +Boolean +Indicates possible retransmission of message with this sequence number Valid values: Y = Possible duplicate N = Original transmission +0 + + +44 +Price +Price +Price per share +0 + + +45 +RefSeqNum +int +Reference message sequence number +0 + + +46 +RelatdSym +String +Symbol of issue related to story. Can be repeated within message to identify multiple companies. +0 + + +47 +Rule80A(aka OrderCapacity) +char +Note that the name of this field is changing to “OrderCapacity” as Rule80A is a very US market-specific term. Other world markets need to convey similar information, however, often a subset of the US values. . See the “Rule80A (aka OrderCapacity) Usage by Market” appendix for market-specific usage of this field.Valid values: A = Agency single order B = Short exempt transaction (refer to A type) C = Program Order, non-index arb, for Member firm/org D = Program Order, index arb, for Member firm/org E = Registered Equity Market Maker trades F = Short exempt transaction (refer to W type) H = Short exempt transaction (refer to I type) I = Individual Investor, single order J = Program Order, index arb, for individual customer K = Program Order, non-index arb, for individual customer L = Short exempt transaction for member competing market-maker affiliated with the firm clearing the trade (refer to P and O types) M = Program Order, index arb, for other member N = Program Order, non-index arb, for other member O = Competing dealer trades P = Principal R = Competing dealer trades S = Specialist trades T = Competing dealer trades U = Program Order, index arb, for other agency W = All other orders as agent for other member X = Short exempt transaction for member competing market-maker not affiliated with the firm clearing the trade (refer to W and T types) Y = Program Order, non-index arb, for other agency Z = Short exempt transaction for non-member competing market-maker (refer to A and R types) +0 + + +48 +SecurityID +String +CUSIP or other alternate security identifier +0 + + +49 +SenderCompID +String +Assigned value used to identify firm sending message. +0 + + +50 +SenderSubID +String +Assigned value used to identify specific message originator (desk, trader, etc.) +0 + + +51 +SendingDate (no longer used) +LocalMktDate +No longer used. Included here for reference to prior versions. +0 + + +52 +SendingTime +UTCTimestamp +Time of message transmission (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +53 +Shares +Qty +Number of shares (Prior to FIX 4.2 this field was of type int) +0 + + +54 +Side +char +Side of order Valid values: 1 = Buy 2 = Sell 3 = Buy minus 4 = Sell plus 5 = Sell short 6 = Sell short exempt 7 = Undisclosed (valid for IOI and List Order messages only) 8 = Cross (orders where counterparty is an exchange, valid for all messages except IOIs) 9 = Cross short +0 + + +55 +Symbol +String +Ticker symbol +0 + + +56 +TargetCompID +String +Assigned value used to identify receiving firm. +0 + + +57 +TargetSubID +String +Assigned value used to identify specific individual or unit intended to receive message. “ADMIN” reserved for administrative messages not intended for a specific user. +0 + + +58 +Text +String +Free format text string (Note: this field does not have a specified maximum length) +0 + + +59 +TimeInForce +char +Specifies how long the order remains in effect. Absence of this field is interpreted as DAY. Valid values: 0 = Day 1 = Good Till Cancel (GTC) 2 = At the Opening (OPG) 3 = Immediate or Cancel (IOC) 4 = Fill or Kill (FOK) 5 = Good Till Crossing (GTX) 6 = Good Till Date +0 + + +60 +TransactTime +UTCTimestamp +Time of execution/order creation (expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +61 +Urgency +char +Urgency flag Valid values: 0 = Normal 1 = Flash 2 = Background +0 + + +62 +ValidUntilTime +UTCTimestamp +Indicates expiration time of indication message (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +63 +SettlmntTyp +char +Indicates order settlement period. Absence of this field is interpreted as Regular. Regular is defined as the default settlement period for the particular security on the exchange of execution. Valid values: 0 = Regular 1 = Cash 2 = Next Day 3 = T+2 4 = T+3 5 = T+4 6 = Future 7 = When Issued 8 = Sellers Option 9 = T+ 5 +0 + + +64 +FutSettDate +LocalMktDate +Specific date of trade settlement (SettlementDate) in YYYYMMDD format. Required when SettlmntTyp = 6 (Future) or SettlmntTyp = 8 (Sellers Option). (expressed in local time at place of settlement) +0 + + +65 +SymbolSfx +String +Additional information about the security (e.g. preferred, warrants, etc.). Note also see SecurityType. Valid values: As defined in the NYSE Stock and bond Symbol Directory and in the AMEX Fitch Directory +0 + + +66 +ListID +String +Unique identifier for list as assigned by institution, used to associate multiple individual orders. Uniqueness must be guaranteed within a single trading day. Firms which generate multi-day orders should consider embedding a date within the ListID field to assure uniqueness across days. +0 + + +67 +ListSeqNo +int +Sequence of individual order within list (i.e. ListSeqNo of ListNoOrds, 2 of 25, 3 of 25, . . . ) +0 + + +68 +TotNoOrders(formerly named: ListNoOrds) +int +Total number of list order entries across all messages. Should be the sum of all NoOrders in each message that has repeating list order entries related to the same ListID. Used to support fragmentation. (Prior to FIX 4.2 this field was named "ListNoOrds") +0 + + +69 +ListExecInst +String +Free format text message containing list handling and execution instructions. +0 + + +70 +AllocID +String +Unique identifier for allocation message. (Prior to FIX 4.1 this field was of type int) +0 + + +71 +AllocTransType +char +Identifies allocation transaction type Valid values: 0 = New 1 = Replace 2 = Cancel 3 = Preliminary (without MiscFees and NetMoney) 4 = Calculated (includes MiscFees and NetMoney) 5 = Calculated without Preliminary (sent unsolicited by broker, includes MiscFees and NetMoney) +0 + + +72 +RefAllocID +String +Reference identifier to be used with Replace, Cancel, and Calculated AllocTransType messages. (Prior to FIX 4.1 this field was of type int) +0 + + +73 +NoOrders +int +Indicates number of orders to be combined for average pricing and allocation. +0 + + +74 +AvgPrxPrecision +int +Indicates number of decimal places to be used for average pricing. Absence of this field indicates that default precision arranged by the broker/institution is to be used. +0 + + +75 +TradeDate +LocalMktDate +Indicates date of trade referenced in this message in YYYYMMDD format. Absence of this field indicates current day (expressed in local time at place of trade). +0 + + +76 +ExecBroker +String +Identifies executing / give-up broker. Standard NASD market-maker mnemonic is preferred. +0 + + +77 +OpenClose +char +Indicates whether the resulting position after a trade should be an opening position or closing position. Used for omnibus accounting - where accounts are held on a gross basis instead of being netted together. Valid Values: O=Open C=Close +0 + + +78 +NoAllocs +int +Number of repeating AllocAccount/AllocPrice entries. +0 + + +79 +AllocAccount +String +Sub-account mnemonic +0 + + +80 +AllocShares +Qty +Number of shares to be allocated to specific sub-account (Prior to FIX 4.2 this field was of type int) +0 + + +81 +ProcessCode +char +Processing code for sub-account. Absence of this field in AllocAccount / AllocPrice/AllocShares / ProcessCode instance indicates regular trade. Valid values: 0 = regular 1 = soft dollar 2 = step-in 3 = step-out 4 = soft-dollar step-in 5 = soft-dollar step-out 6 = plan sponsor +0 + + +82 +NoRpts +int +Total number of reports within series. +0 + + +83 +RptSeq +int +Sequence number of message within report series. +0 + + +84 +CxlQty +Qty +Total number of shares canceled for this order. (Prior to FIX 4.2 this field was of type int) +0 + + +85 +NoDlvyInst(no longer used) +int +Number of delivery instruction fields to follow No longer used. Included here for reference to prior versions. +0 + + +86 +DlvyInst(no longer used) +String +Free format text field to indicate delivery instructions No longer used. Included here for reference to prior versions. +0 + + +87 +AllocStatus +int +Identifies status of allocation. Valid values: 0 = accepted (successfully processed) 1 = rejected 2 = partial accept 3 = received (received, not yet processed) +0 + + +88 +AllocRejCode +int +Identifies reason for rejection. Valid values: 0 = unknown account(s) 1 = incorrect quantity 2 = incorrect average price 3 = unknown executing broker mnemonic 4 = commission difference 5 = unknown OrderID 6 = unknown ListID 7 = other +0 + + +89 +Signature +data +Electronic signature +0 + + +90 +SecureDataLen +Length +Length of encrypted message +91 + + +91 +SecureData +data +Actual encrypted data stream +0 + + +92 +BrokerOfCredit +String +Broker to receive trade credit. +0 + + +93 +SignatureLength +Length +Number of bytes in signature field. +89 + + +94 +EmailType +char +Email message type. Valid values: 0 = New 1 = Reply 2 = Admin Reply +0 + + +95 +RawDataLength +Length +Number of bytes in raw data field. +96 + + +96 +RawData +data +Unformatted raw data, can include bitmaps, word processor documents, etc. +0 + + +97 +PossResend +Boolean +Indicates that message may contain information that has been sent under another sequence number. Valid Values: Y=Possible resend N=Original transmission +0 + + +98 +EncryptMethod +int +Method of encryption. Valid values: 0 = None / other 1 = PKCS (proprietary) 2 = DES (ECB mode) 3 = PKCS/DES (proprietary) 4 = PGP/DES (defunct) 5 = PGP/DES-MD5 (see app note on FIX web site) 6 = PEM/DES-MD5 (see app note on FIX web site) +0 + + +99 +StopPx +Price +Price per share +0 + + +100 +ExDestination +Exchange +Execution destination as defined by institution when order is entered. Valid values: See Appendix C +0 + + +101 +(Not Defined) +n/a +This field has not been defined. +0 + + +102 +CxlRejReason +int +Code to identify reason for cancel rejection. Valid values: 0 = Too late to cancel 1 = Unknown order 2 = Broker Option 3 = Order already in Pending Cancel or Pending Replace status +0 + + +103 +OrdRejReason +int +Code to identify reason for order rejection. Valid values: 0 = Broker option 1 = Unknown symbol 2 = Exchange closed 3 = Order exceeds limit 4 = Too late to enter 5 = Unknown Order 6 = Duplicate Order (e.g. dupe ClOrdID) 7 = Duplicate of a verbally communicated order 8 = Stale Order +0 + + +104 +IOIQualifier +char +Code to qualify IOI use. Valid values: A = All or none C = At the close I = In touch with L = Limit M = More behind O = At the open P = Taking a position Q = At the Market (previously called Current Quote) R = Ready to trade S = Portfolio show-n T = Through the day V = Versus W = Indication - Working away X = Crossing opportunity Y = At the Midpoint Z = Pre-open +0 + + +105 +WaveNo +String +Identifier to aid in the management of multiple lists derived from a single, master list. +0 + + +106 +Issuer +String +Company name of security issuer (e.g. International Business Machines) +0 + + +107 +SecurityDesc +String +Security description. +0 + + +108 +HeartBtInt +int +Heartbeat interval (seconds) +0 + + +109 +ClientID +String +Firm identifier used in third party-transactions (should not be a substitute for OnBehalfOfCompID/DeliverToCompID). +0 + + +110 +MinQty +Qty +Minimum quantity of an order to be executed. + (Prior to FIX 4.2 this field was of type int) +0 + + +111 +MaxFloor +Qty +Maximum number of shares within an order to be shown on the exchange floor at any given time. + (Prior to FIX 4.2 this field was of type int) +0 + + +112 +TestReqID +String +Identifier included in Test Request message to be returned in resulting Heartbeat +0 + + +113 +ReportToExch +Boolean +Identifies party of trade responsible for exchange reporting. Valid values: Y = Indicates that party receiving message must report trade N = Indicates that party sending message will report trade +0 + + +114 +LocateReqd +Boolean +Indicates whether the broker is to locate the stock in conjunction with a short sell order. + +Valid values: Y = Indicates the broker is responsible for locating the stock N = Indicates the broker is not required to locate +0 + + +115 +OnBehalfOfCompID +String +Assigned value used to identify firm originating message if the message was delivered by a third party i.e. the third party firm identifier would be delivered in the SenderCompID field and the firm originating the message in this field. +0 + + +116 +OnBehalfOfSubID +String +Assigned value used to identify specific message originator (i.e. trader) if the message was delivered by a third party +0 + + +117 +QuoteID +String +Unique identifier for quote +0 + + +118 +NetMoney +Amt +Total amount due as the result of the transaction (e.g. for Buy order - principal + commission + fees) reported in currency of execution. +0 + + +119 +SettlCurrAmt +Amt +Total amount due expressed in settlement currency (includes the effect of the forex transaction) +0 + + +120 +SettlCurrency +Currency +Currency code of settlement denomination. +0 + + +121 +ForexReq +Boolean +Indicates request for forex accommodation trade to be executed along with security transaction. Valid values: Y = Execute Forex after security trade N = Do not execute Forex after security trade +0 + + +122 +OrigSendingTime +UTCTimestamp +Original time of message transmission (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) when transmitting orders as the result of a resend request. +0 + + +123 +GapFillFlag +Boolean +Indicates that the Sequence Reset message is replacing administrative or application messages which will not be resent. Valid values: Y = Gap Fill message, MsgSeqNum field valid N = Sequence Reset, ignore MsgSeqNum +0 + + +124 +NoExecs +int +No of execution repeating group entries to follow. +0 + + +125 +CxlType(no longer used) + char +No longer used. Included here for reference to prior versions. +0 + + +126 +ExpireTime +UTCTimestamp +Time/Date of order expiration (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +127 +DKReason +char +Reason for execution rejection. Valid values: A = Unknown symbol B = Wrong side C = Quantity exceeds order D = No matching order E = Price exceeds limit Z = Other +0 + + +128 +DeliverToCompID +String +Assigned value used to identify the firm targeted to receive the message if the message is delivered by a third party i.e. the third party firm identifier would be delivered in the TargetCompID field and the ultimate receiver firm ID in this field. +0 + + +129 +DeliverToSubID +String +Assigned value used to identify specific message recipient (i.e. trader) if the message is delivered by a third party +0 + + +130 +IOINaturalFlag +Boolean +Indicates that IOI is the result of an existing agency order or a facilitation position resulting from an agency order, not from principal trading or order solicitation activity. Valid values: Y = Natural N = Not natural +0 + + +131 +QuoteReqID +String +Unique identifier for quote request +0 + + +132 +BidPx +Price +Bid price/rate +0 + + +133 +OfferPx +Price +Offer price/rate +0 + + +134 +BidSize +Qty +Quantity of bid (Prior to FIX 4.2 this field was of type int) +0 + + +135 +OfferSize +Qty +Quantity of offer (Prior to FIX 4.2 this field was of type int) +0 + + +136 +NoMiscFees +int +Number of repeating groups of miscellaneous fees +0 + + +137 +MiscFeeAmt +Amt +Miscellaneous fee value +0 + + +138 +MiscFeeCurr +Currency +Currency of miscellaneous fee +0 + + +139 +MiscFeeType +char +Indicates type of miscellaneous fee. Valid values: 1 = Regulatory (e.g. SEC) 2 = Tax 3 = Local Commission 4 = Exchange Fees 5 = Stamp 6 = Levy 7 = Other 8 = Markup 9 = Consumption Tax +0 + + +140 +PrevClosePx +Price +Previous closing price of security. +0 + + +141 +ResetSeqNumFlag +Boolean +Indicates that the both sides of the FIX session should reset sequence numbers. Valid values: Y = Yes, reset sequence numbers N = No +0 + + +142 +SenderLocationID +String +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) +0 + + +143 +TargetLocationID +String +Assigned value used to identify specific message destination’s location (i.e. geographic location and/or desk, trader) +0 + + +144 +OnBehalfOfLocationID +String +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party +0 + + +145 +DeliverToLocationID +String +Assigned value used to identify specific message recipient’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party +0 + + +146 +NoRelatedSym +int +Specifies the number of repeating symbols specified. +0 + + +147 +Subject +String +The subject of an Email message +0 + + +148 +Headline +String +The headline of a News message +0 + + +149 +URLLink +String +A URL (Uniform Resource Locator) link to additional information (i.e. http://www.XYZ.com/research.html) +0 + + +150 +ExecType +char +Describes the specific ExecutionRpt (i.e. Pending Cancel) while OrdStatus will always identify the current order status (i.e. Partially Filled) Valid values: 0 = New 1 = Partial fill 2 = Fill 3 = Done for day 4 = Canceled 5 = Replace 6 = Pending Cancel (e.g. result of Order Cancel Request) 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired D = Restated (ExecutionRpt sent unsolicited by sellside, with ExecRestatementReason set) E = Pending Replace (e.g. result of Order Cancel/Replace Request) +0 + + +151 +LeavesQty +Qty +Amount of shares open for further execution. If the OrdStatus is Canceled, DoneForTheDay, Expired, Calculated, or Rejected (in which case the order is no longer active) then LeavesQty could be 0, otherwise LeavesQty = OrderQty - CumQty. (Prior to FIX 4.2 this field was of type int) +0 + + +152 +CashOrderQty +Qty +Specifies the approximate order quantity desired in total monetary units vs. as a number of shares. The broker would be responsible for converting and calculating a share quantity (OrderQty) based upon this amount to be used for the actual order and subsequent messages. +0 + + +153 +AllocAvgPx +Price +AvgPx for a specific AllocAccount +0 + + +154 +AllocNetMoney +Amt +NetMoney for a specific AllocAccount +0 + + +155 +SettlCurrFxRate +float +Foreign exchange rate used to compute SettlCurrAmt from Currency to SettlCurrency +0 + + +156 +SettlCurrFxRateCalc +char +Specifies whether or not SettlCurrFxRate should be multiplied or divided. M=Multiply D=Divide +0 + + +157 +NumDaysInterest +int +Number of Days of Interest for convertible bonds and fixed income +0 + + +158 +AccruedInterestRate +float +Accrued Interest Rate for convertible bonds and fixed income +0 + + +159 +AccruedInterestAmt +Amt +Amount of Accrued Interest for convertible bonds and fixed income +0 + + +160 +SettlInstMode +char +Indicates mode used for Settlement Instructions Valid values: 0 = Default 1 = Standing Instructions Provided 2 = Specific Allocation Account Overriding 3 = Specific Allocation Account Standing +0 + + +161 +AllocText +String +Free format text related to a specific AllocAccount. +0 + + +162 +SettlInstID +String +Unique identifier for Settlement Instructions message. +0 + + +163 +SettlInstTransType +char +Settlement Instructions message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +164 +EmailThreadID +String +Unique identifier for an email thread (new and chain of replies) +0 + + +165 +SettlInstSource +char +Indicates source of Settlement Instructions Valid values: 1 = Broker’s Instructions 2 = Institution’s Instructions +0 + + +166 +SettlLocation +String +Identifies Settlement Depository or Country Code (ISITC spec) Valid values: CED = CEDEL DTC = Depository Trust Company EUR = Euroclear FED = Federal Book Entry PNY= Physical PTC = Participant Trust Company ISO Country Code = Local Market Settle Location +0 + + +167 +SecurityType +String +Indicates type of security (ISITC spec) Valid values: BA = Bankers Acceptance CB = Convertible Bond (Note not part of ISITC spec) CD = Certificate Of Deposit CMO = Collateralize Mortgage Obligation CORP = Corporate Bond CP = Commercial Paper CPP = Corporate Private Placement CS = Common Stock FHA = Federal Housing Authority FHL = Federal Home Loan FN = Federal National Mortgage Association FOR = Foreign Exchange Contract FUT = Future GN = Government National Mortgage Association GOVT = Treasuries + Agency Debenture IET Mortgage IOETTE MF = Mutual Fund MIO = Mortgage Interest Only MPO = Mortgage Principal Only MPP = Mortgage Private Placement MPT = Miscellaneous Pass-Thru MUNI = Municipal Bond NONE = No ISITC Security Type OPT = Option PS = Preferred Stock RP = Repurchase Agreement RVRP = Reverse Repurchase Agreement SL = Student Loan Marketing Association TD = Time Deposit USTB = US Treasury Bill WAR = Warrant ZOO = Cats, Tigers & Lions (a real code: US Treasury Receipts) ? = “Wildcard” entry (used on Security Definition Request message) +0 + + +168 +EffectiveTime +UTCTimestamp +Time the details within the message should take effect (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +169 +StandInstDbType +int +Identifies the Standing Instruction database used Valid values: 0 = Other 1 = DTC SID 2 = Thomson ALERT 3 = A Global Custodian (StandInstDbName must be provided) +0 + + +170 +StandInstDbName +String +Name of the Standing Instruction database represented with StandInstDbType (i.e. the Global Custodian’s name). +0 + + +171 +StandInstDbID +String +Unique identifier used on the Standing Instructions database for the Standing Instructions to be referenced. +0 + + +172 +SettlDeliveryType +int +Identifies type of settlement 0 = “Versus. Payment”: Deliver (if Sell) or Receive (if Buy) vs. (Against) Payment 1 = “Free”: Deliver (if Sell) or Receive (if Buy) Free +0 + + +173 +SettlDepositoryCode +String +Broker’s account code at the depository (i.e. CEDEL ID for CEDEL, FINS for DTC, or Euroclear ID for Euroclear) if SettlLocation is a depository +0 + + +174 +SettlBrkrCode +String +BIC (Bank Identification Code—Swift managed) code of the broker involved (i.e. for multi-company brokerage firms) +0 + + +175 +SettlInstCode +String +BIC (Bank Identification Code—Swift managed) code of the institution involved (i.e. for multi-company institution firms) +0 + + +176 +SecuritySettlAgentName +String +Name of SettlInstSource's local agent bank if SettlLocation is not a depository +0 + + +177 +SecuritySettlAgentCode +String +BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlLocation is not a depository +0 + + +178 +SecuritySettlAgentAcctNum +String +SettlInstSource's account number at local agent bank if SettlLocation is not a depository +0 + + +179 +SecuritySettlAgentAcctName +String +Name of SettlInstSource's account at local agent bank if SettlLocation is not a depository +0 + + +180 +SecuritySettlAgentContactName +String +Name of contact at local agent bank for SettlInstSource's account if SettlLocation is not a depository +0 + + +181 +SecuritySettlAgentContactPhone +String +Phone number for contact at local agent bank if SettlLocation is not a depository +0 + + +182 +CashSettlAgentName +String +Name of SettlInstSource's local agent bank if SettlDeliveryType=Free +0 + + +183 +CashSettlAgentCode +String +BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlDeliveryType=Free +0 + + +184 +CashSettlAgentAcctNum +String +SettlInstSource's account number at local agent bank if SettlDeliveryType=Free +0 + + +185 +CashSettlAgentAcctName +String +Name of SettlInstSource's account at local agent bank if SettlDeliveryType=Free +0 + + +186 +CashSettlAgentContactName +String +Name of contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free +0 + + +187 +CashSettlAgentContactPhone +String +Phone number for contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free +0 + + +188 +BidSpotRate +Price +Bid F/X spot rate.y vary and not limited to four) +0 + + +189 +BidForwardPoints +PriceOffset +Bid F/X forward points added to spot rate. May be a negative value. +0 + + +190 +OfferSpotRate +Price +Offer F/X spot rate. +0 + + +191 +OfferForwardPoints +PriceOffset +Offer F/X forward points added to spot rate. May be a negative value. +0 + + +192 +OrderQty2 +Qty +OrderQty of the future part of a F/X swap order. +0 + + +193 +FutSettDate2 +LocalMktDate +FutSettDate of the future part of a F/X swap order. +0 + + +194 +LastSpotRate +Price +F/X spot rate. +0 + + +195 +LastForwardPoints +PriceOffset +F/X forward points added to LastSpotRate. May be a negative value. +0 + + +196 +AllocLinkID +String +Can be used to link two different Allocation messages (each with unique AllocID) together, i.e. for F/X “Netting” or “Swaps”. Should be unique. +0 + + +197 +AllocLinkType +int +Identifies the type of Allocation linkage when AllocLinkID is used. Valid values: 0 = F/X Netting 1 = F/X Swap +0 + + +198 +SecondaryOrderID +String +Assigned by the party which accepts the order. Can be used to provide the OrderID used by an exchange or executing system. +0 + + +199 +NoIOIQualifiers +int +Number of repeating groups of IOIQualifiers. +0 + + +200 +MaturityMonthYear +month-year +Month and Year of the maturity for SecurityType=FUT or SecurityType=OPT. Required if MaturityDay is specified. Format: YYYYMM (i.e. 199903) +0 + + +201 +PutOrCall +int +Indicates whether an Option is for a put or call. Valid values: 0 = Put 1 = Call +0 + + +202 +StrikePrice +Price +Strike Price for an Option. +0 + + +203 +CoveredOrUncovered +int +Used for options Valid values: 0 = Covered 1 = Uncovered +0 + + +204 +CustomerOrFirm +int +Used for options when delivering the order to an execution system/exchange to specify if the order is for a customer or the firm placing the order itself. Valid values: 0 = Customer 1 = Firm +0 + + +205 +MaturityDay +day-of-month +Day of month used in conjunction with MaturityMonthYear to specify the maturity date for SecurityType=FUT or SecurityType=OPT. Valid values: 1-31 +0 + + +206 +OptAttribute +char +Can be used for SecurityType=OPT to identify a particular security. Valid values vary by SecurityExchange: For Exchange: MONEP (Paris) L = Long (a.k.a. “American”) S = Short (a.k.a. “European”) For Exchanges: DTB (Frankfurt), HKSE (Hong Kong), and SOFFEX (Zurich) 0-9 = single digit “version” number assigned by exchange following capital adjustments (0=current, 1=prior, 2=prior to 1, etc). +0 + + +207 +SecurityExchange +Exchange +Market used to help identify a security. Valid values: See Appendix C +0 + + +208 +NotifyBrokerOfCredit +Boolean +Indicates whether or not details should be communicated to BrokerOfCredit (i.e. step-in broker). Valid values: Y = Details should be communicated N = Details should not be communicated +0 + + +209 +AllocHandlInst +int +Indicates how the receiver (i.e. third party) of Allocation message should handle/process the account details. Valid values: 1 = Match 2 = Forward 3 = Forward and Match +0 + + +210 +MaxShow +Qty +Maximum number of shares within an order to be shown to other customers (i.e. sent via an IOI). (Prior to FIX 4.2 this field was of type int) +0 + + +211 +PegDifference +PriceOffset +Amount (signed) added to the price of the peg for a pegged order. +0 + + +212 +XmlDataLen +Length +Length of the XmlData data block. +213 + + +213 +XmlData +data +Actual XML data stream (e.g. FIXML). See approriate XML reference (e.g. FIXML). Note: may contain embedded SOH characters. +0 + + +214 +SettlInstRefID +String +Reference identifier for the SettlInstID with Cancel and Replace SettlInstTransType transaction types. +0 + + +215 +NoRoutingIDs +int +Number of repeating groups of RoutingID and RoutingType values. See Appendix L – Pre-Trade Message Targeting/Routing +0 + + +216 +RoutingType +int +Indicates the type of RoutingID specified. Valid values: 1 = Target Firm 2 = Target List 3 = Block Firm 4 = Block List +0 + + +217 +RoutingID +String +Assigned value used to identify a specific routing destination. +0 + + +218 +SpreadToBenchmark +PriceOffset +For Fixed Income. Basis points relative to a benchmark. To be expressed as "count of basis points" (vs. an absolute value). E.g. High Grade Corporate Bonds may express price as basis points relative to benchmark (the Benchmark field). Note: Basis points can be negative. +0 + + +219 +Benchmark +char +For Fixed Income. Identifies the benchmark (e.g. used in conjunction with the SpreadToBenchmark field). Valid values: 1 = CURVE 2 = 5-YR 3 = OLD-5 4 = 10-YR 5 = OLD-10 6 = 30-YR 7 = OLD-30 8 = 3-MO-LIBOR 9 = 6-MO-LIBOR +0 + + +220 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +221 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +222 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +223 +CouponRate +float +For Fixed Income. Coupon rate of the bond. Will be zero for step-up bonds. +0 + + +224 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +225 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +226 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +227 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +228 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +229 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +230 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +231 +ContractMultiplier +float +Specifies the ratio or multiply factor to convert from contracts to shares (e.g. 1.0, 100, 1000, etc). Applicable For Fixed Income, Convertible Bonds, Derivatives, etc. Note: If used, quantities should be expressed in the "nominal" (e.g. contracts vs. shares) amount. +0 + + +232 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +233 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +234 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +235 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +236 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +237 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +238 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +239 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +240 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +241 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +242 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +243 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +244 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +245 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +246 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +247 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +248 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +249 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +250 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +251 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +252 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +253 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +254 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +255 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +256 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +257 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +258 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +259 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +260 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +261 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +262 +MDReqID +String +Unique identifier for Market Data Request +0 + + +263 +SubscriptionRequestType +char +Subscription Request Type Valid values: 0 = Snapshot 1 = Snapshot + Updates (Subscribe) 2 = Disable previous Snapshot + Update Request (Unsubscribe) +0 + + +264 +MarketDepth +int +Depth of market for Book Snapshot Valid values: 0 = Full Book 1 = Top of Book N>1 = Report best N price tiers of data +0 + + +265 +MDUpdateType +int +Specifies the type of Market Data update. Valid values: 0 = Full Refresh 1 = Incremental Refresh +0 + + +266 +AggregatedBook +Boolean +Specifies whether or not book entries should be aggregated. Valid values: Y = one book entry per side per price N = Multiple entries per side per price allowed (Not specified) = broker option +0 + + +267 +NoMDEntryTypes +int +Number of MDEntryType fields requested. +0 + + +268 +NoMDEntries +int +Number of entries in Market Data message. +0 + + +269 +MDEntryType +char +Type Market Data entry. Valid values: 0 = Bid 1 = Offer 2 = Trade 3 = Index Value 4 = Opening Price 5 = Closing Price 6 = Settlement Price 7 = Trading Session High Price 8 = Trading Session Low Price 9 = Trading Session VWAP Price +0 + + +270 +MDEntryPx +Price +Price of the Market Data Entry. +0 + + +271 +MDEntrySize +Qty +Number of shares represented by the Market Data Entry. +0 + + +272 +MDEntryDate +UTCDate +Date of Market Data Entry. +0 + + +273 +MDEntryTime +UTCTimeOnly +Time of Market Data Entry. +0 + + +274 +TickDirection +char +Direction of the "tick". Valid values: 0 = Plus Tick 1 = Zero-Plus Tick 2 = Minus Tick 3 = Zero-Minus Tick +0 + + +275 +MDMkt +Exchange +Market posting quote / trade. Valid values: See Appendix C +0 + + +276 +QuoteCondition +MultipleValueString +Space-delimited list of conditions describing a quote. Valid values: A = Open / Active B = Closed / Inactive C = Exchange Best D = Consolidated Best E = Locked F = Crossed G = Depth H = Fast Trading I = Non-Firm +0 + + +277 +TradeCondition +MultipleValueString +Space-delimited list of conditions describing a trade Valid values: A = Cash (only) Market B = Average Price Trade C = Cash Trade (same day clearing) D = Next Day (only) Market E = Opening / Reopening Trade Detail F = Intraday Trade Detail G = Rule 127 Trade (NYSE) H = Rule 155 Trade (Amex) I = Sold Last (late reporting) J = Next Day Trade (next day clearing) K = Opened (late report of opened trade) L = Seller M = Sold (out of sequence) N = Stopped Stock (guarantee of price but does not execute the order) +0 + + +278 +MDEntryID +String +Unique Market Data Entry identifier. +0 + + +279 +MDUpdateAction +char +Type of Market Data update action. Valid values: 0 = New 1 = Change 2 = Delete +0 + + +280 +MDEntryRefID +String +Refers to a previous MDEntryID. +0 + + +281 +MDReqRejReason +char +Reason for the rejection of a Market Data request. Valid values: 0 = Unknown symbol 1 = Duplicate MDReqID 2 = Insufficient Bandwidth 3 = Insufficient Permissions 4 = Unsupported SubscriptionRequestType 5 = Unsupported MarketDepth 6 = Unsupported MDUpdateType 7 = Unsupported AggregatedBook 8 = Unsupported MDEntryType +0 + + +282 +MDEntryOriginator +String +Originator of a Market Data Entry +0 + + +283 +LocationID +String +Identification of a Market Maker’s location +0 + + +284 +DeskID +String +Identification of a Market Maker’s desk +0 + + +285 +DeleteReason +char +Reason for deletion. Valid values: 0 = Cancelation / Trade Bust 1 = Error +0 + + +286 +OpenCloseSettleFlag +char +Flag that identifies a price. Valid values: 0 = Daily Open / Close / Settlement price 1 = Session Open / Close / Settlement price 2 = Delivery Settlement price +0 + + +287 +SellerDays +int +Specifies the number of days that may elapse before delivery of the security +0 + + +288 +MDEntryBuyer +String +Buying party in a trade +0 + + +289 +MDEntrySeller +String +Selling party in a trade +0 + + +290 +MDEntryPositionNo +int +Display position of a bid or offer, numbered from most competitive to least competitive, per market side, beginning with 1. +0 + + +291 +FinancialStatus +char +Identifies a firm’s financial status. Valid values: 1 = Bankrupt +0 + + +292 +CorporateAction +char +Identifies the type of Corporate Action. Valid values: A = Ex-Dividend B = Ex-Distribution C = Ex-Rights D = New E = Ex-Interest +0 + + +293 +DefBidSize +Qty +Default Bid Size. +0 + + +294 +DefOfferSize +Qty +Default Offer Size. +0 + + +295 +NoQuoteEntries +int +The number of quote entries for a QuoteSet. +0 + + +296 +NoQuoteSets +int +The number of sets of quotes in the message. +0 + + +297 +QuoteAckStatus +int +Identifies the status of the quote acknowledgement. Valid values: 0-Accepted 1-Canceled for Symbol(s) 2-Canceled for Security Type(s) 3-Canceled for Underlying 4-Canceled All 5-Rejected +0 + + +298 +QuoteCancelType +int +Identifies the type of quote cancel. Valid Values: 1 – Cancel for Symbol(s) 2 – Cancel for Security Type(s) 3 – Cancel for Underlying Symbol 4 – Cancel All Quotes +0 + + +299 +QuoteEntryID +String +Uniquely identifies the quote as part of a QuoteSet. +0 + + +300 +QuoteRejectReason +int +Reason Quote was rejected: Valid Values: 1 = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote Request exceeds limit 4 = Too late to enter 5 = Unknown Quote 6 = Duplicate Quote 7 = Invalid bid/ask spread 8 = Invalid price 9 = Not authorized to quote security +0 + + +301 +QuoteResponseLevel +int +Level of Response requested from receiver of quote messages. Valid Values: 0 – No Acknowledgement (Default) 1 – Acknowledge only negative or erroneous quotes 2 – Acknowledge each quote messages +0 + + +302 +QuoteSetID +String +Unique id for the Quote Set. +0 + + +303 +QuoteRequestType +int +Indicates the type of Quote Request being generated Valid values: 1-Manual 2-Automatic +0 + + +304 +TotQuoteEntries +int +Total number of quotes for the quote set across all messages. Should be the sum of all NoQuoteEntries in each message that has repeating quotes that are part of the same quote set. +0 + + +305 +UnderlyingIDSource +String +Underlying security’s IDSource. Valid values: see IDSource field +0 + + +306 +UnderlyingIssuer +String +Underlying security’s Issuer. See Issuer field for description +0 + + +307 +UnderlyingSecurityDesc +String +Underlying security’s SecurityDesc. See SecurityDesc field for description +0 + + +308 +UnderlyingSecurityExchange +Exchange +Underlying security’s SecurityExchange. Can be used to identify the underlying security. Valid values: see SecurityExchange +0 + + +309 +UnderlyingSecurityID +String +Underlying security’s SecurityID. See SecurityID field for description +0 + + +310 +UnderlyingSecurityType +String +Underlying security’s SecurityType. Valid values: see SecurityType field +0 + + +311 +UnderlyingSymbol +String +Underlying security’s Symbol. See Symbol field for description +0 + + +312 +UnderlyingSymbolSfx +String +Underlying security’s SymbolSfx. See SymbolSfx field for description +0 + + +313 +UnderlyingMaturityMonthYear +month-year +Underlying security’s MaturityMonthYear. Required if UnderlyingMaturityDay is specified. See MaturityMonthYear field for description +0 + + +314 +UnderlyingMaturityDay +day-of-month +Underlying security’s MaturityDay. See MaturityDay field for description +0 + + +315 +UnderlyingPutOrCall +int +Underlying security’s PutOrCall. See PutOrCall field for description +0 + + +316 +UnderlyingStrikePrice +Price +Underlying security’s StrikePrice. See StrikePrice field for description +0 + + +317 +UnderlyingOptAttribute +char +Underlying security’s OptAttribute. See OptAttribute field for description +0 + + +318 +Underlying Currency +Currency +Underlying security’s Currency. See Currency field for description and valid values +0 + + +319 +RatioQty +Quantity +Quantity of a particular leg in the security. +0 + + +320 +SecurityReqID +String +Unique ID of a Security Definition Request. +0 + + +321 +SecurityRequestType +int +Type of Security Definition Request. Valid values: 0 = Request Security identity and specifications 1 = Request Security identity for the specifications provided (Name of the security is not supplied) 2 = Request List Security Types 3 = Request List Securities (Can be qualified with Symbol, SecurityType, TradingSessionID, SecurityExchange is provided then only list Securities for the specific type) +0 + + +322 +SecurityResponseID +String +Unique ID of a Security Definition message. +0 + + +323 +SecurityResponseType +int +Type of Security Definition message response. Valid values: 1 = Accept security proposal as is 2 = Accept security proposal with revisions as indicated in the message 3 = List of security types returned per request 4 = List of securities returned per request 5 = Reject security proposal 6 = Can not match selection criteria +0 + + +324 +SecurityStatusReqID +String +Unique ID of a Security Status Request message. +0 + + +325 +UnsolicitedIndicator +Boolean +Indicates whether or not message is being sent as a result of a subscription request or not. Valid values: Y = Message is being sent unsolicited N = Message is being sent as a result of a prior request +0 + + +326 +SecurityTradingStatus +int +Identifies the trading status applicable to the transaction. Valid values: 1 = Opening Delay 2 = Trading Halt 3 = Resume 4 = No Open/No Resume 5 = Price Indication 6 = Trading Range Indication 7 = Market Imbalance Buy 8 = Market Imbalance Sell 9 = Market On Close Imbalance Buy 10 = Market On Close Imbalance Sell 11 = (not assigned) 12 = No Market Imbalance 13 = No Market On Close Imbalance 14 = ITS Pre-Opening 15 = New Price Indication 16 = Trade Dissemination Time 17 = Ready to trade (start of session) 18 = Not Available for trading (end of session) 19 = Not Traded on this Market 20 = Unknown or Invalid +0 + + +327 +HaltReason +char +Denotes the reason for the Opening Delay or Trading Halt. Valid values: I = Order Imbalance X = Equipment Changeover P = News Pending D = News Dissemination E = Order Influx M = Additional Information +0 + + +328 +InViewOfCommon +Boolean +Indicates whether or not the halt was due to Common Stock trading being halted. Valid values: Y = Halt was due to common stock being halted N = Halt was not related to a halt of the common stock +0 + + +329 +DueToRelated +Boolean +Indicates whether or not the halt was due to the Related Security being halted. Valid values: Y = Halt was due to related security being halted N = Halt was not related to a halt of the related security +0 + + +330 +BuyVolume +Qty +Number of shares bought. +0 + + +331 +SellVolume +Qty +Number of shares sold. +0 + + +332 +HighPx +Price +Represents an indication of the high end of the price range for a security prior to the open or reopen +0 + + +333 +LowPx +Price +Represents an indication of the low end of the price range for a security prior to the open or reopen +0 + + +334 +Adjustment +int +Identifies the type of adjustment. Valid values: 1 = Cancel 2 = Error 3 = Correction +0 + + +335 +TradSesReqID +String +Unique ID of a Trading Session Status message. +0 + + +336 +TradingSessionID +String +Identifier for Trading Session Can be used to represent a specific market trading session (e.g. “PRE-OPEN", "CROSS_2", "AFTER-HOURS", "TOSTNET1", "TOSTNET2", etc). Values should be bi-laterally agreed to between counterparties. +0 + + +337 +ContraTrader +String +Identifies the trader (e.g. "badge number") of the ContraBroker. +0 + + +338 +TradSesMethod +int +Method of trading Valid values: 1 = Electronic 2 = Open Outcry 3 = Two Party +0 + + +339 +TradSesMode +int +Trading Session Mode Valid values: 1 = Testing 2 = Simulated 3 = Production +0 + + +340 +TradSesStatus +int +State of the trading session. Valid values: 1 = Halted 2 = Open 3 = Closed 4 = Pre-Open 5 = Pre-Close +0 + + +341 +TradSesStartTime +UTCTimestamp +Starting time of the trading session +0 + + +342 +TradSesOpenTime +UTCTimestamp +Time of the opening of the trading session +0 + + +343 +TradSesPreCloseTime +UTCTimestamp +Time of the pre-closed of the trading session +0 + + +344 +TradSesCloseTime +UTCTimestamp +Closing time of the trading session +0 + + +345 +TradSesEndTime +UTCTimestamp +End time of the trading session +0 + + +346 +NumberOfOrders +int +Number of orders in the market. +0 + + +347 +MessageEncoding +String +Type of message encoding (non-ASCII (non-English) characters) used in a message’s “Encoded” fields. Valid values: ISO-2022-JP (for using JIS) EUC-JP (for using EUC) Shift_JIS (for using SJIS) UTF-8 (for using Unicode) +0 + + +348 +EncodedIssuerLen +Length +Byte length of encoded (non-ASCII characters) EncodedIssuer field. +349 + + +349 +EncodedIssuer +data +Encoded (non-ASCII characters) representation of the Issuer field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Issuer field. +0 + + +350 +EncodedSecurityDescLen +Length +Byte length of encoded (non-ASCII characters) EncodedSecurityDesc field. +351 + + +351 +EncodedSecurityDesc +data +Encoded (non-ASCII characters) representation of the SecurityDesc field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the SecurityDesc field. +0 + + +352 +EncodedListExecInstLen +Length +Byte length of encoded (non-ASCII characters) EncodedListExecInst field. +353 + + +353 +EncodedListExecInst +data +Encoded (non-ASCII characters) representation of the ListExecInst field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the ListExecInst field. +0 + + +354 +EncodedTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedText field. +355 + + +355 +EncodedText +data +Encoded (non-ASCII characters) representation of the Text field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Text field. +0 + + +356 +EncodedSubjectLen +Length +Byte length of encoded (non-ASCII characters) EncodedSubject field. +357 + + +357 +EncodedSubject +data +Encoded (non-ASCII characters) representation of the Subject field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Subject field. +0 + + +358 +EncodedHeadlineLen +Length +Byte length of encoded (non-ASCII characters) EncodedHeadline field. +359 + + +359 +EncodedHeadline +data +Encoded (non-ASCII characters) representation of the Headline field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Headline field. +0 + + +360 +EncodedAllocTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedAllocText field. +361 + + +361 +EncodedAllocText +data +Encoded (non-ASCII characters) representation of the AllocText field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the AllocText field. +0 + + +362 +EncodedUnderlyingIssuerLen +Length +Byte length of encoded (non-ASCII characters) EncodedUnderlyingIssuer field. +363 + + +363 +EncodedUnderlyingIssuer +data +Encoded (non-ASCII characters) representation of the UnderlyingIssuer field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the UnderlyingIssuer field. +0 + + +364 +EncodedUnderlyingSecurityDescLen +Length +Byte length of encoded (non-ASCII characters) EncodedUnderlyingSecurityDesc field. +365 + + +365 +EncodedUnderlyingSecurityDesc +data +Encoded (non-ASCII characters) representation of the UnderlyingSecurityDesc field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the UnderlyingSecurityeDesc field. +0 + + +366 +AllocPrice +Price +Executed price for an AllocAccount entry used when using “executed price” vs. “average price” allocations (e.g. Japan). +0 + + +367 +QuoteSetValidUntilTime +UTCTimestamp +Indicates expiration time of this particular QuoteSet (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +368 +QuoteEntryRejectReason +int +Reason Quote Entry was rejected: Valid values: 1 = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote exceeds limit 4 = Too late to enter 5 = Unknown Quote 6 = Duplicate Quote 7 = Invalid bid/ask spread 8 = Invalid price 9 = Not authorized to quote security +0 + + +369 +LastMsgSeqNumProcessed +int +The last MsgSeqNum value received and processed. Can be specified on every message sent. Useful for detecting a backlog with a counterparty. +0 + + +370 +OnBehalfOfSendingTime +UTCTimestamp +Used when a message is sent via a “hub” or “service bureau”. If A sends to Q (the hub) who then sends to B via a separate FIX session, then when Q sends to B the value of this field should represent the SendingTime on the message A sent to Q. (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +371 +RefTagID +int +The tag number of the FIX field being referenced. +0 + + +372 +RefMsgType +String +The MsgType of the FIX message being referenced. +0 + + +373 +SessionRejectReason +int +Code to identify reason for a session-level Reject message. Valid values: 0 = Invalid tag number 1 = Required tag missing 2 = Tag not defined for this message type 3 = Undefined Tag 4 = Tag specified without a value 5 = Value is incorrect (out of range) for this tag 6 = Incorrect data format for value 7 = Decryption problem 8 = Signature problem 9 = CompID problem 10 = SendingTime accuracy problem 11 = Invalid MsgType +0 + + +374 +BidRequestTransType +char +Identifies the Bid Request message type. Valid values: N = New C = Cancel +0 + + +375 +ContraBroker +String +Identifies contra broker. Standard NASD market-maker mnemonic is preferred. +0 + + +376 +ComplianceID +String +ID used to represent this transaction for compliance purposes (e.g. OATS reporting). +0 + + +377 +SolicitedFlag +Boolean +Indicates whether or not the order was solicited. Valid values: Y = Was solcitied N = Was not solicited +0 + + +378 +ExecRestatementReason +int +Code to identify reason for an ExecutionRpt message sent with ExecType=Restated or used when communicating an unsolicited cancel. Valid values: 0 = GT Corporate action 1 = GT renewal / restatement (no corporate action) 2 = Verbal change 3 = Repricing of order 4 = Broker option 5 = Partial decline of OrderQty (e.g. exchange-initiated partial cancel) +0 + + +379 +BusinessRejectRefID +String +The value of the business-level “ID” field on the message being referenced. +0 + + +380 +BusinessRejectReason +int +Code to identify reason for a Business Message Reject message. Valid values: 0 = Other 1 = Unkown ID 2 = Unknown Security 3 = Unsupported Message Type 4 = Application not available 5 = Conditionally Required Field Missing +0 + + +381 +GrossTradeAmt +Amt +Total amount traded (e.g. CumQty * AvgPx) expressed in units of currency. +0 + + +382 +NoContraBrokers +int +The number of ContraBroker entries. +0 + + +383 +MaxMessageSize +int +Maximum number of bytes supported for a single message. +0 + + +384 +NoMsgTypes +int +Number of MsgTypes in repeating group. +0 + + +385 +MsgDirection +char +Specifies the direction of the messsage. Valid values: S = Send R = Receive +0 + + +386 +NoTradingSessions +int +Number of TradingSessionIDs in repeating group. +0 + + +387 +TotalVolumeTraded +Qty +Total volume (quantity) traded. +0 + + +388 +DiscretionInst +char +Code to identify the price a DiscretionOffset is related to and should be mathematically added to. Valid values: 0 = Related to displayed price 1 = Related to market price 2 = Related to primary price 3 = Related to local primary price 4 = Related to midpoint price 5 = Related to last trade price +0 + + +389 +DiscretionOffset +PriceOffset +Amount (signed) added to the “related to” price specified via DiscretionInst. +0 + + +390 +BidID +String +Unique identifier for Bid Response as assigned by broker. Uniqueness must be guaranteed within a single trading day. +0 + + +391 +ClientBidID +String +Unique identifier for a Bid Request as assigned by institution. Uniqueness must be guaranteed within a single trading day. +0 + + +392 +ListName +String +Descriptive name for list order. +0 + + +393 +TotalNumSecurities +int +Total number of securities. +0 + + +394 +BidType +int +Code to identify the type of Bid Request. Valid values: 1 – “Non Disclosed” Style (e.g. US/European) 2 – “Disclosed” Style (e.g. Japanese) 3 – No Bidding Process +0 + + +395 +NumTickets +int +Total number of tickets. +0 + + +396 +SideValue1 +Amt +Amounts in currency +0 + + +397 +SideValue2 +Amt +Amounts in currency +0 + + +398 +NoBidDescriptors +int +Number of BidDescriptor entries. +0 + + +399 +BidDescriptorType +int +Code to identify the type of BidDescriptor. Valid values: 1 – Sector 2 – Country 3 – Index +0 + + +400 +BidDescriptor +String +BidDescriptor value. Usage depends upon BidDescriptorType. If BidDescriptorType =1 Industrials etc – Free text If BidDescriptorType =2 "FR" etc – ISO Country Codes If BidDescriptorType =3 FT100, FT250, STOX – Free text +0 + + +401 +SideValueInd +int +Code to identify which "SideValue" the value refers to. SideValue1 and SideValue2 are used as opposed to Buy or Sell so that the basket can be quoted either way as Buy or Sell. Valid values: 1 – SideValue1 2 – SideValue 2 +0 + + +402 +LiquidityPctLow +float +Liquidity indicator or lower limit if TotalNumSecurities > 1. Represented as a percentage. +0 + + +403 +LiquidityPctHigh +float +Upper liquidity indicator if TotalNumSecurities > 1. Represented as a percentage. +0 + + +404 +LiquidityValue +Amt +Value between LiquidityPctLow and LiquidityPctHigh in Currency +0 + + +405 +EFPTrackingError +float +Eg Used in EFP trades 12% (EFP – Exchange for Physical ). Represented as a percentage. +0 + + +406 +FairValue +Amt +Used in EFP trades +0 + + +407 +OutsideIndexPct +float +Used in EFP trades. Represented as a percentage. +0 + + +408 +ValueOfFutures +Amt +Used in EFP trades +0 + + +409 +LiquidityIndType +int +Code to identify the type of liquidity indicator. Valid values: 1 – 5day moving average 2 – 20 day moving average 3 – Normal Market Size 4 – Other +0 + + +410 +WtAverageLiquidity +float +Overall weighted average liquidity expressed as a % of average daily volume. Represented as a percentage. +0 + + +411 +ExchangeForPhysical +Boolean +Indicates whether or not to exchange for phsyical. Valid values: Y = True N = False +0 + + +412 +OutMainCntryUIndex +Amt +Value of stocks in Currency +0 + + +413 +CrossPercent +float +Percentage of program that crosses in Currency. Represented as a percentage. +0 + + +414 +ProgRptReqs +int +Code to identify the desired frequency of progress reports. Valid values: 1 – BuySide explicitly requests status using StatusRequest (Default) The sell-side firm can however, send a DONE status List Status Response in an unsolicited fashion 2 – SellSide periodically sends status using ListStatus. Period optionally specified in ProgressPeriod 3 – Real-time execution reports (to be discouraged) +0 + + +415 +ProgPeriodInterval +int +Time in minutes between each ListStatus report sent by SellSide. Zero means don’t send status. +0 + + +416 +IncTaxInd +int +Code to represent whether value is net (inclusive of tax) or gross. Valid values: 1 - Net 2 - Gross +0 + + +417 +NumBidders +int +Indicates the total number of bidders on the list +0 + + +418 +TradeType +char +Code to represent the type of trade. Valid values: R: Risk Trade G: VWAP Guarantee A: Agency J: Guaranteed Close +0 + + +419 +BasisPxType +char +Code to represent the basis price type. Valid values: 2: Closing Price at morning session 3: Closing Price 4: Current price 5: SQ 6: VWAP through a day 7: VWAP through a morning session 8: VWAP through an afternoon session 9: VWAP through a day except YORI A: VWAP through a morning session except YORI B: VWAP through an afternoon session except YORI C: Strike D: Open Z: Others +0 + + +420 +NoBidComponents +int +Indicates the number of list entries. +0 + + +421 +Country +String +ISO Country Code in field +0 + + +422 +TotNoStrikes +int +Total number of strike price entries across all messages. Should be the sum of all NoStrikes in each message that has repeating strike price entries related to the same ListID. Used to support fragmentation. +0 + + +423 +PriceType +int +Code to represent the price type. Valid values: 1 - Percentage 2 - per share (e.g. cents per share) 3 - Fixed Amount (absolute value) +0 + + +424 +DayOrderQty +Qty +For GT orders, the OrderQty less all shares (adjusted for stock splits) that traded on previous days. DayOrderQty = OrderQty – (CumQty - DayCumQty) +0 + + +425 +DayCumQty +Qty +The number of shares on a GT order that have traded today. +0 + + +426 +DayAvgPx +Price +The average price of shares on a GT order that have traded today. +0 + + +427 +GTBookingInst +int +Code to identify whether to book out executions on a part-filled GT order on the day of execution or to accumulate. Valid values: 0 = book out all trades on day of execution 1 = accumulate executions until order is filled or expires 2 = accumulate until verbally notified otherwise +0 + + +428 +NoStrikes +int +Number of list strike price entries. +0 + + +429 +ListStatusType +int +Code to represent the price type. Valid values: 1 – Ack 2 – Response 3 – Timed 4 – ExecStarted 5 – AllDone 6 – Alert +0 + + +430 +NetGrossInd +int +Code to represent whether value is net (inclusive of tax) or gross. Valid values: 1 - Net 2 - Gross +0 + + +431 +ListOrderStatus +int +Code to represent the status of a list order. Valid values: 1 – InBiddingProcess 2 – ReceivedForExecution 3 – Executing 4 – Canceling 5 – Alert 6 – All Done 7 – Reject +0 + + +432 +ExpireDate +LocalMktDate +Date of order expiration (last day the order can trade), always expressed in terms of the local market date. The time at which the order expires is determined by the local market’s business practices +0 + + +433 +ListExecInstType +char +Identifies the type of ListExecInst. Valid values: 1 - Immediate 2 - Wait for Execute Instruction (e.g. a List Execute message or phone call before proceeding with execution of the list) +0 + + +434 +CxlRejResponseTo +char +Identifies the type of request that a Cancel Reject is in response to. Valid values: 1 - Order Cancel Request 2 - Order Cancel/Replace Request +0 + + +435 +UnderlyingCouponRate +float +Underlying security’s CouponRate. See CouponRate field for description +0 + + +436 +UnderlyingContractMultiplier +float +Underlying security’s ContractMultiplier. See ContractMultiplier field for description +0 + + +437 +ContraTradeQty +Qty +Quantity traded with the ContraBroker. +0 + + +438 +ContraTradeTime +UTCTimestamp +Identifes the time of the trade with the ContraBroker. (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +439 +ClearingFirm +String +Firm that will clear the trade. Used if different from the executing firm. +0 + + +440 +ClearingAccount +String +Supplemental accounting information forwared to clearing house/firm. +0 + + +441 +LiquidityNumSecurities +int +Number of Securites between LiquidityPctLow and LiquidityPctHigh in Currency. +0 + + +442 +MultiLegReportingType +char +Used to indicate what an Execution Report represents (e.g. used with multi-leg securiteis, such as option strategies, spreads, etc.). Valid Values: 1 - Single Security (default if not specified) 2 - Individual leg of a multi-leg security 3 - Multi-leg security +0 + + +443 +StrikeTime +UTCTimestamp +The time at which current market prices are used to determine the value of a basket. +0 + + +444 +ListStatusText +String +Free format text string related to List Status. +0 + + +445 +EncodedListStatusTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedListStatusText field. +446 + + +446 +EncodedListStatusText +data +Encoded (non-ASCII characters) representation of the ListStatusText field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the ListStatusText field. +0 + + diff --git a/resources/Fields43.js b/resources/Fields43.js new file mode 100644 index 0000000..a6727ae --- /dev/null +++ b/resources/Fields43.js @@ -0,0 +1,661 @@ +{ +"1":"Account", +"2":"AdvId", +"3":"AdvRefID", +"4":"AdvSide", +"5":"AdvTransType", +"6":"AvgPx", +"7":"BeginSeqNo", +"8":"BeginString", +"9":"BodyLength", +"10":"CheckSum", +"11":"ClOrdID", +"12":"Commission", +"13":"CommType", +"14":"CumQty", +"15":"Currency", +"16":"EndSeqNo", +"17":"ExecID", +"18":"ExecInst", +"19":"ExecRefID", +"20":"ExecTransType(replaced)", +"21":"HandlInst", +"22":"SecurityIDSource(formerlynamed:IDSourcepriortoFIX4.3)", +"23":"IOIid", +"24":"IOIOthSvc(nolongerused)", +"25":"IOIQltyInd", +"26":"IOIRefID", +"27":"IOIQty(formerlynamed:IOISharespriortoFIX4.3)", +"28":"IOITransType", +"29":"LastCapacity", +"30":"LastMkt", +"31":"LastPx", +"32":"LastQty(formerlynamed:LastSharespriortoFIX4.3)", +"33":"LinesOfText", +"34":"MsgSeqNum", +"35":"MsgType", +"36":"NewSeqNo", +"37":"OrderID", +"38":"OrderQty", +"39":"OrdStatus", +"40":"OrdType", +"41":"OrigClOrdID", +"42":"OrigTime", +"43":"PossDupFlag", +"44":"Price", +"45":"RefSeqNum", +"46":"RelatdSym(nolongerused)", +"47":"Rule80A(Deprecated)", +"48":"SecurityID", +"49":"SenderCompID", +"50":"SenderSubID", +"51":"SendingDate(nolongerused)", +"52":"SendingTime", +"53":"Quantity(formerlynamed:SharespriortoFIX4.3)", +"54":"Side", +"55":"Symbol", +"56":"TargetCompID", +"57":"TargetSubID", +"58":"Text", +"59":"TimeInForce", +"60":"TransactTime", +"61":"Urgency", +"62":"ValidUntilTime", +"63":"SettlmntTyp", +"64":"FutSettDate", +"65":"SymbolSfx", +"66":"ListID", +"67":"ListSeqNo", +"68":"TotNoOrders(formerlynamed:ListNoOrds)", +"69":"ListExecInst", +"70":"AllocID", +"71":"AllocTransType", +"72":"RefAllocID", +"73":"NoOrders", +"74":"AvgPrxPrecision", +"75":"TradeDate", +"76":"ExecBroker(replaced)", +"77":"PositionEffect(formerlynamed:OpenClosepriortoFIX4.3)", +"78":"NoAllocs", +"79":"AllocAccount", +"80":"AllocQty(formerlynamed:AllocSharespriortoFIX4.3)", +"81":"ProcessCode", +"82":"NoRpts", +"83":"RptSeq", +"84":"CxlQty", +"85":"NoDlvyInst(nolongerused)", +"86":"DlvyInst(nolongerused)", +"87":"AllocStatus", +"88":"AllocRejCode", +"89":"Signature", +"90":"SecureDataLen", +"91":"SecureData", +"92":"BrokerOfCredit(replaced)", +"93":"SignatureLength", +"94":"EmailType", +"95":"RawDataLength", +"96":"RawData", +"97":"PossResend", +"98":"EncryptMethod", +"99":"StopPx", +"100":"ExDestination", +"101":"(NotDefined)", +"102":"CxlRejReason", +"103":"OrdRejReason", +"104":"IOIQualifier", +"105":"WaveNo", +"106":"Issuer", +"107":"SecurityDesc", +"108":"HeartBtInt", +"109":"ClientID(replaced)", +"110":"MinQty", +"111":"MaxFloor", +"112":"TestReqID", +"113":"ReportToExch", +"114":"LocateReqd", +"115":"OnBehalfOfCompID", +"116":"OnBehalfOfSubID", +"117":"QuoteID", +"118":"NetMoney", +"119":"SettlCurrAmt", +"120":"SettlCurrency", +"121":"ForexReq", +"122":"OrigSendingTime", +"123":"GapFillFlag", +"124":"NoExecs", +"125":"CxlType(nolongerused)", +"126":"ExpireTime", +"127":"DKReason", +"128":"DeliverToCompID", +"129":"DeliverToSubID", +"130":"IOINaturalFlag", +"131":"QuoteReqID", +"132":"BidPx", +"133":"OfferPx", +"134":"BidSize", +"135":"OfferSize", +"136":"NoMiscFees", +"137":"MiscFeeAmt", +"138":"MiscFeeCurr", +"139":"MiscFeeType", +"140":"PrevClosePx", +"141":"ResetSeqNumFlag", +"142":"SenderLocationID", +"143":"TargetLocationID", +"144":"OnBehalfOfLocationID", +"145":"DeliverToLocationID", +"146":"NoRelatedSym", +"147":"Subject", +"148":"Headline", +"149":"URLLink", +"150":"ExecType", +"151":"LeavesQty", +"152":"CashOrderQty", +"153":"AllocAvgPx", +"154":"AllocNetMoney", +"155":"SettlCurrFxRate", +"156":"SettlCurrFxRateCalc", +"157":"NumDaysInterest", +"158":"AccruedInterestRate", +"159":"AccruedInterestAmt", +"160":"SettlInstMode", +"161":"AllocText", +"162":"SettlInstID", +"163":"SettlInstTransType", +"164":"EmailThreadID", +"165":"SettlInstSource", +"166":"SettlLocation(replaced)", +"167":"SecurityType", +"168":"EffectiveTime", +"169":"StandInstDbType", +"170":"StandInstDbName", +"171":"StandInstDbID", +"172":"SettlDeliveryType", +"173":"SettlDepositoryCode", +"174":"SettlBrkrCode", +"175":"SettlInstCode", +"176":"SecuritySettlAgentName", +"177":"SecuritySettlAgentCode", +"178":"SecuritySettlAgentAcctNum", +"179":"SecuritySettlAgentAcctName", +"180":"SecuritySettlAgentContactName", +"181":"SecuritySettlAgentContactPhone", +"182":"CashSettlAgentName", +"183":"CashSettlAgentCode", +"184":"CashSettlAgentAcctNum", +"185":"CashSettlAgentAcctName", +"186":"CashSettlAgentContactName", +"187":"CashSettlAgentContactPhone", +"188":"BidSpotRate", +"189":"BidForwardPoints", +"190":"OfferSpotRate", +"191":"OfferForwardPoints", +"192":"OrderQty2", +"193":"FutSettDate2", +"194":"LastSpotRate", +"195":"LastForwardPoints", +"196":"AllocLinkID", +"197":"AllocLinkType", +"198":"SecondaryOrderID", +"199":"NoIOIQualifiers", +"200":"MaturityMonthYear", +"201":"PutOrCall(replaced)", +"202":"StrikePrice", +"203":"CoveredOrUncovered", +"204":"CustomerOrFirm(replaced)", +"205":"MaturityDay(replaced)", +"206":"OptAttribute", +"207":"SecurityExchange", +"208":"NotifyBrokerOfCredit", +"209":"AllocHandlInst", +"210":"MaxShow", +"211":"PegDifference", +"212":"XmlDataLen", +"213":"XmlData", +"214":"SettlInstRefID", +"215":"NoRoutingIDs", +"216":"RoutingType", +"217":"RoutingID", +"218":"Spread(formerlynamed:SpreadToBenchmarkpriortoFIX4.3)", +"219":"Benchmark(Deprecated)", +"220":"BenchmarkCurveCurrency", +"221":"BenchmarkCurveName", +"222":"BenchmarkCurvePoint", +"223":"CouponRate", +"224":"CouponPaymentDate", +"225":"IssueDate", +"226":"RepurchaseTerm", +"227":"RepurchaseRate", +"228":"Factor", +"229":"TradeOriginationDate", +"230":"ExDate", +"231":"ContractMultiplier", +"232":"NoStipulations", +"233":"StipulationType", +"234":"StipulationValue", +"235":"YieldType", +"236":"Yield", +"237":"TotalTakedown", +"238":"Concession", +"239":"RepoCollateralSecurityType", +"240":"RedemptionDate", +"241":"UnderlyingCouponPaymentDate", +"242":"UnderlyingIssueDate", +"243":"UnderlyingRepoCollateralSecurityType", +"244":"UnderlyingRepurchaseTerm", +"245":"UnderlyingRepurchaseRate", +"246":"UnderlyingFactor", +"247":"UnderlyingRedemptionDate", +"248":"LegCouponPaymentDate", +"249":"LegIssueDate", +"250":"LegRepoCollateralSecurityType", +"251":"LegRepurchaseTerm", +"252":"LegRepurchaseRate", +"253":"LegFactor", +"254":"LegRedemptionDate", +"255":"CreditRating", +"256":"UnderlyingCreditRating", +"257":"LegCreditRating", +"258":"TradedFlatSwitch", +"259":"BasisFeatureDate", +"260":"BasisFeaturePrice", +"261":"Reserved/AllocatedtotheFixedIncomeproposal", +"262":"MDReqID", +"263":"SubscriptionRequestType", +"264":"MarketDepth", +"265":"MDUpdateType", +"266":"AggregatedBook", +"267":"NoMDEntryTypes", +"268":"NoMDEntries", +"269":"MDEntryType", +"270":"MDEntryPx", +"271":"MDEntrySize", +"272":"MDEntryDate", +"273":"MDEntryTime", +"274":"TickDirection", +"275":"MDMkt", +"276":"QuoteCondition", +"277":"TradeCondition", +"278":"MDEntryID", +"279":"MDUpdateAction", +"280":"MDEntryRefID", +"281":"MDReqRejReason", +"282":"MDEntryOriginator", +"283":"LocationID", +"284":"DeskID", +"285":"DeleteReason", +"286":"OpenCloseSettleFlag", +"287":"SellerDays", +"288":"MDEntryBuyer", +"289":"MDEntrySeller", +"290":"MDEntryPositionNo", +"291":"FinancialStatus", +"292":"CorporateAction", +"293":"DefBidSize", +"294":"DefOfferSize", +"295":"NoQuoteEntries", +"296":"NoQuoteSets", +"297":"QuoteStatus(formerlynamed:QuoteAckStatuspriortoFIX4.3)", +"298":"QuoteCancelType", +"299":"QuoteEntryID", +"300":"QuoteRejectReason", +"301":"QuoteResponseLevel", +"302":"QuoteSetID", +"303":"QuoteRequestType", +"304":"TotQuoteEntries", +"305":"UnderlyingSecurityIDSource(formerlynamed:UnderlyingIDSourcepriortoFIX4.3)", +"306":"UnderlyingIssuer", +"307":"UnderlyingSecurityDesc", +"308":"UnderlyingSecurityExchange", +"309":"UnderlyingSecurityID", +"310":"UnderlyingSecurityType", +"311":"UnderlyingSymbol", +"312":"UnderlyingSymbolSfx", +"313":"UnderlyingMaturityMonthYear", +"314":"UnderlyingMaturityDay(replaced)", +"315":"UnderlyingPutOrCall(replaced)", +"316":"UnderlyingStrikePrice", +"317":"UnderlyingOptAttribute", +"318":"UnderlyingCurrency", +"319":"RatioQty", +"320":"SecurityReqID", +"321":"SecurityRequestType", +"322":"SecurityResponseID", +"323":"SecurityResponseType", +"324":"SecurityStatusReqID", +"325":"UnsolicitedIndicator", +"326":"SecurityTradingStatus", +"327":"HaltReason", +"328":"InViewOfCommon", +"329":"DueToRelated", +"330":"BuyVolume", +"331":"SellVolume", +"332":"HighPx", +"333":"LowPx", +"334":"Adjustment", +"335":"TradSesReqID", +"336":"TradingSessionID", +"337":"ContraTrader", +"338":"TradSesMethod", +"339":"TradSesMode", +"340":"TradSesStatus", +"341":"TradSesStartTime", +"342":"TradSesOpenTime", +"343":"TradSesPreCloseTime", +"344":"TradSesCloseTime", +"345":"TradSesEndTime", +"346":"NumberOfOrders", +"347":"MessageEncoding", +"348":"EncodedIssuerLen", +"349":"EncodedIssuer", +"350":"EncodedSecurityDescLen", +"351":"EncodedSecurityDesc", +"352":"EncodedListExecInstLen", +"353":"EncodedListExecInst", +"354":"EncodedTextLen", +"355":"EncodedText", +"356":"EncodedSubjectLen", +"357":"EncodedSubject", +"358":"EncodedHeadlineLen", +"359":"EncodedHeadline", +"360":"EncodedAllocTextLen", +"361":"EncodedAllocText", +"362":"EncodedUnderlyingIssuerLen", +"363":"EncodedUnderlyingIssuer", +"364":"EncodedUnderlyingSecurityDescLen", +"365":"EncodedUnderlyingSecurityDesc", +"366":"AllocPrice", +"367":"QuoteSetValidUntilTime", +"368":"QuoteEntryRejectReason", +"369":"LastMsgSeqNumProcessed", +"370":"OnBehalfOfSendingTime(Deprecated)", +"371":"RefTagID", +"372":"RefMsgType", +"373":"SessionRejectReason", +"374":"BidRequestTransType", +"375":"ContraBroker", +"376":"ComplianceID", +"377":"SolicitedFlag", +"378":"ExecRestatementReason", +"379":"BusinessRejectRefID", +"380":"BusinessRejectReason", +"381":"GrossTradeAmt", +"382":"NoContraBrokers", +"383":"MaxMessageSize", +"384":"NoMsgTypes", +"385":"MsgDirection", +"386":"NoTradingSessions", +"387":"TotalVolumeTraded", +"388":"DiscretionInst", +"389":"DiscretionOffset", +"390":"BidID", +"391":"ClientBidID", +"392":"ListName", +"393":"TotalNumSecurities", +"394":"BidType", +"395":"NumTickets", +"396":"SideValue1", +"397":"SideValue2", +"398":"NoBidDescriptors", +"399":"BidDescriptorType", +"400":"BidDescriptor", +"401":"SideValueInd", +"402":"LiquidityPctLow", +"403":"LiquidityPctHigh", +"404":"LiquidityValue", +"405":"EFPTrackingError", +"406":"FairValue", +"407":"OutsideIndexPct", +"408":"ValueOfFutures", +"409":"LiquidityIndType", +"410":"WtAverageLiquidity", +"411":"ExchangeForPhysical", +"412":"OutMainCntryUIndex", +"413":"CrossPercent", +"414":"ProgRptReqs", +"415":"ProgPeriodInterval", +"416":"IncTaxInd", +"417":"NumBidders", +"418":"TradeType", +"419":"BasisPxType", +"420":"NoBidComponents", +"421":"Country", +"422":"TotNoStrikes", +"423":"PriceType", +"424":"DayOrderQty", +"425":"DayCumQty", +"426":"DayAvgPx", +"427":"GTBookingInst", +"428":"NoStrikes", +"429":"ListStatusType", +"430":"NetGrossInd", +"431":"ListOrderStatus", +"432":"ExpireDate", +"433":"ListExecInstType", +"434":"CxlRejResponseTo", +"435":"UnderlyingCouponRate", +"436":"UnderlyingContractMultiplier", +"437":"ContraTradeQty", +"438":"ContraTradeTime", +"439":"ClearingFirm(replaced)", +"440":"ClearingAccount(replaced)", +"441":"LiquidityNumSecurities", +"442":"MultiLegReportingType", +"443":"StrikeTime", +"444":"ListStatusText", +"445":"EncodedListStatusTextLen", +"446":"EncodedListStatusText", +"447":"PartyIDSource", +"448":"PartyID", +"449":"TotalVolumeTradedDate", +"450":"TotalVolumeTradedTime", +"451":"NetChgPrevDay", +"452":"PartyRole", +"453":"NoPartyIDs", +"454":"NoSecurityAltID", +"455":"SecurityAltID", +"456":"SecurityAltIDSource", +"457":"NoUnderlyingSecurityAltID", +"458":"UnderlyingSecurityAltID", +"459":"UnderlyingSecurityAltIDSource", +"460":"Product", +"461":"CFICode", +"462":"UnderlyingProduct", +"463":"UnderlyingCFICode", +"464":"TestMessageIndicator", +"465":"QuantityType", +"466":"BookingRefID", +"467":"IndividualAllocID", +"468":"RoundingDirection", +"469":"RoundingModulus", +"470":"CountryOfIssue", +"471":"StateOrProvinceOfIssue", +"472":"LocaleOfIssue", +"473":"NoRegistDtls", +"474":"MailingDtls", +"475":"InvestorCountryOfResidence", +"476":"PaymentRef", +"477":"DistribPaymentMethod", +"478":"CashDistribCurr", +"479":"CommCurrency", +"480":"CancellationRights", +"481":"MoneyLaunderingStatus", +"482":"MailingInst", +"483":"TransBkdTime", +"484":"ExecPriceType", +"485":"ExecPriceAdjustment", +"486":"DateOfBirth", +"487":"TradeReportTransType", +"488":"CardHolderName", +"489":"CardNumber", +"490":"CardExpDate", +"491":"CardIssNo", +"492":"PaymentMethod", +"493":"RegistAcctType", +"494":"Designation", +"495":"TaxAdvantageType", +"496":"RegistRejReasonText", +"497":"FundRenewWaiv", +"498":"CashDistribAgentName", +"499":"CashDistribAgentCode", +"500":"CashDistribAgentAcctNumber", +"501":"CashDistribPayRef", +"502":"CashDistribAgentAcctName", +"503":"CardStartDate", +"504":"PaymentDate", +"505":"PaymentRemitterID", +"506":"RegistStatus", +"507":"RegistRejReasonCode", +"508":"RegistRefID", +"509":"RegistDetls", +"510":"NoDistribInsts", +"511":"RegistEmail", +"512":"DistribPercentage", +"513":"RegistID", +"514":"RegistTransType", +"515":"ExecValuationPoint", +"516":"OrderPercent", +"517":"OwnershipType", +"518":"NoContAmts", +"519":"ContAmtType", +"520":"ContAmtValue", +"521":"ContAmtCurr", +"522":"OwnerType", +"523":"PartySubID", +"524":"NestedPartyID", +"525":"NestedPartyIDSource", +"526":"SecondaryClOrdID", +"527":"SecondaryExecID", +"528":"OrderCapacity", +"529":"OrderRestrictions", +"530":"MassCancelRequestType", +"531":"MassCancelResponse", +"532":"MassCancelRejectReason", +"533":"TotalAffectedOrders", +"534":"NoAffectedOrders", +"535":"AffectedOrderID", +"536":"AffectedSecondaryOrderID", +"537":"QuoteType", +"538":"NestedPartyRole", +"539":"NoNestedPartyIDs", +"540":"TotalAccruedInterestAmt", +"541":"MaturityDate", +"542":"UnderlyingMaturityDate", +"543":"InstrRegistry", +"544":"CashMargin", +"545":"NestedPartySubID", +"546":"Scope", +"547":"MDImplicitDelete", +"548":"CrossID", +"549":"CrossType", +"550":"CrossPrioritization", +"551":"OrigCrossID", +"552":"NoSides", +"553":"Username", +"554":"Password", +"555":"NoLegs", +"556":"LegCurrency", +"557":"TotalNumSecurityTypes", +"558":"NoSecurityTypes", +"559":"SecurityListRequestType", +"560":"SecurityRequestResult", +"561":"RoundLot", +"562":"MinTradeVol", +"563":"MultiLegRptTypeReq", +"564":"LegPositionEffect", +"565":"LegCoveredOrUncovered", +"566":"LegPrice", +"567":"TradSesStatusRejReason", +"568":"TradeRequestID", +"569":"TradeRequestType", +"570":"PreviouslyReported", +"571":"TradeReportID", +"572":"TradeReportRefID", +"573":"MatchStatus", +"574":"MatchType", +"575":"OddLot", +"576":"NoClearingInstructions", +"577":"ClearingInstruction", +"578":"TradeInputSource", +"579":"TradeInputDevice", +"580":"NoDates", +"581":"AccountType", +"582":"CustOrderCapacity", +"583":"ClOrdLinkID", +"584":"MassStatusReqID", +"585":"MassStatusReqType", +"586":"OrigOrdModTime", +"587":"LegSettlmntTyp", +"588":"LegFutSettDate", +"589":"DayBookingInst", +"590":"BookingUnit", +"591":"PreallocMethod", +"592":"UnderlyingCountryOfIssue", +"593":"UnderlyingStateOrProvinceOfIssue", +"594":"UnderlyingLocaleOfIssue", +"595":"UnderlyingInstrRegistry", +"596":"LegCountryOfIssue", +"597":"LegStateOrProvinceOfIssue", +"598":"LegLocaleOfIssue", +"599":"LegInstrRegistry", +"600":"LegSymbol", +"601":"LegSymbolSfx", +"602":"LegSecurityID", +"603":"LegSecurityIDSource", +"604":"NoLegSecurityAltID", +"605":"LegSecurityAltID", +"606":"LegSecurityAltIDSource", +"607":"LegProduct", +"608":"LegCFICode", +"609":"LegSecurityType", +"610":"LegMaturityMonthYear", +"611":"LegMaturityDate", +"612":"LegStrikePrice", +"613":"LegOptAttribute", +"614":"LegContractMultiplier", +"615":"LegCouponRate", +"616":"LegSecurityExchange", +"617":"LegIssuer", +"618":"EncodedLegIssuerLen", +"619":"EncodedLegIssuer", +"620":"LegSecurityDesc", +"621":"EncodedLegSecurityDescLen", +"622":"EncodedLegSecurityDesc", +"623":"LegRatioQty", +"624":"LegSide", +"625":"TradingSessionSubID", +"626":"AllocType", +"627":"NoHops", +"628":"HopCompID", +"629":"HopSendingTime", +"630":"HopRefID", +"631":"MidPx", +"632":"BidYield", +"633":"MidYield", +"634":"OfferYield", +"635":"ClearingFeeIndicator", +"636":"WorkingIndicator", +"637":"LegLastPx", +"638":"PriorityIndicator", +"639":"PriceImprovement", +"640":"Price2", +"641":"LastForwardPoints2", +"642":"BidForwardPoints2", +"643":"OfferForwardPoints2", +"644":"RFQReqID", +"645":"MktBidPx", +"646":"MktOfferPx", +"647":"MinBidSize", +"648":"MinOfferSize", +"649":"QuoteStatusReqID", +"650":"LegalConfirm", +"651":"UnderlyingLastPx", +"652":"UnderlyingLastQty", +"653":"SecDefStatus", +"654":"LegRefID", +"655":"ContraLegRefID", +"656":"SettlCurrBidFxRate", +"657":"SettlCurrOfferFxRate", +"658":"QuoteRequestRejectReason", +"659":"SideComplianceID" +} diff --git a/resources/Fields43.xml b/resources/Fields43.xml new file mode 100644 index 0000000..46bd194 --- /dev/null +++ b/resources/Fields43.xml @@ -0,0 +1,4647 @@ + + + +1 +Account +String +Account mnemonic as agreed between buy and sell sides, e.g. broker and institution or investor/intermediary and fund manager. +0 + + +2 +AdvId +String +Unique identifier of advertisement message. (Prior to FIX 4.1 this field was of type int) +0 + + +3 +AdvRefID +String +Reference identifier used with CANCEL and REPLACE transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +4 +AdvSide +char +Broker's side of advertised trade Valid values: B = Buy S = Sell X = Cross T = Trade +0 + + +5 +AdvTransType +String +Identifies advertisement message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +6 +AvgPx +Price +Calculated average price of all fills on this order. +0 + + +7 +BeginSeqNo +SeqNum +Message sequence number of first message in range to be resent +0 + + +8 +BeginString +String +Identifies beginning of new message and protocol version. ALWAYS FIRST FIELD IN MESSAGE. (Always unencrypted) Valid values: FIX.4.3 +0 + + +9 +BodyLength +Length +Message length, in bytes, forward to the CheckSum field. ALWAYS SECOND FIELD IN MESSAGE. (Always unencrypted) +0 + + +10 +CheckSum +String +Three byte, simple checksum (see Volume 2: "Checksum Calculation" for description). ALWAYS LAST FIELD IN MESSAGE; i.e. serves, with the trailing <SOH>, as the end-of-message delimiter. Always defined as three characters. (Always unencrypted) +0 + + +11 +ClOrdID +String +Unique identifier for Order as assigned by the buy-side (institution, broker, intermediary etc.) (identified by SenderCompID or OnBehalfOfCompID as appropriate). Uniqueness must be guaranteed within a single trading day. Firms, particularly those which electronically submit multi-day orders, trade globally or throughout market close periods, should ensure uniqueness across days, for example by embedding a date within the ClOrdID field. +0 + + +12 +Commission +Amt +Commission. Note if CommType is percentage, Commission of 5% should be represented as .05. +0 + + +13 +CommType +char +Commission type Valid values: 1 = per share 2 = percentage 3 = absolute 4 = (for CIV buy orders) percentage waived – cash discount 5 = (for CIV buy orders) percentage waived – enhanced units 6 = per bond +0 + + +14 +CumQty +Qty +Total quantity (e.g. number of shares) filled. (Prior to FIX 4.2 this field was of type int) +0 + + +15 +Currency +Currency +Identifies currency used for price. Absence of this field is interpreted as the default for the security. It is recommended that systems provide the currency value whenever possible. See "Appendix 6-A: Valid Currency Codes" for information on obtaining valid values. +0 + + +16 +EndSeqNo +SeqNum +Message sequence number of last message in range to be resent. If request is for a single message BeginSeqNo = EndSeqNo. If request is for all messages subsequent to a particular message, EndSeqNo = “0” (representing infinity). +0 + + +17 +ExecID +String +Unique identifier of execution message as assigned by sell-side (broker, exchange, ECN) (will be 0 (zero) forExecType=I (Order Status)). Uniqueness must be guaranteed within a single trading day or the life of a multi-day order. Firms which accept multi-day orders should consider embedding a date within the ExecID field to assure uniqueness across days. (Prior to FIX 4.1 this field was of type int) +0 + + +18 +ExecInst +MultipleValueString +E = Do not increase - DNI F = Do not reduce - DNR G = All or none - AON H = Reinstate on System Failure (mutually exclusive with Q) I = Institutions only J = Reinstate on Trading Halt (mutually exclusive with K) K = Cancel on Trading Halt (mutually exclusive with L) L = Last peg (last sale) M = Mid-price peg (midprice of inside quote) N = Non-negotiable O = Opening peg +P = Market peg Q = Cancel on System Failure (mutually exclusive with H) R = Primary peg (primary market - buy at bid/sell at offer) S = Suspend T = Fixed Peg to Local best bid or offer at time of order U = Customer Display Instruction (Rule11Ac1-1/4) V = Netting (for Forex) W = Peg to VWAP X = Trade Along Y = Try to Stop (see Volume 1: "Glossary" for value definitions) +0 + + +19 +ExecRefID +String +Reference identifier used with Cancel and Correct transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +20 +ExecTransType(replaced) +char +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Identifies transaction type Valid values: 0 = New 1 = Cancel 2 = Correct 3 = Status +0 + + +21 +HandlInst +char +Instructions for order handling on Broker trading floor Valid values: 1 = Automated execution order, private, no Broker intervention 2 = Automated execution order, public, Broker intervention OK 3 = Manual order, best execution +0 + + +22 +SecurityIDSource(formerly named: IDSource prior to FIX 4.3) +String +Identifies class or source of the SecurityID value. Required if SecurityID is specified. Valid values: 1 = CUSIP 2 = SEDOL 3 = QUIK 4 = ISIN number 5 = RIC code 6 = ISO Currency Code 7 = ISO Country Code 8 = Exchange Symbol 9 = Consolidated Tape Association (CTA) Symbol (SIAC CTS/CQS line format) A = Bloomberg Symbol B = Wertpapier C = Dutch D = Valoren E = Sicovam F = Belgian G = "Common" (Clearstream and Euroclear) 100+ are reserved for private security identifications +0 + + +23 +IOIid +String +Unique identifier of IOI message. (Prior to FIX 4.1 this field was of type int) +0 + + +24 +IOIOthSvc (no longer used) +char +No longer used as of FIX 4.2. Included here for reference to prior versions. +0 + + +25 +IOIQltyInd +char +Relative quality of indication Valid values: L = Low M = Medium H = High +0 + + +26 +IOIRefID +String +Reference identifier used with CANCEL and REPLACE, transaction types. (Prior to FIX 4.1 this field was of type int) +0 + + +27 +IOIQty (formerly named: IOIShares prior to FIX 4.3) +String +Quantity (e.g. number of shares) in numeric form or relative size. Valid values: 0 - 1000000000 S = Small M = Medium L = Large +0 + + +28 +IOITransType +char +Identifies IOI message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +29 +LastCapacity +char +Broker capacity in order execution Valid values: 1 = Agent 2 = Cross as agent 3 = Cross as principal 4 = Principal +0 + + +30 +LastMkt +Exchange +Market of execution for last fill Valid values: See "Appendix 6-C" +0 + + +31 +LastPx +Price +Price of this (last) fill. +0 + + +32 +LastQty(formerly named: LastShares prior to FIX 4.3) +Qty +Quantity (e.g. shares) bought/sold on this (last) fill. (Prior to FIX 4.2 this field was of type int) +0 + + +33 +LinesOfText +NumInGroup +Identifies number of lines of text body +0 + + +34 +MsgSeqNum +SeqNum +Integer message sequence number. +0 + + +35 +MsgType +String +Defines message type. ALWAYS THIRD FIELD IN MESSAGE. (Always unencrypted) Note: A "U" as the first character in the MsgType field (i.e. U1, U2, etc) indicates that the message format is privately defined between the sender and receiver. Valid values: *** Note the use of lower case letters *** 0 = Heartbeat 1 = Test Request 2 = Resend Request 3 = Reject 4 = Sequence Reset 5 = Logout 6 = Indication of Interest 7 = Advertisement 8 = Execution Report 9 = Order Cancel Reject A = Logon B = News C = Email D = Order – Single E = Order – List F = Order Cancel Request G= Order Cancel/Replace Request H= Order Status Request J = Allocation K = List Cancel Request L = List Execute M = List Status Request N = List Status P = Allocation ACK Q = Don’t Know Trade (DK) R = Quote Request S = Quote T = Settlement Instructions V = Market Data Request W = Market Data-Snapshot/Full Refresh X = Market Data-Incremental Refresh Y = Market Data Request Reject Z = Quote Cancel a = Quote Status Request b = Mass Quote Acknowledgement c = Security Definition Request d = Security Definition e = Security Status Request f = Security Status g = Trading Session Status Request h = Trading Session Status i = Mass Quote j = Business Message Reject k = Bid Request l = Bid Response (lowercase L) m = List Strike Price n = XML message (e.g. non-FIX MsgType) o = Registration Instructions p = Registration Instructions Response q = Order Mass Cancel Request r = Order Mass Cancel Report s = New Order - Cross t = Cross Order Cancel/Replace Request (a.k.a. Cross Order Modification Request) u = Cross Order Cancel Request v = Security Type Request w = Security Types x = Security List Request y = Security List z = Derivative Security List Request AA = Derivative Security List AB = New Order - Multileg AC = Multileg Order Cancel/Replace (a.k.a. Multileg Order Modification Request) AD = Trade Capture Report Request AE = Trade Capture Report AF = Order Mass Status Request AG = Quote Request Reject AH = RFQ Request AI = Quote Status Report +0 + + +36 +NewSeqNo +SeqNum +New sequence number +0 + + +37 +OrderID +String +Unique identifier for Order as assigned by sell-side (broker, exchange, ECN). Uniqueness must be guaranteed within a single trading day. Firms which accept multi-day orders should consider embedding a date within the OrderID field to assure uniqueness across days. +0 + + +38 +OrderQty +Qty +Quantity ordered. This represents the number of shares for equities or based on normal convention the number of contracts for options, futures, convertible bonds, etc. (Prior to FIX 4.2 this field was of type int) +0 + + +39 +OrdStatus +char +Identifies current status of order. Valid values: 0 = New 1 = Partially filled 2 = Filled 3 = Done for day 4 = Canceled 5 = Replaced (Removed/Replaced) 6 = Pending Cancel (e.g. result of Order Cancel Request) 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired D = Accepted for bidding E = Pending Replace (e.g. result of Order Cancel/Replace Request) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** (see Volume 1: "Glossary" for value definitions) +0 + + +40 +OrdType +char +Order type. Valid values: 1 = Market 2 = Limit 3 = Stop 4 = Stop limit 5 = Market on close (Deprecated) 6 = With or without 7 = Limit or better 8 = Limit with or without 9 = On basis A = On close (Deprecated) B = Limit on close (Deprecated) C = Forex - Market (Deprecated) D = Previously quoted E = Previously indicated F = Forex - Limit (Deprecated) G = Forex - Swap H = Forex - Previously Quoted (Deprecated) I = Funari (Limit Day Order with unexecuted portion handled as Market On Close. e.g. Japan) J = Market If Touched (MIT) K = Market with Leftover as Limit (market order then unexecuted quantity becomes limit order at last price) L = Previous Fund Valuation Point (Historic pricing) (for CIV) M = Next Fund Valuation Point –(Forward pricing) (for CIV) P = Pegged *** SOME VALUES HAVE BEEN DEPRECATED - See "Deprecated (Phased-out) Features and Supported Approach" *** (see Volume 1: "Glossary" for value definitions) +0 + + +41 +OrigClOrdID +String +ClOrdID of the previous order (NOT the initial order of the day) as assigned by the institution, used to identify the previous order in cancel and cancel/replace requests. +0 + + +42 +OrigTime +UTCTimestamp +Time of message origination (always expressed in UTC (Universal Time Coordinated, also known as “GMT”)) +0 + + +43 +PossDupFlag +Boolean +Indicates possible retransmission of message with this sequence number Valid values: Y = Possible duplicate N = Original transmission +0 + + +44 +Price +Price +Price per unit of quantity (e.g. per share) +0 + + +45 +RefSeqNum +SeqNum +Reference message sequence number +0 + + +46 +RelatdSym (no longer used) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. +0 + + +47 +Rule80A(Deprecated) +char +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Note that the name of this field is changing to “OrderCapacity” as Rule80A is a very US market-specific term. Other world markets need to convey similar information, however, often a subset of the US values. See the “Rule80A (aka OrderCapacity) Usage by Market” appendix for market-specific usage of this field. Valid values: A = Agency single order B = Short exempt transaction (refer to A type) C = Program Order, non-index arb, for Member firm/org D = Program Order, index arb, for Member firm/org E = Short Exempt Transaction for Principal (was incorrectly identified in the FIX spec as “Registered Equity Market Maker trades”) F = Short exempt transaction (refer to W type) H = Short exempt transaction (refer to I type) I = Individual Investor, single order J = Program Order, index arb, for individual customer K = Program Order, non-index arb, for individual customer L = Short exempt transaction for member competing market-maker affiliated with the firm clearing the trade (refer to P and O types) M = Program Order, index arb, for other member N = Program Order, non-index arb, for other member O = Proprietary transactions for competing market-maker that is affiliated with the clearing member (was incorrectly identified in the FIX spec as “Competing dealer trades”) P = Principal R = Transactions for the account of a non-member competing market maker (was incorrectly identified in the FIX spec as “Competing dealer trades”) S = Specialist trades T = Transactions for the account of an unaffiliated member’s competing market maker (was incorrectly identified in the FIX spec as “Competing dealer trades”) U = Program Order, index arb, for other agency W = All other orders as agent for other member X = Short exempt transaction for member competing market-maker not affiliated with the firm clearing the trade (refer to W and T types) Y = Program Order, non-index arb, for other agency Z = Short exempt transaction for non-member competing market-maker (refer to A and R types) +0 + + +48 +SecurityID +String +Security identifier value of SecurityIDSource type (e.g. CUSIP, SEDOL, ISIN, etc). Requires SecurityIDSource. +0 + + +49 +SenderCompID +String +Assigned value used to identify firm sending message. +0 + + +50 +SenderSubID +String +Assigned value used to identify specific message originator (desk, trader, etc.) +0 + + +51 +SendingDate (no longer used) +LocalMktDate +No longer used. Included here for reference to prior versions. +0 + + +52 +SendingTime +UTCTimestamp +Time of message transmission (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +53 +Quantity(formerly named: Shares prior to FIX 4.3) +Qty +Overall/total quantity (e.g. number of shares) (Prior to FIX 4.2 this field was of type int) +0 + + +54 +Side +char +Side of order Valid values: 1 = Buy 2 = Sell 3 = Buy minus 4 = Sell plus 5 = Sell short 6 = Sell short exempt 7 = Undisclosed (valid for IOI and List Order messages only) 8 = Cross (orders where counterparty is an exchange, valid for all messages except IOIs) 9 = Cross short A = Cross short exempt B = “As Defined” (for use with multileg instruments) C = “Opposite” (for use with multileg instruments) (see Volume 1: "Glossary" for value definitions) +0 + + +55 +Symbol +String +Ticker symbol. Common, "human understood" representation of the security. SecurityID value can be specified if no symbol exists (e.g. non-exchange traded Collective Investment Vehicles) +0 + + +56 +TargetCompID +String +Assigned value used to identify receiving firm. +0 + + +57 +TargetSubID +String +Assigned value used to identify specific individual or unit intended to receive message. “ADMIN” reserved for administrative messages not intended for a specific user. +0 + + +58 +Text +String +Free format text string (Note: this field does not have a specified maximum length) +0 + + +59 +TimeInForce +char +Specifies how long the order remains in effect. Absence of this field is interpreted as DAY. NOTE not applicable to CIV Orders. Valid values: 0 = Day 1 = Good Till Cancel (GTC) 2 = At the Opening (OPG) 3 = Immediate or Cancel (IOC) 4 = Fill or Kill (FOK) 5 = Good Till Crossing (GTX) 6 = Good Till Date 7 = At the Close (see Volume 1: "Glossary" for value definitions) +0 + + +60 +TransactTime +UTCTimestamp +Time of execution/order creation (expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +61 +Urgency +char +Urgency flag Valid values: 0 = Normal 1 = Flash 2 = Background +0 + + +62 +ValidUntilTime +UTCTimestamp +Indicates expiration time of indication message (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +63 +SettlmntTyp +char +Indicates order settlement period. If present, FutSettDate (64) overrides this field. If both SettlmntTyp (63) and FutSettDate (64) are omitted, the default for SettlmntTyp (63) is 0 (Regular) Regular is defined as the default settlement period for the particular security on the exchange of execution. Valid values: 0 = Regular 1 = Cash 2 = Next Day 3 = T+2 4 = T+3 5 = T+4 6 = Future 7 = When And If Issued 8 = Sellers Option 9 = T+ 5 A = T+1 +0 + + +64 +FutSettDate +LocalMktDate +Specific date of trade settlement (SettlementDate) in YYYYMMDD format. If present, this field overrides SettlmntTyp (63). This field is required if the value of SettlmntTyp (63) is 6 (Future) or 8 (Sellers Option). This field must be omitted if the value of SettlmntTyp (63) is 7 (When and If Issued) (expressed in local time at place of settlement) +0 + + +65 +SymbolSfx +String +Additional information about the security (e.g. preferred, warrants, etc.). Note also see SecurityType (167). Valid values: As defined in the NYSE Stock and bond Symbol Directory and in the AMEX Fitch Directory +0 + + +66 +ListID +String +Unique identifier for list as assigned by institution, used to associate multiple individual orders. Uniqueness must be guaranteed within a single trading day. Firms which generate multi-day orders should consider embedding a date within the ListID field to assure uniqueness across days. +0 + + +67 +ListSeqNo +int +Sequence of individual order within list (i.e. ListSeqNo of TotNoOrds, 2 of 25, 3 of 25, . . . ) +0 + + +68 +TotNoOrders(formerly named: ListNoOrds) +int +Total number of list order entries across all messages. Should be the sum of all NoOrders in each message that has repeating list order entries related to the same ListID. Used to support fragmentation. (Prior to FIX 4.2 this field was named "ListNoOrds") +0 + + +69 +ListExecInst +String +Free format text message containing list handling and execution instructions. +0 + + +70 +AllocID +String +Unique identifier for allocation message. (Prior to FIX 4.1 this field was of type int) +0 + + +71 +AllocTransType +char +Identifies allocation transaction type Valid values: 0 = New 1 = Replace 2 = Cancel 3 = Preliminary (without MiscFees and NetMoney) (Removed/Replaced) 4 = Calculated (includes MiscFees and NetMoney) (Removed/Replaced) 5 = Calculated without Preliminary (sent unsolicited by broker, includes MiscFees and NetMoney) (Removed/Replaced) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** +0 + + +72 +RefAllocID +String +Reference identifier to be used with AllocTransType=Replace or Cancel or with AllocType = "Sellside Calculated Using Preliminary". (Prior to FIX 4.1 this field was of type int) +0 + + +73 +NoOrders +NumInGroup +Indicates number of orders to be combined for average pricing and allocation. +0 + + +74 +AvgPrxPrecision +int +Indicates number of decimal places to be used for average pricing. Absence of this field indicates that default precision arranged by the broker/institution is to be used. +0 + + +75 +TradeDate +LocalMktDate +Indicates date of trade referenced in this message in YYYYMMDD format. Absence of this field indicates current day (expressed in local time at place of trade). +0 + + +76 +ExecBroker(replaced) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Identifies executing / give-up broker. Standard NASD market-maker mnemonic is preferred. +0 + + +77 +PositionEffect(formerly named: OpenClose prior to FIX 4.3) +char +Indicates whether the resulting position after a trade should be an opening position or closing position. Used for omnibus accounting - where accounts are held on a gross basis instead of being netted together. Valid Values: O = Open C = Close R = Rolled F = FIFO +0 + + +78 +NoAllocs +NumInGroup +Number of repeating AllocAccount/AllocPrice entries. +0 + + +79 +AllocAccount +String +Sub-account mnemonic +0 + + +80 +AllocQty(formerly named: AllocShares prior to FIX 4.3) +Qty +Quantity to be allocated to specific sub-account (Prior to FIX 4.2 this field was of type int) +0 + + +81 +ProcessCode +char +Processing code for sub-account. Absence of this field in AllocAccount / AllocPrice/AllocQty / ProcessCode instance indicates regular trade. Valid values: 0 = regular 1 = soft dollar 2 = step-in 3 = step-out 4 = soft-dollar step-in 5 = soft-dollar step-out 6 = plan sponsor +0 + + +82 +NoRpts +NumInGroup +Total number of reports within series. +0 + + +83 +RptSeq +int +Sequence number of message within report series. +0 + + +84 +CxlQty +Qty +Total quantity canceled for this order. (Prior to FIX 4.2 this field was of type int) +0 + + +85 +NoDlvyInst(no longer used) +int +Number of delivery instruction fields to follow No longer used. Included here for reference to prior versions. +0 + + +86 +DlvyInst(no longer used) +String +Free format text field to indicate delivery instructions No longer used. Included here for reference to prior versions. +0 + + +87 +AllocStatus +int +Identifies status of allocation. Valid values: 0 = accepted (successfully processed) 1 = rejected 2 = partial accept 3 = received (received, not yet processed) +0 + + +88 +AllocRejCode +int +Identifies reason for rejection. Valid values: 0 = unknown account(s) 1 = incorrect quantity 2 = incorrect average price 3 = unknown executing broker mnemonic 4 = commission difference 5 = unknown OrderID 6 = unknown ListID 7 = other +0 + + +89 +Signature +data +Electronic signature +0 + + +90 +SecureDataLen +Length +Length of encrypted message +0 + + +91 +SecureData +data +Actual encrypted data stream +0 + + +92 +BrokerOfCredit(replaced) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Broker to receive trade credit. +0 + + +93 +SignatureLength +Length +Number of bytes in signature field. +0 + + +94 +EmailType +char +Email message type. Valid values: 0 = New 1 = Reply 2 = Admin Reply +0 + + +95 +RawDataLength +Length +Number of bytes in raw data field. +0 + + +96 +RawData +data +Unformatted raw data, can include bitmaps, word processor documents, etc. +0 + + +97 +PossResend +Boolean +Indicates that message may contain information that has been sent under another sequence number. Valid Values: Y=Possible resend N=Original transmission +0 + + +98 +EncryptMethod +int +Method of encryption. Valid values: 0 = None / other 1 = PKCS (proprietary) 2 = DES (ECB mode) 3 = PKCS/DES (proprietary) 4 = PGP/DES (defunct) 5 = PGP/DES-MD5 (see app note on FIX web site) 6 = PEM/DES-MD5 (see app note on FIX web site) +0 + + +99 +StopPx +Price +Price per unit of quantity (e.g. per share) +0 + + +100 +ExDestination +Exchange +Execution destination as defined by institution when order is entered. Valid values: See "Appendix 6-C" +0 + + +101 +(Not Defined) +n/a +This field has not been defined. +0 + + +102 +CxlRejReason +int +Code to identify reason for cancel rejection. Valid values: 0 = Too late to cancel 1 = Unknown order 2 = Broker / Exchange Option 3 = Order already in Pending Cancel or Pending Replace status 4 = Unable to process Order Mass Cancel Request 5 = OrigOrdModTime did not match last TransactTime of order 6 = Duplicate ClOrdID received +0 + + +103 +OrdRejReason +int +Code to identify reason for order rejection. Valid values: 0 = Broker / Exchange option 1 = Unknown symbol 2 = Exchange closed 3 = Order exceeds limit 4 = Too late to enter 5 = Unknown Order 6 = Duplicate Order (e.g. dupe ClOrdID) 7 = Duplicate of a verbally communicated order 8 = Stale Order 9 = Trade Along required 10 = Invalid Investor ID 11 = Unsupported order characteristic 12 = Surveillence Option +0 + + +104 +IOIQualifier +char +Code to qualify IOI use. Valid values: A = All or none B = Market On Close (MOC) (held to close) C = At the close (around/not held to close) D = VWAP (Volume Weighted Avg Price) I = In touch with L = Limit M = More behind O = At the open P = Taking a position Q = At the Market (previously called Current Quote) R = Ready to trade S = Portfolio shown T = Through the day V = Versus W = Indication - Working away X = Crossing opportunity Y = At the Midpoint Z = Pre-open (see Volume 1: "Glossary" for value definitions) +0 + + +105 +WaveNo +String +No longer used as of FIX 4.3. Included here for reference to prior versions. +0 + + +106 +Issuer +String +Company name of security issuer (e.g. International Business Machines) see also Volume 7: "PRODUCT: FIXED INCOME - Euro Soverign Issuer Codes" +0 + + +107 +SecurityDesc +String +Security description. +0 + + +108 +HeartBtInt +int +Heartbeat interval (seconds) +0 + + +109 +ClientID(replaced) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Firm identifier used in third party-transactions (should not be a substitute for OnBehalfOfCompID/DeliverToCompID). +0 + + +110 +MinQty +Qty +Minimum quantity of an order to be executed. + (Prior to FIX 4.2 this field was of type int) +0 + + +111 +MaxFloor +Qty +Maximum quantity (e.g. number of shares) within an order to be shown on the exchange floor at any given time. + (Prior to FIX 4.2 this field was of type int) +0 + + +112 +TestReqID +String +Identifier included in Test Request message to be returned in resulting Heartbeat +0 + + +113 +ReportToExch +Boolean +Identifies party of trade responsible for exchange reporting. Valid values: Y = Indicates that party receiving message must report trade N = Indicates that party sending message will report trade +0 + + +114 +LocateReqd +Boolean +Indicates whether the broker is to locate the stock in conjunction with a short sell order. + +Valid values: Y = Indicates the broker is responsible for locating the stock N = Indicates the broker is not required to locate +0 + + +115 +OnBehalfOfCompID +String +Assigned value used to identify firm originating message if the message was delivered by a third party i.e. the third party firm identifier would be delivered in the SenderCompID field and the firm originating the message in this field. +0 + + +116 +OnBehalfOfSubID +String +Assigned value used to identify specific message originator (i.e. trader) if the message was delivered by a third party +0 + + +117 +QuoteID +String +Unique identifier for quote +0 + + +118 +NetMoney +Amt +Total amount due as the result of the transaction (e.g. for Buy order - principal + commission + fees) reported in currency of execution. +0 + + +119 +SettlCurrAmt +Amt +Total amount due expressed in settlement currency (includes the effect of the forex transaction) +0 + + +120 +SettlCurrency +Currency +Currency code of settlement denomination. +0 + + +121 +ForexReq +Boolean +Indicates request for forex accommodation trade to be executed along with security transaction. Valid values: Y = Execute Forex after security trade N = Do not execute Forex after security trade +0 + + +122 +OrigSendingTime +UTCTimestamp +Original time of message transmission (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) when transmitting orders as the result of a resend request. +0 + + +123 +GapFillFlag +Boolean +Indicates that the Sequence Reset message is replacing administrative or application messages which will not be resent. Valid values: Y = Gap Fill message, MsgSeqNum field valid N = Sequence Reset, ignore MsgSeqNum +0 + + +124 +NoExecs +NumInGroup +No of execution repeating group entries to follow. +0 + + +125 +CxlType(no longer used) +char +No longer used. Included here for reference to prior versions. +0 + + +126 +ExpireTime +UTCTimestamp +Time/Date of order expiration (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +127 +DKReason +char +Reason for execution rejection. Valid values: A = Unknown symbol B = Wrong side C = Quantity exceeds order D = No matching order E = Price exceeds limit Z = Other +0 + + +128 +DeliverToCompID +String +Assigned value used to identify the firm targeted to receive the message if the message is delivered by a third party i.e. the third party firm identifier would be delivered in the TargetCompID field and the ultimate receiver firm ID in this field. +0 + + +129 +DeliverToSubID +String +Assigned value used to identify specific message recipient (i.e. trader) if the message is delivered by a third party +0 + + +130 +IOINaturalFlag +Boolean +Indicates that IOI is the result of an existing agency order or a facilitation position resulting from an agency order, not from principal trading or order solicitation activity. Valid values: Y = Natural N = Not natural +0 + + +131 +QuoteReqID +String +Unique identifier for quote request +0 + + +132 +BidPx +Price +Bid price/rate +0 + + +133 +OfferPx +Price +Offer price/rate +0 + + +134 +BidSize +Qty +Quantity of bid (Prior to FIX 4.2 this field was of type int) +0 + + +135 +OfferSize +Qty +Quantity of offer (Prior to FIX 4.2 this field was of type int) +0 + + +136 +NoMiscFees +NumInGroup +Number of repeating groups of miscellaneous fees +0 + + +137 +MiscFeeAmt +Amt +Miscellaneous fee value +0 + + +138 +MiscFeeCurr +Currency +Currency of miscellaneous fee +0 + + +139 +MiscFeeType +char +Indicates type of miscellaneous fee. Valid values: 1 = Regulatory (e.g. SEC) 2 = Tax 3 = Local Commission 4 = Exchange Fees 5 = Stamp 6 = Levy 7 = Other 8 = Markup 9 = Consumption Tax +0 + + +140 +PrevClosePx +Price +Previous closing price of security. +0 + + +141 +ResetSeqNumFlag +Boolean +Indicates that the both sides of the FIX session should reset sequence numbers. Valid values: Y = Yes, reset sequence numbers N = No +0 + + +142 +SenderLocationID +String +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) +0 + + +143 +TargetLocationID +String +Assigned value used to identify specific message destination’s location (i.e. geographic location and/or desk, trader) +0 + + +144 +OnBehalfOfLocationID +String +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party +0 + + +145 +DeliverToLocationID +String +Assigned value used to identify specific message recipient’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party +0 + + +146 +NoRelatedSym +NumInGroup +Specifies the number of repeating symbols specified. +0 + + +147 +Subject +String +The subject of an Email message +0 + + +148 +Headline +String +The headline of a News message +0 + + +149 +URLLink +String +A URL (Uniform Resource Locator) link to additional information (i.e. http://www.XYZ.com/research.html) +0 + + +150 +ExecType +char +Describes the specific ExecutionRpt (i.e. Pending Cancel) while OrdStatus will always identify the current order status (i.e. Partially Filled) Valid values: 0 = New 1 = Partial fill (Replaced) 2 = Fill (Replaced) 3 = Done for day 4 = Canceled 5 = Replace 6 = Pending Cancel (e.g. result of Order Cancel Request) 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired D = Restated (ExecutionRpt sent unsolicited by sellside, with ExecRestatementReason set) E = Pending Replace (e.g. result of Order Cancel/Replace Request) F = Trade (partial fill or fill) G = Trade Correct (formerly an ExecTransType) H = Trade Cancel (formerly an ExecTransType) I = Order Status (formerly an ExecTransType) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** +0 + + +151 +LeavesQty +Qty +Quantity open for further execution. If the OrdStatus is Canceled, DoneForTheDay, Expired, Calculated, or Rejected (in which case the order is no longer active) then LeavesQty could be 0, otherwise LeavesQty = OrderQty - CumQty. (Prior to FIX 4.2 this field was of type int) +0 + + +152 +CashOrderQty +Qty +Specifies the approximate order quantity desired in total monetary units vs. as tradeable units (e.g. number of shares). The broker or fund manager (for CIV orders) would be responsible for converting and calculating a tradeable unit (e.g. share) quantity (OrderQty) based upon this amount to be used for the actual order and subsequent messages. +0 + + +153 +AllocAvgPx +Price +AvgPx for a specific AllocAccount +0 + + +154 +AllocNetMoney +Amt +NetMoney for a specific AllocAccount +0 + + +155 +SettlCurrFxRate +float +Foreign exchange rate used to compute SettlCurrAmt from Currency to SettlCurrency +0 + + +156 +SettlCurrFxRateCalc +char +Specifies whether or not SettlCurrFxRate should be multiplied or divided. M = Multiply D = Divide +0 + + +157 +NumDaysInterest +int +Number of Days of Interest for convertible bonds and fixed income. Note value may be negative. +0 + + +158 +AccruedInterestRate +Percentage +Accrued Interest Rate for convertible bonds and fixed income +0 + + +159 +AccruedInterestAmt +Amt +Amount of Accrued Interest for convertible bonds and fixed income +0 + + +160 +SettlInstMode +char +Indicates mode used for Settlement Instructions Valid values: 0 = Default 1 = Standing Instructions Provided 2 = Specific Allocation Account Overriding 3 = Specific Allocation Account Standing 4 = Specific Order for a single account (for CIV) +0 + + +161 +AllocText +String +Free format text related to a specific AllocAccount. +0 + + +162 +SettlInstID +String +Unique identifier for Settlement Instructions message. +0 + + +163 +SettlInstTransType +char +Settlement Instructions message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +164 +EmailThreadID +String +Unique identifier for an email thread (new and chain of replies) +0 + + +165 +SettlInstSource +char +Indicates source of Settlement Instructions Valid values: 1 = Broker’s Instructions 2 = Institution’s Instructions 3 = Investor (e.g. CIV use) +0 + + +166 +SettlLocation(replaced) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Identifies Settlement Depository or Country Code (ISITC spec) Valid values: CED = CEDEL DTC = Depository Trust Company EUR = Euroclear FED = Federal Book Entry PNY= Physical PTC = Participant Trust Company ISO Country Code = Local Market Settle Location +0 + + +167 +SecurityType +String +Indicates type of security. See also the Product and CFICode fields. It is recommended that CFICode be used instead of SecurityType for non-Fixed Income instruments. Valid values (grouped by Product field value): AGENCY FAC = Federal Agency Coupon FADN = Federal Agency Discount Note PEF = Private Export Funding   Identify the Issuer in the "Issuer" field(106) *** REPLACED values - See "Replaced Features and Supported Approach" *** COMMODITY   FUT = Future   OPT = Option Note: COMMODITY Product includes Bond, Interest Rate, Currency, Currency Spot Options, Crops/Grains, Foodstuffs, Livestock, Fibers, Lumber/Rubber, Oil/Gas/Electricity, Precious/Major Metal, and Industrial Metal. Use CFICode for more granular definition if necessary. CORPORATE CORP = Corporate Bond CPP = Corporate Private Placement CB = Convertible Bond DUAL = Dual Currency XLINKD = Indexed Linked STRUCT = Structured Notes YANK = Yankee Corporate Bond CURRENCY FOR = Foreign Exchange Contract EQUITY CS = Common Stock PS = Preferred Stock WAR - Warrant now is listed under Municipals for consistency with Bloomberg fixed income product types. For equity warrants - use the CFICode instead. GOVERNMENT BRADY = Brady Bond TBOND = US Treasury Bond TINT = Interest strip from any bond or note TIPS = Treasury Inflation Protected Securities TCAL = Principal strip of a callable bond or note TPRN = Principal strip from a non-callable bond or note UST = US Treasury Note/Bond USTB = US Treasury Bill see also Volume 7: "PRODUCT: FIXED INCOME - Euro Soverign SecurityType Values" INDEX Note: "Indices" includes: Stock, Index Spot Options, Commodity, Physical Index Options, Share/Ratio, and Spreads. For index types use the CFICode. LOAN TERM = Term Loan RVLV = Revolver Loan RVLVTRM = Revolver/Term Loan BRIDGE = Bridge Loan LOFC = Letter of Credit SWING = Swing Line Facility DINP = Debtor in Possession DEFLTED = Defaulted WITHDRN = Withdrawn REPLACD = Replaced MATURED = Matured AMENDED = Amended & Restated RETIRED = Retired MONEYMARKET BA = Bankers Acceptance BN = Bank Notes BOX = Bill of Exchanges CD = Certificate of Deposit CL = Call Loans CP = Commercial Paper DN = Deposit Notes LQN = Liquidity Note MTN = Medium Term Notes ONITE = Overnight PN = Promissory Note PZFJ = Plazos Fijos RP = Repurchase Agreement RVRP = Reverse Repurchase Agreement STN = Short Term Loan Note TD = Time Deposit XCN = Extended Comm Note MORTGAGE POOL = Agency Pools ABS = Asset-backed Securities CMBS = Corp. Mortgage-backed Securities CMO = Collateralized Mortgage Obligation IET = IOETTE Mortgage MBS = Mortgage-backed Securities MIO = Mortgage Interest Only MPO = Mortgage Principal Only MPP = Mortgage Private Placement MPT = Miscellaneous Pass-through TBA = To be Announced MUNICIPAL AN = Other Anticipation Notes BAN, GAN, etc. COFO = Certificate of Obligation COFP = Certificate of Participation GO = General Obligation Bonds MT = Mandatory Tender RAN = Revenue Anticipation Note REV = Revenue Bonds SPCLA = Special Assessment SPCLO = Special Obligation SPCLT = Special Tax TAN = Tax Anticipation Note TAXA = Tax Allocation TECP = Tax Exempt Commercial Paper TRAN = Tax & Revenue Anticipation Note VRDN = Variable Rate Demand Note WAR = Warrant OTHER MF = Mutual Fund (i.e. any kind of open-ended “Collective Investment Vehicle”) MLEG = Multi-leg instrument (e.g. options strategy or futures spread. CFICode can be used to identify if options-based, futures-based, etc.) NONE = No Security Type ? = “Wildcard” entry (used on Security Definition Request message) +0 + + +168 +EffectiveTime +UTCTimestamp +Time the details within the message should take effect (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +169 +StandInstDbType +int +Identifies the Standing Instruction database used Valid values: 0 = Other 1 = DTC SID 2 = Thomson ALERT 3 = A Global Custodian (StandInstDbName must be provided) +0 + + +170 +StandInstDbName +String +Name of the Standing Instruction database represented with StandInstDbType (i.e. the Global Custodian’s name). +0 + + +171 +StandInstDbID +String +Unique identifier used on the Standing Instructions database for the Standing Instructions to be referenced. +0 + + +172 +SettlDeliveryType +int +Identifies type of settlement 0 = “Versus. Payment”: Deliver (if Sell) or Receive (if Buy) vs. (Against) Payment 1 = “Free”: Deliver (if Sell) or Receive (if Buy) Free +0 + + +173 +SettlDepositoryCode +String +Broker’s account code at the depository (i.e. CEDEL ID for CEDEL, FINS for DTC, or Euroclear ID for Euroclear) if SettlLocation is a depository +0 + + +174 +SettlBrkrCode +String +BIC (Bank Identification Code—Swift managed) code of the broker involved (i.e. for multi-company brokerage firms) +0 + + +175 +SettlInstCode +String +BIC (Bank Identification Code—Swift managed) code of the institution involved (i.e. for multi-company institution firms) +0 + + +176 +SecuritySettlAgentName +String +Name of SettlInstSource's local agent bank if SettlLocation is not a depository +0 + + +177 +SecuritySettlAgentCode +String +BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlLocation is not a depository +0 + + +178 +SecuritySettlAgentAcctNum +String +SettlInstSource's account number at local agent bank if SettlLocation is not a depository +0 + + +179 +SecuritySettlAgentAcctName +String +Name of SettlInstSource's account at local agent bank if SettlLocation is not a depository +0 + + +180 +SecuritySettlAgentContactName +String +Name of contact at local agent bank for SettlInstSource's account if SettlLocation is not a depository +0 + + +181 +SecuritySettlAgentContactPhone +String +Phone number for contact at local agent bank if SettlLocation is not a depository +0 + + +182 +CashSettlAgentName +String +Name of SettlInstSource's local agent bank if SettlDeliveryType=Free +0 + + +183 +CashSettlAgentCode +String +BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlDeliveryType=Free +0 + + +184 +CashSettlAgentAcctNum +String +SettlInstSource's account number at local agent bank if SettlDeliveryType=Free +0 + + +185 +CashSettlAgentAcctName +String +Name of SettlInstSource's account at local agent bank if SettlDeliveryType=Free +0 + + +186 +CashSettlAgentContactName +String +Name of contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free +0 + + +187 +CashSettlAgentContactPhone +String +Phone number for contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free +0 + + +188 +BidSpotRate +Price +Bid F/X spot rate. +0 + + +189 +BidForwardPoints +PriceOffset +Bid F/X forward points added to spot rate. May be a negative value. +0 + + +190 +OfferSpotRate +Price +Offer F/X spot rate. +0 + + +191 +OfferForwardPoints +PriceOffset +Offer F/X forward points added to spot rate. May be a negative value. +0 + + +192 +OrderQty2 +Qty +OrderQty of the future part of a F/X swap order. +0 + + +193 +FutSettDate2 +LocalMktDate +FutSettDate of the future part of a F/X swap order. +0 + + +194 +LastSpotRate +Price +F/X spot rate. +0 + + +195 +LastForwardPoints +PriceOffset +F/X forward points added to LastSpotRate. May be a negative value. +0 + + +196 +AllocLinkID +String +Can be used to link two different Allocation messages (each with unique AllocID) together, i.e. for F/X “Netting” or “Swaps”. Should be unique. +0 + + +197 +AllocLinkType +int +Identifies the type of Allocation linkage when AllocLinkID is used. Valid values: 0 = F/X Netting 1 = F/X Swap +0 + + +198 +SecondaryOrderID +String +Assigned by the party which accepts the order. Can be used to provide the OrderID used by an exchange or executing system. +0 + + +199 +NoIOIQualifiers +NumInGroup +Number of repeating groups of IOIQualifiers. +0 + + +200 +MaturityMonthYear +month-year +Can be used with standardized derivatives vs. the MaturityDate field. Month and Year of the maturity (used for standardized futures and options). Format: YYYYMM (i.e. 199903) +0 + + +201 +PutOrCall(replaced) +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Indicates whether an Option is for a put or call. Valid values: 0 = Put 1 = Call +0 + + +202 +StrikePrice +Price +Strike Price for an Option. +0 + + +203 +CoveredOrUncovered +int +Used for derivative products, such as options Valid values: 0 = Covered 1 = Uncovered +0 + + +204 +CustomerOrFirm(replaced) +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Used for options when delivering the order to an execution system/exchange to specify if the order is for a customer or the firm placing the order itself. Valid values: 0 = Customer 1 = Firm +0 + + +205 +MaturityDay(replaced) +day-of-month +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Day of month used in conjunction with MaturityMonthYear to specify the maturity date for SecurityType=FUT or SecurityType=OPT. Valid values: 1-31 +0 + + +206 +OptAttribute +char +Can be used for SecurityType=OPT to identify a particular security. Valid values vary by SecurityExchange: *** REPLACED values - See "Replaced Features and Supported Approach" *** For Exchange: MONEP (Paris) L = Long (a.k.a. “American”) S = Short (a.k.a. “European”) For Exchanges: DTB (Frankfurt), HKSE (Hong Kong), and SOFFEX (Zurich) 0-9 = single digit “version” number assigned by exchange following capital adjustments (0=current, 1=prior, 2=prior to 1, etc). +0 + + +207 +SecurityExchange +Exchange +Market used to help identify a security. Valid values: See "Appendix 6-C" +0 + + +208 +NotifyBrokerOfCredit +Boolean +Indicates whether or not details should be communicated to BrokerOfCredit (i.e. step-in broker). Valid values: Y = Details should be communicated N = Details should not be communicated +0 + + +209 +AllocHandlInst +int +Indicates how the receiver (i.e. third party) of Allocation message should handle/process the account details. Valid values: 1 = Match 2 = Forward 3 = Forward and Match +0 + + +210 +MaxShow +Qty +Maximum quantity (e.g. number of shares) within an order to be shown to other customers (i.e. sent via an IOI). (Prior to FIX 4.2 this field was of type int) +0 + + +211 +PegDifference +PriceOffset +Amount (signed) added to the price of the peg for a pegged order. +0 + + +212 +XmlDataLen +Length +Length of the XmlData data block. +0 + + +213 +XmlData +data +Actual XML data stream (e.g. FIXML). See approriate XML reference (e.g. FIXML). Note: may contain embedded SOH characters. +0 + + +214 +SettlInstRefID +String +Reference identifier for the SettlInstID with Cancel and Replace SettlInstTransType transaction types. +0 + + +215 +NoRoutingIDs +NumInGroup +Number of repeating groups of RoutingID and RoutingType values. See Volume 3: "Pre-Trade Message Targeting/Routing" +0 + + +216 +RoutingType +int +Indicates the type of RoutingID specified. Valid values: 1 = Target Firm 2 = Target List 3 = Block Firm 4 = Block List +0 + + +217 +RoutingID +String +Assigned value used to identify a specific routing destination. +0 + + +218 +Spread(formerly named: SpreadToBenchmark prior to FIX 4.3) +PriceOffset +For Fixed Income. Either Swap Spread or Spread to Benchmark depending upon the order type. Spread to Benchmark: Basis points relative to a benchmark. To be expressed as "count of basis points" (vs. an absolute value). E.g. High Grade Corporate Bonds may express price as basis points relative to benchmark (the Benchmark field). Note: Basis points can be negative. Swap Spread: Target spread for a swap. +0 + + +219 +Benchmark(Deprecated) +char +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** For Fixed Income. Identifies the benchmark (e.g. used in conjunction with the Spread field). Valid values: 1 = CURVE 2 = 5-YR 3 = OLD-5 4 = 10-YR 5 = OLD-10 6 = 30-YR 7 = OLD-30 8 = 3-MO-LIBOR 9 = 6-MO-LIBOR +0 + + +220 +BenchmarkCurveCurrency +Currency +Identifies currency used for benchmark curve. See "Appendix 6-A: Valid Currency Codes" for information on obtaining valid values. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +221 +BenchmarkCurveName +String +Name of benchmark curve. Valid values: MuniAAA FutureSWAP LIBID LIBOR (London Inter-Bank Offers) OTHER SWAP Treasury Euribor Pfandbriefe (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +222 +BenchmarkCurvePoint +String +Point on benchmark curve. Free form values: e.g. “1Y”, “7Y”, “INTERPOLATED”. Sample values: 1M = combination of a number between 1-12 and a "M" for month 1Y = combination of number between 1-100 and a "Y" for year} 10Y-OLD = see above, then add "-OLD" when appropriate INTERPOLATED = the point is mathematically derived 2/2031 5 3/8 = the point is stated via a combination of maturity month / year and coupon See Fixed Income-specific documentation at http://www.fixprotocol.org for additional values. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +223 +CouponRate +Percentage +For Fixed Income. Coupon rate of the bond. Will be zero for step-up bonds. +0 + + +224 +CouponPaymentDate +UTCDate +Date interest is to be paid. Used in identifying Corporate Bond issues. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +225 +IssueDate +UTCDate +Date instrument was issued. For Fixed Income IOIs for new issues, specifies the issue date. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +226 +RepurchaseTerm +int +Number of business days before repurchase of a repo. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +227 +RepurchaseRate +Percentage +Percent of par at which a Repo will be repaid. Represented as a percent, e.g. .9525 represents 95-1/4 percent of par. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +228 +Factor +float +Fraction for deriving Current face from Original face for TIPS, ABS or MBS Fixed Income securities. Note the fraction may be greater than, equal to or less than 1. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +229 +TradeOriginationDate +UTCDate +Used with Fixed Income for Muncipal New Issue Market. Agreement in principal between counter-parties prior to actual trade date. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +230 +ExDate +UTCDate +The date when a distribution of interest is deducted from a securities assets or set aside for payment to bondholders. On the ex-date, the securities price drops by the amount of the distribution (plus or minus any market activity). (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +231 +ContractMultiplier +float +Specifies the ratio or multiply factor to convert from "nominal" units (e.g. contracts) to total units (e.g. shares) (e.g. 1.0, 100, 1000, etc). Applicable For Fixed Income, Convertible Bonds, Derivatives, etc. Note: If used, quantities should be expressed in the "nominal" (e.g. contracts vs. shares) amount. +0 + + +232 +NoStipulations +NumInGroup +Number of stipulation entries (Note tag # was reserved in FIX 4.1, added in FIX 4.3). +0 + + +233 +StipulationType +String +For Fixed Income. Type of Stipulation. Values include: GEOG = Geographics ISSUE = Year of Issue LOTVAR = Lot Variance (value in percent maximum over- or under-allocation allowed) MAT = Maturity Year PIECES = Number of Pieces PMAX = Pools Maximum PPM = Pools per Million PPL = Pools per Lot PPT = Pools per Trade PROD = Production Year TRDVAR = Trade Variance (value in percent maximum over- or under-allocation allowed) WAC = Weighted Average Coupon (value in percent) WAL = Weighted Average Life (value in months) WALA = Weighted Average Loan Age (value in months) WAM = Weighted Average Maturity (value in months) or the following Prepayment Speeds  SMM = Single Monthly Mortality  CPR = Constant Prepayment Rate  CPY = Constant Prepayment Yield  CPP = Constant Prepayment Penalty  ABS = Absolute Prepayment Speed  MPR = Monthly Prepayment Rate  PSA = % of BMA Prepayment Curve  PPC = % of Prospectus Prepayment Curve  MHP = % of Manufactured Housing Prepayment Curve  HEP = final CPR of Home Equity Prepayment Curve Other types may be used by mutual agreement of the counterparties. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +234 +StipulationValue +String +For Fixed Income. Value of stipulation. The expression can be an absolute single value or a combination of values and logical operators: < value > value <= value >= value value value1 – value2 value1 OR value2 value1 AND value2 plus appropriate combinations of the above and other expressions by mutual agreement of the counterparties. Examples: “>=60”, “.25”, “ORANGE OR CONTRACOSTA”, etc. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +235 +YieldType +String +Type of yield. Valid values: AFTERTAX = After Tax Yield (Municipals) – The yield on the bond net of any tax consequences from holding the bond. The discount on municipal securities can be subject to both capital gains taxes and ordinary income taxes. Calculated from dollar price. ANNUAL = Annual Yield – The annual interest or dividend income an investment earns, expressed as a percentage of the investment’s total value. ATISSUE = Yield At Issue (Municipals) – The yield of the bond offered on the issue date. AVGLIFE = Yield To Average Life – The yield assuming that all sinks (mandatory and voluntary) are taken at par. This results in a faster paydown of debt; the yield is then calculated to the average life date. AVGMATURITY = Yield To Average Maturity – The yield achieved by substituting a bond's average maturity for the issue's final maturity date. BOOK = Book Yield – The yield of a security calculated by using its book value instead of the current market price. This term is typically used in the US domestic market. CALL = Yield to Next Call – The yield of a bond to the next possible call date. CHANGE = Yield Change Since Close – The change in the yield since the previous day's closing yield. CLOSE = Closing Yield – The yield of a bond based on the closing price. COMPOUND = Compound Yield – The yield of certain Japanese bonds based on its price. Certain Japanese bonds have irregular first or last coupons, and the yield is calculated compound for these irregular periods. CURRENT = Current Yield – Annual interest on a bond divided by the market value. The actual income rate of return as opposed to the coupon rate expressed as a percentage. GROSS = True Gross Yield – Yield calculated using the price including accrued interest, where coupon dates are moved from holidays and weekends to the next trading day. GOVTEQUIV = Government Equivalent Yield – Ask yield based on semi-annual coupons compounding in all periods and actual/actual calendar. INFLATION = Yield with Inflation Assumption – Based on price, the return an investor would require on a normal bond that would make the real return equal to that of the inflation-indexed bond, assuming a constant inflation rate. INVERSEFLOATER = Inverse Floater Bond Yield – Inverse floater semi-annual bond equivalent rate. LASTCLOSE = Most Recent Closing Yield – The last available yield stored in history, computed using price. LASTMONTH = Closing Yield Most Recent Month – The yield of a bond based on the closing price as of the most recent month's end. LASTQUARTER = Closing Yield Most Recent Quarter – The yield of a bond based on the closing price as of the most recent quarter’s end. LASTYEAR = Closing Yield Most Recent Year – The yield of a bond based on the closing price as of the most recent year’s end. LONGAVGLIFE = Yield to Longest Average Life – The yield assuming only mandatory sinks are taken. This results in a lower paydown of debt; the yield is then calculated to the final payment date. LONGEST = Yield to Longest Average (Sinking Fund Bonds) – The yield assuming only mandatory sinks are taken. This results in a slower paydown of debt; the yield is then calculated to the final payment date. MARK = Mark To Market Yield – An adjustment in the valuation of a securities portfolio to reflect the current market values of the respective securities in the portfolio. MATURITY = Yield to Maturity – The yield of a bond to its maturity date. NEXTREFUND = Yield To Next Refund (Sinking Fund Bonds) – Yield assuming all bonds are redeemed at the next refund date at the redemption price. OPENAVG = Open Average Yield – The average yield of the respective securities in the portfolio. PUT = Yield to Next Put – The yield to the date at which the bond holder can next put the bond to the issuer. PREVCLOSE = Previous Close Yield – The yield of a bond based on the closing price 1 day ago. PROCEEDS = Proceeds Yield – The CD equivalent yield when the remaining time to maturity is less than two years. SEMIANNUAL = Semi-annual Yield – The yield of a bond whose coupon payments are reinvested semi-annually SHORTAVGLIFE = Yield to Shortest Average Life – same as AVGLIFE above. SHORTEST = Yield to Shortest Average (Sinking Fund Bonds) – The yield assuming that all sinks (mandatory and voluntary) are taken. This results in a faster paydown of debt; the yield is then calculated to the final payment date. SIMPLE = Simple Yield – The yield of a bond assuming no reinvestment of coupon payments. (Act/360 day count) TAXEQUIV = Tax Equivalent Yield – The after tax yield grossed up by the maximum federal tax rate of 39.6%. For comparison to taxable yields. TENDER = Yield to Tender Date – The yield on a Municipal bond to its mandatory tender date. TRUE = True Yield – The yield calculated with coupon dates moved from a weekend or holiday to the next valid settlement date. VALUE1/32 = Yield Value Of 1/32 – The amount that the yield will change for a 1/32nd change in price. WORST = Yield To Worst Convention – The lowest yield to all possible redemption date scenarios. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +236 +Yield +Percentage +Yield percentage. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +237 +TotalTakedown +Amt +The price at which the securities are distributed to the different members of an underwriting group for the primary market in Municipals, total gross underwriter's spread. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +238 +Concession +Amt +Provides the reduction in price for the secondary market in Muncipals. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +239 +RepoCollateralSecurityType +int +Identifies the collateral used in the transaction. Valid values: see SecurityType (167) field (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +240 +RedemptionDate +UTCDate +Return of investor's principal in a security. Bond redemption can occur before maturity date. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +241 +UnderlyingCouponPaymentDate +UTCDate +Underlying security’s CouponPaymentDate. See CouponPaymentDate (224) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +242 +UnderlyingIssueDate +UTCDate +Underlying security’s IssueDate. See IssueDate (225) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +243 +UnderlyingRepoCollateralSecurityType +int +Underlying security’s RepoCollateralSecurityType. See RepoCollateralSecurityType (239) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +244 +UnderlyingRepurchaseTerm +int +Underlying security’s RepurchaseTerm. See RepurchaseTerm (226) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +245 +UnderlyingRepurchaseRate +Percentage +Underlying security’s RepurchaseRate. See RepurchaseRate (227) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +246 +UnderlyingFactor +float +Underlying security’s Factor. See Factor (228) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +247 +UnderlyingRedemptionDate +UTCDate +Underlying security’s RedemptionDate. See RedemptionDate (240) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +248 +LegCouponPaymentDate +UTCDate +Multileg instrument's individual leg security’s CouponPaymentDate. See CouponPaymentDate (224) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +249 +LegIssueDate +UTCDate +Multileg instrument's individual leg security’s IssueDate. See IssueDate (225) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +250 +LegRepoCollateralSecurityType +int +Multileg instrument's individual leg security’s RepoCollateralSecurityType. See RepoCollateralSecurityType (239) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +251 +LegRepurchaseTerm +int +Multileg instrument's individual leg security’s RepurchaseTerm. See RepurchaseTerm (226) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +252 +LegRepurchaseRate +Percentage +Multileg instrument's individual leg security’s RepurchaseRate. See RepurchaseRate (227) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +253 +LegFactor +float +Multileg instrument's individual leg security’s Factor. See Factor (228) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +254 +LegRedemptionDate +UTCDate +Multileg instrument's individual leg security’s RedemptionDate. See RedemptionDate (240) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +255 +CreditRating +String +An evaluation of a company's ability to repay obligations or its likelihood of not defaulting. These evaluation are provided by Credit Rating Agencies, i.e. S&P, Moody's. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +256 +UnderlyingCreditRating +String +Underlying security’s CreditRating. See CreditRating (255) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +257 +LegCreditRating +String +Multileg instrument's individual leg security’s CreditRating. See CreditRating (255) field for description (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +258 +TradedFlatSwitch +Boolean +Driver and part of trade in the event that the Security Master file was wrong at the point of entry Valid Values: Y = Traded Flat N = Not Traded Flat (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +259 +BasisFeatureDate +UTCDate +BasisFeatureDate allows requesting firms within fixed income the ability to request an alternative yield-to-worst, -maturity, -extended or other call. This flows through the confirm process. (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +260 +BasisFeaturePrice +Price +Price for BasisFeatureDate. See BasisFeatureDate (259) (Note tag # was reserved in FIX 4.1, added in FIX 4.3) +0 + + +261 +Reserved/Allocated to the Fixed Income proposal + + +0 + + +262 +MDReqID +String +Unique identifier for Market Data Request +0 + + +263 +SubscriptionRequestType +char +Subscription Request Type Valid values: 0 = Snapshot 1 = Snapshot + Updates (Subscribe) 2 = Disable previous Snapshot + Update Request (Unsubscribe) +0 + + +264 +MarketDepth +int +Depth of market for Book Snapshot Valid values: 0 = Full Book 1 = Top of Book N>1 = Report best N price tiers of data +0 + + +265 +MDUpdateType +int +Specifies the type of Market Data update. Valid values: 0 = Full Refresh 1 = Incremental Refresh +0 + + +266 +AggregatedBook +Boolean +Specifies whether or not book entries should be aggregated. Valid values: Y = one book entry per side per price N = Multiple entries per side per price allowed (Not specified) = broker option +0 + + +267 +NoMDEntryTypes +NumInGroup +Number of MDEntryType fields requested. +0 + + +268 +NoMDEntries +NumInGroup +Number of entries in Market Data message. +0 + + +269 +MDEntryType +char +Type Market Data entry. Valid values: 0 = Bid 1 = Offer 2 = Trade 3 = Index Value 4 = Opening Price 5 = Closing Price 6 = Settlement Price 7 = Trading Session High Price 8 = Trading Session Low Price 9 = Trading Session VWAP Price A = Imbalance +0 + + +270 +MDEntryPx +Price +Price of the Market Data Entry. +0 + + +271 +MDEntrySize +Qty +Quantity represented by the Market Data Entry. +0 + + +272 +MDEntryDate +UTCDate +Date of Market Data Entry. +0 + + +273 +MDEntryTime +UTCTimeOnly +Time of Market Data Entry. +0 + + +274 +TickDirection +char +Direction of the "tick". Valid values: 0 = Plus Tick 1 = Zero-Plus Tick 2 = Minus Tick 3 = Zero-Minus Tick +0 + + +275 +MDMkt +Exchange +Market posting quote / trade. Valid values: See "Appendix 6-C" +0 + + +276 +QuoteCondition +MultipleValueString +Space-delimited list of conditions describing a quote. Valid values: A = Open / Active B = Closed / Inactive C = Exchange Best D = Consolidated Best E = Locked F = Crossed G = Depth H = Fast Trading I = Non-Firm +0 + + +277 +TradeCondition +MultipleValueString +Space-delimited list of conditions describing a trade Valid values: A = Cash (only) Market B = Average Price Trade C = Cash Trade (same day clearing) D = Next Day (only) Market E = Opening / Reopening Trade Detail F = Intraday Trade Detail G = Rule 127 Trade (NYSE) H = Rule 155 Trade (Amex) I = Sold Last (late reporting) J = Next Day Trade (next day clearing) K = Opened (late report of opened trade) L = Seller M = Sold (out of sequence) N = Stopped Stock (guarantee of price but does not execute the order) P = Imbalance More Buyers (Cannot be used in combination with Q) Q = Imbalance More Sellers (Cannot be used in combination with P) R = Opening Price +0 + + +278 +MDEntryID +String +Unique Market Data Entry identifier. +0 + + +279 +MDUpdateAction +char +Type of Market Data update action. Valid values: 0 = New 1 = Change 2 = Delete +0 + + +280 +MDEntryRefID +String +Refers to a previous MDEntryID. +0 + + +281 +MDReqRejReason +char +Reason for the rejection of a Market Data request. Valid values: 0 = Unknown symbol 1 = Duplicate MDReqID 2 = Insufficient Bandwidth 3 = Insufficient Permissions 4 = Unsupported SubscriptionRequestType 5 = Unsupported MarketDepth 6 = Unsupported MDUpdateType 7 = Unsupported AggregatedBook 8 = Unsupported MDEntryType 9 = Unsupported TradingSessionID A = Unsupported Scope B = Unsupported OpenCloseSettleFlag C = Unsupported MDImplicitDelete +0 + + +282 +MDEntryOriginator +String +Originator of a Market Data Entry +0 + + +283 +LocationID +String +Identification of a Market Maker’s location +0 + + +284 +DeskID +String +Identification of a Market Maker’s desk +0 + + +285 +DeleteReason +char +Reason for deletion. Valid values: 0 = Cancelation / Trade Bust 1 = Error +0 + + +286 +OpenCloseSettleFlag +MultipleValueString +Flag that identifies a price. Valid values: 0 = Daily Open / Close / Settlement price 1 = Session Open / Close / Settlement price 2 = Delivery Settlement price 3 = Expected price 4 = Price from previous business day (Prior to FIX 4.3 this field was of type char) +0 + + +287 +SellerDays +int +Specifies the number of days that may elapse before delivery of the security +0 + + +288 +MDEntryBuyer +String +Buying party in a trade +0 + + +289 +MDEntrySeller +String +Selling party in a trade +0 + + +290 +MDEntryPositionNo +int +Display position of a bid or offer, numbered from most competitive to least competitive, per market side, beginning with 1. +0 + + +291 +FinancialStatus +MultipleValueString +Identifies a firm’s financial status. Valid values: 1 = Bankrupt 2 = Pending delisting +0 + + +292 +CorporateAction +MultipleValueString +Identifies the type of Corporate Action. Valid values: A = Ex-Dividend B = Ex-Distribution C = Ex-Rights D = New E = Ex-Interest +0 + + +293 +DefBidSize +Qty +Default Bid Size. +0 + + +294 +DefOfferSize +Qty +Default Offer Size. +0 + + +295 +NoQuoteEntries +NumInGroup +The number of quote entries for a QuoteSet. +0 + + +296 +NoQuoteSets +NumInGroup +The number of sets of quotes in the message. +0 + + +297 +QuoteStatus(formerly named: QuoteAckStatus prior to FIX 4.3) +int +Identifies the status of the quote acknowledgement. Valid values: 0 = Accepted 1 = Canceled for Symbol(s) 2 = Canceled for Security Type(s) 3 = Canceled for Underlying 4 = Canceled All 5 = Rejected 6 = Removed from Market 7 = Expired 8 = Query 9 = Quote Not Found 10 = Pending +0 + + +298 +QuoteCancelType +int +Identifies the type of quote cancel. Valid Values: 1 = Cancel for Symbol(s) 2 = Cancel for Security Type(s) 3 = Cancel for Underlying Symbol 4 = Cancel All Quotes +0 + + +299 +QuoteEntryID +String +Uniquely identifies the quote as part of a QuoteSet. +0 + + +300 +QuoteRejectReason +int +Reason Quote was rejected: Valid Values: 1 = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote Request exceeds limit 4 = Too late to enter 5 = Unknown Quote 6 = Duplicate Quote 7 = Invalid bid/ask spread 8 = Invalid price 9 = Not authorized to quote security +0 + + +301 +QuoteResponseLevel +int +Level of Response requested from receiver of quote messages. Valid Values: 0 = No Acknowledgement (Default) 1 = Acknowledge only negative or erroneous quotes 2 = Acknowledge each quote messages +0 + + +302 +QuoteSetID +String +Unique id for the Quote Set. +0 + + +303 +QuoteRequestType +int +Indicates the type of Quote Request being generated Valid values: 1 = Manual 2 = Automatic +0 + + +304 +TotQuoteEntries +int +Total number of quotes for the quote set across all messages. Should be the sum of all NoQuoteEntries in each message that has repeating quotes that are part of the same quote set. +0 + + +305 +UnderlyingSecurityIDSource(formerly named: UnderlyingIDSource prior to FIX 4.3) +String +Underlying security’s SecurityIDSource. Valid values: see SecurityIDSource (22) field +0 + + +306 +UnderlyingIssuer +String +Underlying security’s Issuer. See Issuer (106) field for description +0 + + +307 +UnderlyingSecurityDesc +String +Underlying security’s SecurityDesc. See SecurityDesc (107) field for description +0 + + +308 +UnderlyingSecurityExchange +Exchange +Underlying security’s SecurityExchange. Can be used to identify the underlying security. Valid values: see SecurityExchange (207) +0 + + +309 +UnderlyingSecurityID +String +Underlying security’s SecurityID. See SecurityID (48) field for description +0 + + +310 +UnderlyingSecurityType +String +Underlying security’s SecurityType. Valid values: see SecurityType (167) field +0 + + +311 +UnderlyingSymbol +String +Underlying security’s Symbol. See Symbol (55) field for description +0 + + +312 +UnderlyingSymbolSfx +String +Underlying security’s SymbolSfx. See SymbolSfx (65) field for description +0 + + +313 +UnderlyingMaturityMonthYear +month-year +Underlying security’s MaturityMonthYear. Can be used with standardized derivatives vs. the UnderlyingMaturityDate field. See MaturityMonthYear (200) field for description +0 + + +314 +UnderlyingMaturityDay(replaced) +day-of-month +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Underlying security’s MaturityDay. See MaturityDay field for description +0 + + +315 +UnderlyingPutOrCall(replaced) +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Underlying security’s PutOrCall. See PutOrCall field for description +0 + + +316 +UnderlyingStrikePrice +Price +Underlying security’s StrikePrice. See StrikePrice (202) field for description +0 + + +317 +UnderlyingOptAttribute +char +Underlying security’s OptAttribute. See OptAttribute (206) field for description +0 + + +318 +Underlying Currency +Currency +Underlying security’s Currency. See Currency (15) field for description and valid values +0 + + +319 +RatioQty +Quantity +Quantity of a particular leg in the security. +0 + + +320 +SecurityReqID +String +Unique ID of a Security Definition Request. +0 + + +321 +SecurityRequestType +int +Type of Security Definition Request. Valid values: 0 = Request Security identity and specifications 1 = Request Security identity for the specifications provided (Name of the security is not supplied) 2 = Request List Security Types 3 = Request List Securities (Can be qualified with Symbol, SecurityType, TradingSessionID, SecurityExchange. If provided then only list Securities for the specific type) +0 + + +322 +SecurityResponseID +String +Unique ID of a Security Definition message. +0 + + +323 +SecurityResponseType +int +Type of Security Definition message response. Valid values: 1 = Accept security proposal as is 2 = Accept security proposal with revisions as indicated in the message 3 = List of security types returned per request 4 = List of securities returned per request 5 = Reject security proposal 6 = Can not match selection criteria +0 + + +324 +SecurityStatusReqID +String +Unique ID of a Security Status Request message. +0 + + +325 +UnsolicitedIndicator +Boolean +Indicates whether or not message is being sent as a result of a subscription request or not. Valid values: Y = Message is being sent unsolicited N = Message is being sent as a result of a prior request +0 + + +326 +SecurityTradingStatus +int +Identifies the trading status applicable to the transaction. Valid values: 1 = Opening Delay 2 = Trading Halt 3 = Resume 4 = No Open/No Resume 5 = Price Indication 6 = Trading Range Indication 7 = Market Imbalance Buy 8 = Market Imbalance Sell 9 = Market On Close Imbalance Buy 10 = Market On Close Imbalance Sell 11 = (not assigned) 12 = No Market Imbalance 13 = No Market On Close Imbalance 14 = ITS Pre-Opening 15 = New Price Indication 16 = Trade Dissemination Time 17 = Ready to trade (start of session) 18 = Not Available for trading (end of session) 19 = Not Traded on this Market 20 = Unknown or Invalid 21 = Pre-Open 22 = Opening Rotation 23 = Fast Market +0 + + +327 +HaltReason +char +Denotes the reason for the Opening Delay or Trading Halt. Valid values: I = Order Imbalance X = Equipment Changeover P = News Pending D = News Dissemination E = Order Influx M = Additional Information +0 + + +328 +InViewOfCommon +Boolean +Indicates whether or not the halt was due to Common Stock trading being halted. Valid values: Y = Halt was due to common stock being halted N = Halt was not related to a halt of the common stock +0 + + +329 +DueToRelated +Boolean +Indicates whether or not the halt was due to the Related Security being halted. Valid values: Y = Halt was due to related security being halted N = Halt was not related to a halt of the related security +0 + + +330 +BuyVolume +Qty +Quantity bought. +0 + + +331 +SellVolume +Qty +Quantity sold. +0 + + +332 +HighPx +Price +Represents an indication of the high end of the price range for a security prior to the open or reopen +0 + + +333 +LowPx +Price +Represents an indication of the low end of the price range for a security prior to the open or reopen +0 + + +334 +Adjustment +int +Identifies the type of adjustment. Valid values: 1 = Cancel 2 = Error 3 = Correction +0 + + +335 +TradSesReqID +String +Unique ID of a Trading Session Status message. +0 + + +336 +TradingSessionID +String +Identifier for Trading Session Can be used to represent a specific market trading session (e.g. “PRE-OPEN", "CROSS_2", "AFTER-HOURS", "TOSTNET1", "TOSTNET2", etc). Values should be bi-laterally agreed to between counterparties. Firms may register Trading Session values on the FIX website (presently a document maintained within “ECN and Exchanges” working group section). +0 + + +337 +ContraTrader +String +Identifies the trader (e.g. "badge number") of the ContraBroker. +0 + + +338 +TradSesMethod +int +Method of trading Valid values: 1 = Electronic 2 = Open Outcry 3 = Two Party +0 + + +339 +TradSesMode +int +Trading Session Mode Valid values: 1 = Testing 2 = Simulated 3 = Production +0 + + +340 +TradSesStatus +int +State of the trading session. Valid values: 0 = Unknown 1 = Halted 2 = Open 3 = Closed 4 = Pre-Open 5 = Pre-Close 6 = Request Rejected +0 + + +341 +TradSesStartTime +UTCTimestamp +Starting time of the trading session +0 + + +342 +TradSesOpenTime +UTCTimestamp +Time of the opening of the trading session +0 + + +343 +TradSesPreCloseTime +UTCTimestamp +Time of the pre-closed of the trading session +0 + + +344 +TradSesCloseTime +UTCTimestamp +Closing time of the trading session +0 + + +345 +TradSesEndTime +UTCTimestamp +End time of the trading session +0 + + +346 +NumberOfOrders +int +Number of orders in the market. +0 + + +347 +MessageEncoding +String +Type of message encoding (non-ASCII (non-English) characters) used in a message’s “Encoded” fields. Valid values: ISO-2022-JP (for using JIS) EUC-JP (for using EUC) Shift_JIS (for using SJIS) UTF-8 (for using Unicode) +0 + + +348 +EncodedIssuerLen +Length +Byte length of encoded (non-ASCII characters) EncodedIssuer field. +0 + + +349 +EncodedIssuer +data +Encoded (non-ASCII characters) representation of the Issuer field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Issuer field. +0 + + +350 +EncodedSecurityDescLen +Length +Byte length of encoded (non-ASCII characters) EncodedSecurityDesc field. +0 + + +351 +EncodedSecurityDesc +data +Encoded (non-ASCII characters) representation of the SecurityDesc field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the SecurityDesc field. +0 + + +352 +EncodedListExecInstLen +Length +Byte length of encoded (non-ASCII characters) EncodedListExecInst field. +0 + + +353 +EncodedListExecInst +data +Encoded (non-ASCII characters) representation of the ListExecInst field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the ListExecInst field. +0 + + +354 +EncodedTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedText field. +0 + + +355 +EncodedText +data +Encoded (non-ASCII characters) representation of the Text field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Text field. +0 + + +356 +EncodedSubjectLen +Length +Byte length of encoded (non-ASCII characters) EncodedSubject field. +0 + + +357 +EncodedSubject +data +Encoded (non-ASCII characters) representation of the Subject field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Subject field. +0 + + +358 +EncodedHeadlineLen +Length +Byte length of encoded (non-ASCII characters) EncodedHeadline field. +0 + + +359 +EncodedHeadline +data +Encoded (non-ASCII characters) representation of the Headline field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the Headline field. +0 + + +360 +EncodedAllocTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedAllocText field. +0 + + +361 +EncodedAllocText +data +Encoded (non-ASCII characters) representation of the AllocText field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the AllocText field. +0 + + +362 +EncodedUnderlyingIssuerLen +Length +Byte length of encoded (non-ASCII characters) EncodedUnderlyingIssuer field. +0 + + +363 +EncodedUnderlyingIssuer +data +Encoded (non-ASCII characters) representation of the UnderlyingIssuer field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the UnderlyingIssuer field. +0 + + +364 +EncodedUnderlyingSecurityDescLen +Length +Byte length of encoded (non-ASCII characters) EncodedUnderlyingSecurityDesc field. +0 + + +365 +EncodedUnderlyingSecurityDesc +data +Encoded (non-ASCII characters) representation of the UnderlyingSecurityDesc field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the UnderlyingSecurityeDesc field. +0 + + +366 +AllocPrice +Price +Executed price for an AllocAccount entry used when using “executed price” vs. “average price” allocations (e.g. Japan). +0 + + +367 +QuoteSetValidUntilTime +UTCTimestamp +Indicates expiration time of this particular QuoteSet (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +368 +QuoteEntryRejectReason +int +Reason Quote Entry was rejected: Valid values: 1 = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote exceeds limit 4 = Too late to enter 5 = Unknown Quote 6 = Duplicate Quote 7 = Invalid bid/ask spread 8 = Invalid price 9 = Not authorized to quote security +0 + + +369 +LastMsgSeqNumProcessed +SeqNum +The last MsgSeqNum value received by the FIX engine and processed by downstream application, such as trading engine or order routing system. Can be specified on every message sent. Useful for detecting a backlog with a counterparty. +0 + + +370 +OnBehalfOfSendingTime(Deprecated) +UTCTimestamp +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Used when a message is sent via a “hub” or “service bureau”. If A sends to Q (the hub) who then sends to B via a separate FIX session, then when Q sends to B the value of this field should represent the SendingTime on the message A sent to Q. (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +371 +RefTagID +int +The tag number of the FIX field being referenced. +0 + + +372 +RefMsgType +String +The MsgType of the FIX message being referenced. +0 + + +373 +SessionRejectReason +int +Code to identify reason for a session-level Reject message. Valid values: 0 = Invalid tag number 1 = Required tag missing 2 = Tag not defined for this message type 3 = Undefined Tag 4 = Tag specified without a value 5 = Value is incorrect (out of range) for this tag 6 = Incorrect data format for value 7 = Decryption problem 8 = Signature problem 9 = CompID problem 10 = SendingTime accuracy problem 11 = Invalid MsgType 12 = XML Validation error 13 = Tag appears more than once 14 = Tag specified out of required order 15 = Repeating group fields out of order 16 = Incorrect NumInGroup count for repeating group 17 = Non “data” value includes field delimiter (SOH character) +0 + + +374 +BidRequestTransType +char +Identifies the Bid Request message type. Valid values: N = New C = Cancel +0 + + +375 +ContraBroker +String +Identifies contra broker. Standard NASD market-maker mnemonic is preferred. +0 + + +376 +ComplianceID +String +ID used to represent this transaction for compliance purposes (e.g. OATS reporting). +0 + + +377 +SolicitedFlag +Boolean +Indicates whether or not the order was solicited. Valid values: Y = Was solcitied N = Was not solicited +0 + + +378 +ExecRestatementReason +int +Code to identify reason for an ExecutionRpt message sent with ExecType=Restated or used when communicating an unsolicited cancel. Valid values: 0 = GT Corporate action 1 = GT renewal / restatement (no corporate action) 2 = Verbal change 3 = Repricing of order 4 = Broker option 5 = Partial decline of OrderQty (e.g. exchange-initiated partial cancel) 6 = Cancel on Trading Halt 7 = Cancel on System Failure 8 = Market (Exchange) Option +0 + + +379 +BusinessRejectRefID +String +The value of the business-level “ID” field on the message being referenced. +0 + + +380 +BusinessRejectReason +int +Code to identify reason for a Business Message Reject message. Valid values: 0 = Other 1 = Unkown ID 2 = Unknown Security 3 = Unsupported Message Type 4 = Application not available 5 = Conditionally Required Field Missing 6 = Not authorized 7 = DeliverTo firm not available at this time +0 + + +381 +GrossTradeAmt +Amt +Total amount traded (e.g. CumQty * AvgPx) expressed in units of currency. +0 + + +382 +NoContraBrokers +NumInGroup +The number of ContraBroker entries. +0 + + +383 +MaxMessageSize +Length +Maximum number of bytes supported for a single message. +0 + + +384 +NoMsgTypes +NumInGroup +Number of MsgTypes in repeating group. +0 + + +385 +MsgDirection +char +Specifies the direction of the messsage. Valid values: S = Send R = Receive +0 + + +386 +NoTradingSessions +NumInGroup +Number of TradingSessionIDs in repeating group. +0 + + +387 +TotalVolumeTraded +Qty +Total volume (quantity) traded. +0 + + +388 +DiscretionInst +char +Code to identify the price a DiscretionOffset is related to and should be mathematically added to. Valid values: 0 = Related to displayed price 1 = Related to market price 2 = Related to primary price 3 = Related to local primary price 4 = Related to midpoint price 5 = Related to last trade price +0 + + +389 +DiscretionOffset +PriceOffset +Amount (signed) added to the “related to” price specified via DiscretionInst. +0 + + +390 +BidID +String +Unique identifier for Bid Response as assigned by sell-side (broker, exchange, ECN). Uniqueness must be guaranteed within a single trading day. +0 + + +391 +ClientBidID +String +Unique identifier for a Bid Request as assigned by institution. Uniqueness must be guaranteed within a single trading day. +0 + + +392 +ListName +String +Descriptive name for list order. +0 + + +393 +TotalNumSecurities +int +Total number of securities. +0 + + +394 +BidType +int +Code to identify the type of Bid Request. Valid values: 1 = “Non Disclosed” Style (e.g. US/European) 2 = “Disclosed” Style (e.g. Japanese) 3 = No Bidding Process +0 + + +395 +NumTickets +int +Total number of tickets. +0 + + +396 +SideValue1 +Amt +Amounts in currency +0 + + +397 +SideValue2 +Amt +Amounts in currency +0 + + +398 +NoBidDescriptors +NumInGroup +Number of BidDescriptor entries. +0 + + +399 +BidDescriptorType +int +Code to identify the type of BidDescriptor. Valid values: 1 = Sector 2 = Country 3 = Index +0 + + +400 +BidDescriptor +String +BidDescriptor value. Usage depends upon BidDescriptorType. If BidDescriptorType =1 Industrials etc - Free text If BidDescriptorType =2 "FR" etc - ISO Country Codes If BidDescriptorType =3 FT100, FT250, STOX - Free text +0 + + +401 +SideValueInd +int +Code to identify which "SideValue" the value refers to. SideValue1 and SideValue2 are used as opposed to Buy or Sell so that the basket can be quoted either way as Buy or Sell. Valid values: 1 = SideValue1 2 = SideValue 2 +0 + + +402 +LiquidityPctLow +Percentage +Liquidity indicator or lower limit if TotalNumSecurities > 1. Represented as a percentage. +0 + + +403 +LiquidityPctHigh +Percentage +Upper liquidity indicator if TotalNumSecurities > 1. Represented as a percentage. +0 + + +404 +LiquidityValue +Amt +Value between LiquidityPctLow and LiquidityPctHigh in Currency +0 + + +405 +EFPTrackingError +Percentage +Eg Used in EFP trades 12% (EFP – Exchange for Physical ). Represented as a percentage. +0 + + +406 +FairValue +Amt +Used in EFP trades +0 + + +407 +OutsideIndexPct +Percentage +Used in EFP trades. Represented as a percentage. +0 + + +408 +ValueOfFutures +Amt +Used in EFP trades +0 + + +409 +LiquidityIndType +int +Code to identify the type of liquidity indicator. Valid values: 1 = 5day moving average 2 = 20 day moving average 3 = Normal Market Size 4 = Other +0 + + +410 +WtAverageLiquidity +Percentage +Overall weighted average liquidity expressed as a % of average daily volume. Represented as a percentage. +0 + + +411 +ExchangeForPhysical +Boolean +Indicates whether or not to exchange for phsyical. Valid values: Y = True N = False +0 + + +412 +OutMainCntryUIndex +Amt +Value of stocks in Currency +0 + + +413 +CrossPercent +Percentage +Percentage of program that crosses in Currency. Represented as a percentage. +0 + + +414 +ProgRptReqs +int +Code to identify the desired frequency of progress reports. Valid values: 1 = BuySide explicitly requests status using StatusRequest (Default) The sell-side firm can however, send a DONE status List Status Response in an unsolicited fashion 2 = SellSide periodically sends status using ListStatus. Period optionally specified in ProgressPeriod 3 = Real-time execution reports (to be discouraged) +0 + + +415 +ProgPeriodInterval +int +Time in minutes between each ListStatus report sent by SellSide. Zero means don’t send status. +0 + + +416 +IncTaxInd +int +Code to represent whether value is net (inclusive of tax) or gross. Valid values: 1 = Net 2 = Gross +0 + + +417 +NumBidders +int +Indicates the total number of bidders on the list +0 + + +418 +TradeType +char +Code to represent the type of trade. Valid values: R: Risk Trade G: VWAP Guarantee A: Agency J: Guaranteed Close +0 + + +419 +BasisPxType +char +Code to represent the basis price type. Valid values: 2 = Closing Price at morning session 3 = Closing Price 4 = Current price 5 = SQ 6 = VWAP through a day 7 = VWAP through a morning session 8 = VWAP through an afternoon session 9 = VWAP through a day except "YORI" (an opening auction) A = VWAP through a morning session except "YORI" (an opening auction) B = VWAP through an afternoon session except "YORI" (an opening auction) C = Strike D = Open Z = Others +0 + + +420 +NoBidComponents +NumInGroup +Indicates the number of list entries. +0 + + +421 +Country +Country +ISO Country Code in field +0 + + +422 +TotNoStrikes +int +Total number of strike price entries across all messages. Should be the sum of all NoStrikes in each message that has repeating strike price entries related to the same ListID. Used to support fragmentation. +0 + + +423 +PriceType +int +Code to represent the price type. Valid values: 1 = Percentage 2 = per share (e.g. cents per share) 3 = Fixed Amount (absolute value) 4 = discount – percentage points below par 5 = premium – percentage points over par 6 = basis points relative to benchmark 7 = TED price (see “Volume 1 - Glossary”) 8 = TED yield (see “Volume 1 - Glossary”) +0 + + +424 +DayOrderQty +Qty +For GT orders, the OrderQty less all quantity (adjusted for stock splits) that traded on previous days. DayOrderQty = OrderQty – (CumQty - DayCumQty) +0 + + +425 +DayCumQty +Qty +Quantity on a GT order that has traded today. +0 + + +426 +DayAvgPx +Price +The average price for quantity on a GT order that has traded today. +0 + + +427 +GTBookingInst +int +Code to identify whether to book out executions on a part-filled GT order on the day of execution or to accumulate. Valid values: 0 = book out all trades on day of execution 1 = accumulate executions until order is filled or expires 2 = accumulate until verbally notified otherwise +0 + + +428 +NoStrikes +NumInGroup +Number of list strike price entries. +0 + + +429 +ListStatusType +int +Code to represent the status type. Valid values: 1 = Ack 2 = Response 3 = Timed 4 = ExecStarted 5 = AllDone 6 = Alert +0 + + +430 +NetGrossInd +int +Code to represent whether value is net (inclusive of tax) or gross. Valid values: 1 = Net 2 = Gross +0 + + +431 +ListOrderStatus +int +Code to represent the status of a list order. Valid values: 1 = InBiddingProcess 2 = ReceivedForExecution 3 = Executing 4 = Canceling 5 = Alert 6 = All Done 7 = Reject +0 + + +432 +ExpireDate +LocalMktDate +Date of order expiration (last day the order can trade), always expressed in terms of the local market date. The time at which the order expires is determined by the local market’s business practices +0 + + +433 +ListExecInstType +char +Identifies the type of ListExecInst. Valid values: 1 = Immediate 2 = Wait for Execute Instruction (e.g. a List Execute message or phone call before proceeding with execution of the list) 3 = Exchange/switch CIV order – Sell driven 4 = Exchange/switch CIV order – Buy driven, cash top-up (i.e. additional cash will be provided to fulfil the order) 5 = Exchange/switch CIV order – Buy driven, cash withdraw (i.e. additional cash will not be provided to fulfil the order) +0 + + +434 +CxlRejResponseTo +char +Identifies the type of request that a Cancel Reject is in response to. Valid values: 1 = Order Cancel Request 2 = Order Cancel/Replace Request +0 + + +435 +UnderlyingCouponRate +Percentage +Underlying security’s CouponRate. See CouponRate (223) field for description +0 + + +436 +UnderlyingContractMultiplier +float +Underlying security’s ContractMultiplier. See ContractMultiplier (231) field for description +0 + + +437 +ContraTradeQty +Qty +Quantity traded with the ContraBroker. +0 + + +438 +ContraTradeTime +UTCTimestamp +Identifes the time of the trade with the ContraBroker. (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) +0 + + +439 +ClearingFirm(replaced) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Firm that will clear the trade. Used if different from the executing firm. +0 + + +440 +ClearingAccount(replaced) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Supplemental accounting information forwared to clearing house/firm. +0 + + +441 +LiquidityNumSecurities +int +Number of Securites between LiquidityPctLow and LiquidityPctHigh in Currency. +0 + + +442 +MultiLegReportingType +char +Used to indicate what an Execution Report represents (e.g. used with multi-leg securiteis, such as option strategies, spreads, etc.). Valid Values: 1 = Single Security (default if not specified) 2 = Individual leg of a multi-leg security 3 = Multi-leg security +0 + + +443 +StrikeTime +UTCTimestamp +The time at which current market prices are used to determine the value of a basket. +0 + + +444 +ListStatusText +String +Free format text string related to List Status. +0 + + +445 +EncodedListStatusTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedListStatusText field. +0 + + +446 +EncodedListStatusText +data +Encoded (non-ASCII characters) representation of the ListStatusText field in the encoded format specified via the MessageEncoding field. If used, the ASCII (English) representation should also be specified in the ListStatusText field. +0 + + +447 +PartyIDSource +char +Identifies class or source of the PartyID value. Required if PartyID is specified. Note: applicable values depend upon PartyRole specified. See “Appendix 6-G – Use of <Parties> Component Block” Valid values: Applicable to all PartyRoles unless otherwise specified: B = BIC (Bank Identification Code—Swift managed) code (ISO 9362 - See "Appendix 6-B") C = Generally accepted market participant identifier (e.g. NASD mnemonic) D = Proprietary/Custom code E = ISO Country Code F = Settlement Entity Location (note if Local Market Settlement use “E = ISO Country Code”) (see “Appendix 6-G” for valid values) For PartyRole="Investor ID" and for Equities: 1 = Korean Investor ID 2 = Taiwanese Qualified Foreign Investor ID QFII / FID 3 = Taiwanese Trading Account 4 = Malaysian Central Depository (MCD) number 5 = Chinese B Share (Shezhen and Shanghai) See Volume 4: “Example Usage of PartyRole="Investor ID" ” For PartyRole="Investor ID" and for CIV: 6 = UK National Insurance or Pension Number 7 = US Social Security Number 8 = US Employer Identification Number 9 = Australian Business Number A = Australian Tax File Number +0 + + +448 +PartyID +String +Party identifier/code. See PartyIDSource (447) and PartyRole (452). See “Appendix 6-G – Use of <Parties> Component Block” +0 + + +449 +TotalVolumeTradedDate +UTCDate +Date of TotalVolumeTraded. +0 + + +450 +TotalVolumeTraded Time +UTCTimeOnly +Time of TotalVolumeTraded. +0 + + +451 +NetChgPrevDay +PriceOffset +Net change from previous day’s closing price vs. last traded price. +0 + + +452 +PartyRole +int +Identifies the type or role of the PartyID specified. See “Appendix 6-G – Use of <Parties> Component Block” Valid values: 1 = Executing Firm (formerly FIX 4.2 ExecBroker) 2 = Broker of Credit (formerly FIX 4.2 BrokerOfCredit) 3 = Client ID (formerly FIX 4.2 ClientID) 4 = Clearing Firm (formerly FIX 4.2 ClearingFirm) 5 = Investor ID 6 = Introducing Firm 7 = Entering Firm 8 = Locate/Lending Firm (for short-sales) 9 = Fund manager Client ID (for CIV) 10 = Settlement Location (formerly FIX 4.2 SettlLocation) 11 = Order Origination Trader (associated with Order Origination Firm – e.g. trader who initiates/submits the order) 12 = Executing Trader (associated with Executing Firm - actually executes) 13 = Order Origination Firm (e.g. buyside firm) 14 = Giveup Clearing Firm (firm to which trade is given up) 15 = Correspondant Clearing Firm 16 = Executing System 17 = Contra Firm 18 = Contra Clearing Firm 19 = Sponsoring Firm 20 = Underlying Contra Firm (see Volume 1: "Glossary" for value definitions) +0 + + +453 +NoPartyIDs +NumInGroup +Number of PartyID, PartyIDSource, and PartyRole entries +0 + + +454 +NoSecurityAltID +NumInGroup +Number of SecurityAltID entries. +0 + + +455 +SecurityAltID +String +Alternate Security identifier value for this security of SecurityAltIDSource type (e.g. CUSIP, SEDOL, ISIN, etc). Requires SecurityAltIDSource. +0 + + +456 +SecurityAltIDSource +String +Identifies class or source of the SecurityAltID value. Required if SecurityAltID is specified. Valid values: Same valid values as the SecurityIDSource field +0 + + +457 +NoUnderlyingSecurityAltID +NumInGroup +Number of UnderlyingSecurityAltID entries. +0 + + +458 +UnderlyingSecurityAltID +String +Alternate Security identifier value for this underlying security of UnderlyingSecurityAltIDSource type (e.g. CUSIP, SEDOL, ISIN, etc). Requires UnderlyingSecurityAltIDSource. +0 + + +459 +UnderlyingSecurityAltIDSource +String +Identifies class or source of the UnderlyingSecurityAltID value. Required if UnderlyingSecurityAltID is specified. Valid values: Same valid values as the SecurityIDSource (22) field +0 + + +460 +Product +int +Indicates the type of product the security is associated with. See also the CFICode (461) and SecurityType (167) fields. Valid values: 1 = AGENCY 2 = COMMODITY 3 = CORPORATE 4 = CURRENCY 5 = EQUITY 6 = GOVERNMENT 7 = INDEX 8 = LOAN 9 = MONEYMARKET 10 = MORTGAGE 11 = MUNICIPAL 12 = OTHER +0 + + +461 +CFICode +String +Indicates the type of security using ISO 10962 standard, Classification of Financial Instruments (CFI code) values. ISO 10962 is maintained by ANNA (Association of National Numbering Agencies) acting as Registration Authority. See "Appendix 6-B FIX Fields Based Upon Other Standards". See also the Product (460) and SecurityType (167) fields. It is recommended that CFICode be used instead of SecurityType (167) for non-Fixed Income instruments. A subset of possible values applicable to FIX usage are identified in "Appendix 6-D CFICode Usage - ISO 10962 Classification of Financial Instruments (CFI code)" +0 + + +462 +UnderlyingProduct +int +Underlying security’s Product. Valid values: see Product(460) field +0 + + +463 +UnderlyingCFICode +String +Underlying security’s CFICode. Valid values: see CFICode (461)field +0 + + +464 +TestMessageIndicator +Boolean +Indicates whether or not this FIX Session is a “test” vs. “production” connection. Useful for preventing “accidents”. Valid values: Y = True (Test) N = False (Production) +0 + + +465 +QuantityType +int +Designates the type of quantities (e.g. OrderQty) specified. Used for MBS and TIPS Fixed Income security types. Valid values: 1 = SHARES 2 = BONDS 3 = CURRENTFACE 4 = ORIGINALFACE 5 = CURRENCY 6 = CONTRACTS 7 = OTHER 8 = PAR (see “Volume 1 – Glossary”) +0 + + +466 +BookingRefID +String +Common reference passed to a post-trade booking process (e.g. industry matching utility). +0 + + +467 +IndividualAllocID +String +Unique identifier for a specific NoAllocs repeating group instance (e.g. for an AllocAccount). +0 + + +468 +RoundingDirection +char +Specifies which direction to round For CIV – indicates whether or not the quantity of shares/units is to be rounded and in which direction where OrderCashAmt or (for CIV only) OrderPercent are specified on an order. Valid values are: 0 = Round to nearest 1 = Round down 2 = Round up The default is for rounding to be at the discretion of the executing broker or fund manager. e.g. for an order specifying CashOrdQty or OrderPercent if the calculated number of shares/units was 325.76 and RoundingModulus was 10 – “round down” would give 320 units, “round up” would give 330 units and “round to nearest” would give 320 units. +0 + + +469 +RoundingModulus +float +For CIV - a float value indicating the value to which rounding is required. i.e. 10 means round to a multiple of 10 units/shares; 0.5 means round to a multiple of 0.5 units/shares. The default, if RoundingDirection is specified without RoundingModulus, is to round to a whole unit/share. +0 + + +470 +CountryOfIssue +Country +ISO Country code of instrument issue (e.g. the country portion typically used in ISIN). Can be used in conjunction with non-ISIN SecurityID (e.g. CUSIP for Municipal Bonds without ISIN) to provide uniqueness. +0 + + +471 +StateOrProvinceOfIssue +String +A two-character state or province abbreviation. +0 + + +472 +LocaleOfIssue +String +Identifies the locale. For Municipal Security Issuers other than state or province. Refer to http://www.atmos.albany.edu/cgi/stagrep-cgi Reference the IATA city codes for values. Note IATA (International Air Transport Association) maintains the codes at www.iata.org. See “Volume 7 – PRODUCT: FIXED INCOME” for example. +0 + + +473 +NoRegistDtls +NumInGroup +The number of registration details on a Registration Instructions message +0 + + +474 +MailingDtls +String +Set of Correspondence address details, possibly including phone, fax, etc. +0 + + +475 +InvestorCountryOfResidence +Country +The ISO 3166 Country code (2 character) identifying which country the beneficial investor is resident for tax purposes. +0 + + +476 +PaymentRef +String +“Settlement Payment Reference” – A free format Payment reference to assist with reconciliation, e.g. a Client and/or Order ID number. +0 + + +477 +DistribPaymentMethod +int +A code identifying the payment method for a (fractional) distribution. 1 = CREST 2 = NSCC 3 = Euroclear 4 = Clearstream 5 = Cheque 6 = Telegraphic Transfer 7 = FedWire 8 = Direct Credit (BECS, BACS) 9 = ACH Credit 10 = BPAY 11 = High Value Clearing System (HVACS) 12 = Reinvest in fund 13 through 998 are reserved for future use Values above 1000 are available for use by private agreement among counterparties +0 + + +478 +CashDistribCurr +Currency +Specifies currency to be use for Cash Distributions– see "Appendix 6-A; Valid Currency Codes". +0 + + +479 +CommCurrency +Currency +Specifies currency to be use for Commission if the Commission currency is different from the Deal Currency - see "Appendix 6-A; Valid Currency Codes". +0 + + +480 +CancellationRights +char +For CIV – A one character code identifying whether Cancellation rights/Cooling off period applies. Valid values are: Y = Yes N = No – execution only M = No – waiver agreement O = No – institutional. +0 + + +481 +MoneyLaunderingStatus +char +For CIV - A one character code identifying Money laundering status. Valid values: Y = Passed N = Not checked 1 = Exempt – Below The Limit 2 = Exempt – Client Money Type Exemption 3 = Exempt – Authorised Credit or Financial Institution. +0 + + +482 +MailingInst +String +Free format text to specify mailing instruction requirements, e.g. "no third party mailings". +0 + + +483 +TransBkdTime +UTCTimestamp +For CIV A date and time stamp to indicate the time a CIV order was booked by the fund manager. +0 + + +484 +ExecPriceType +char +For CIV - Identifies how the execution price LastPx was calculated from the fund unit/share price(s) calculated at the fund valuation point. Valid values are: + B = Bid price + C = Creation price + D = Creation price plus adjustment % + E = Creation price plus adjustment amount + O = Offer price + P = Offer price minus adjustment % + Q = Offer price minus adjustment amount + S = Single price +0 + + +485 +ExecPriceAdjustment +float +For CIV the amount or percentage by which the fund unit/share price was adjusted, as indicated by ExecPriceType +0 + + +486 +DateOfBirth +LocalMktDate +The date of birth applicable to the individual, e.g. required to open some types of tax-exempt account. +0 + + +487 +TradeReportTransType +char +Identifies Trade Report message transaction type Valid values: N = New C = Cancel R = Replace +0 + + +488 +CardHolderName +String +The name of the payment card holder as specified on the card being used for payment. +0 + + +489 +CardNumber +String +The number of the payment card as specified on the card being used for payment. +0 + + +490 +CardExpDate +LocalMktDate +The expiry date of the payment card as specified on the card being used for payment. +0 + + +491 +CardIssNo +String +The issue number of the payment card as specified on the card being used for payment. This is only applicable to certain types of card. +0 + + +492 +PaymentMethod +int +A code identifying the Settlement payment method. 1 = CREST 2 = NSCC 3 = Euroclear 4 = Clearstream 5 = Cheque 6 = Telegraphic Transfer 7 = FedWire 8 = Debit Card 9 = Direct Debit (BECS) 10 = Direct Credit (BECS) 11 = Credit Card 12 = ACH Debit 13 = ACH Credit 14 = BPAY 15 = High Value Clearing System (HVACS) 16 through 998 are reserved for future use Values above 1000 are available for use by private agreement among counterparties +0 + + +493 +RegistAcctType +String +For CIV – a fund manager-defined code identifying which of the fund manager’s account types is required. +0 + + +494 +Designation +String +Free format text defining the designation to be associated with a holding on the register. Used to identify assets of a specific underlying investor using a common registration, e.g. a broker’s nominee or street name. +0 + + +495 +TaxAdvantageType +int +For CIV - a code identifying the type of tax exempt account in which purchased shares/units are to be held. 0=None/Not Applicable (default) 1 = Maxi ISA (UK) 2 = TESSA (UK) 3 = Mini Cash ISA (UK) 4 = Mini Stocks and Shares ISA (UK) 5 = Mini Insurance ISA (UK) 6 = Current year payment (US) 7 = Prior year payment (US) 8 = Asset transfer (US) 9 = Employee - prior year (US) 10 = Employee – current year (US) 11 = Employer - prior year (US) 12 = Employer – current year (US) 13 = Non-fund prototype IRA (US) 14 = Non-fund qualified plan (US) 15 = Defined contribution plan (US) 16 = Individual Retirement Account (US) 17 = Individual Retirement Account – Rollover (US) 18 = KEOGH (US) 19 = Profit Sharing Plan (US) 20 = 401K (US) 21 = Self-Directed IRA (US) 22 = 403(b) (US) 23 = 457 (US) 24 = Roth IRA (fund prototype) (US) 25 = Roth IRA (non-prototype) (US) 26 = Roth Conversion IRA (fund prototype) (US) 27 = Roth Conversion IRA (non-prototype) (US) 28 = Education IRA (fund prototype) (US) 29 = Education IRA (non-prototype) (US) 30 – 998 are reserved for future use by recognized taxation authorities 999=Other values above 1000 are available for use by private agreement among counterparties +0 + + +496 +RegistRejReasonText +String +Text indicating reason(s) why a Registration Instruction has been rejected. +0 + + +497 +FundRenewWaiv +char +A one character code identifying whether the Fund based renewal commission is to be waived. Valid values are: Y = Yes N = No +0 + + +498 +CashDistribAgentName +String +Name of local agent bank if for cash distributions +0 + + +499 +CashDistribAgentCode +String +BIC (Bank Identification Code--Swift managed) code of agent bank for cash distributions +0 + + +500 +CashDistribAgentAcctNumber +String +Account number at agent bank for distributions. +0 + + +501 +CashDistribPayRef +String +Free format Payment reference to assist with reconciliation of distributions. +0 + + +502 +CashDistribAgentAcctName +String +Name of account at agent bank for distributions. +0 + + +503 +CardStartDate +LocalMktDate +The start date of the card as specified on the card being used for payment. +0 + + +504 +PaymentDate +LocalMktDate +The date written on a cheque or date payment should be submitted to the relevant clearing system. +0 + + +505 +PaymentRemitterID +String +Identifies sender of a payment, e.g. the payment remitter or a customer reference number. +0 + + +506 +RegistStatus +char +Registration status as returned by the broker or (for CIV) the fund manager: A = Accepted R = Rejected H = Held N = Reminder – i.e. Registration Instructions are still outstanding +0 + + +507 +RegistRejReasonCode +int +Reason(s) why Registration Instructions has been rejected. +Possible values of reason code include: 1 = Invalid/unacceptable Account Type +2 = Invalid/unacceptable Tax Exempt Type +3 = Invalid/unacceptable Ownership Type +4 = Invalid/unacceptable No Reg Detls +5 = Invalid/unacceptable Reg Seq No +6 = Invalid/unacceptable Reg Dtls +7 = Invalid/unacceptable Mailing Dtls +8 = Invalid/unacceptable Mailing Inst +9 = Invalid/unacceptable Investor ID +10 = Invalid/unacceptable Investor ID Source +11 = Invalid/unacceptable Date of Birth +12 = Invalid/unacceptable Investor Country Of Residence +13 = Invalid/unacceptable NoDistribInstns +14 = Invalid/unacceptable Distrib Percentage +15 = Invalid/unacceptable Distrib Payment Method +16 = Invalid/unacceptable Cash Distrib Agent Acct Name +17 = Invalid/unacceptable Cash Distrib Agent Code +18 = Invalid/unacceptable Cash Distrib Agent Acct Num The reason may be further amplified in the RegistRejReasonCode field. +0 + + +508 +RegistRefID +String +Reference identifier for the RegistID with Cancel and Replace RegistTransType transaction types. +0 + + +509 +RegistDetls +String +Set of Registration name and address details, possibly including phone, fax etc. +0 + + +510 +NoDistribInsts +NumInGroup +The number of Distribution Instructions on a Registration Instructions message +0 + + +511 +RegistEmail +String +Email address relating to Registration name and address details +0 + + +512 +DistribPercentage +Percentage +The amount of each distribution to go to this beneficiary, expressed as a percentage +0 + + +513 +RegistID +String +Unique identifier of the registration details as assigned by institution or intermediary. +0 + + +514 +RegistTransType +char +Identifies Registration Instructions transaction type Valid values: 0 = New 1 = Replace 2 = Cancel +0 + + +515 +ExecValuationPoint +UTCTimestamp +For CIV - a date and time stamp to indicate the fund valuation point with respect to which a order was priced by the fund manager. +0 + + +516 +OrderPercent +Percentage +For CIV specifies the approximate order quantity desired. For a CIV Sale it specifies percentage of investor’s total holding to be sold. For a CIV switch/exchange it specifies percentage of investor’s cash realised from sales to be re-invested. The executing broker, intermediary or fund manager is responsible for converting and calculating OrderQty in shares/units for subsequent messages. +0 + + +517 +OwnershipType +char +The relationship between Registration parties. J = Joint Investors T = Tenants in Common 2 = Joint Trustees +0 + + +518 +NoContAmts +NumInGroup +The number of Contract Amount details on an Execution Report message +0 + + +519 +ContAmtType +int +Type of Contract Amount. For UK valid values include: 1 = Commission Amount (actual) 2 = Commission % (actual) 3 = Initial Charge Amount 4 = Initial Charge % 5 = Discount Amount 6 = Discount % 7 = Dilution Levy Amount 8 = Dilution Levy % 9 = Exit Charge Amount 10 = Exit Charge % 11 = Fund-based Renewal Commission % (a.k.a. Trail commission) 12 = Projected Fund Value (i.e. for investments intended to realise or exceed a specific future value) 13 = Fund-based Renewal Commission Amount (based on Order value) 14 = Fund-based Renewal Commission Amount (based on Projected Fund value) 15 = Net Settlement Amount NOTE That Commission Amount / % in Contract Amounts is the commission actually charged, rather than the commission instructions given in Fields 12/13. +0 + + +520 +ContAmtValue +float +Value of Contract Amount, e.g. a financial amount or percentage as indicated by ContAmtType. +0 + + +521 +ContAmtCurr +Currency +Specifies currency for the Contract amount if different from the Deal Currency - see "Appendix A; Valid Currency Codes". +0 + + +522 +OwnerType +int +Identifies the type of owner. Valid values: 1 = Individual Investor 2 = Public Company 3 = Private Company 4 = Individual Trustee 5 = Company Trustee 6 = Pension Plan 7 = Custodian Under Gifts to Minors Act 8 = Trusts 9 = Fiduciaries 10 = Networking Sub-Account 11 = Non-Profit Organization 12 = Corporate Body 13 =Nominee +0 + + +523 +PartySubID +String +Sub-identifier (e.g. Clearing Account for PartyRole=Clearing Firm, Locate ID # for PartyRole=Locate/Lending Firm, etc). Not required when using PartyID, PartyIDSource, and PartyRole. +0 + + +524 +NestedPartyID +String +PartyID value within a nested repeating group. Same values as PartyID (448) +0 + + +525 +NestedPartyIDSource +char +PartyIDSource value within a nested repeating group. Same values as PartyIDSource (447) +0 + + +526 +SecondaryClOrdID +String +Assigned by the party which originates the order. Can be used to provide the ClOrdID used by an exchange or executing system. +0 + + +527 +SecondaryExecID +String +Assigned by the party which accepts the order. Can be used to provide the ExecID used by an exchange or executing system. +0 + + +528 +OrderCapacity +char +Designates the capacity of the firm placing the order. Valid values: A = Agency G = Proprietary I = Individual P = Principal (Note for CMS purposes, Principal includes Proprietary) R = Riskless Principal W = Agent for Other Member (as of FIX 4.3, this field replaced Rule80A (tag 47) --used in conjunction with OrderRestrictions field) (see Volume 1: "Glossary" for value definitions) +0 + + +529 +OrderRestrictions +MultipleValueString +Restrictions associated with an order. If more than one restriction is applicable to an order, this field can contain multiple instructions separated by space. Valid values: 1 = Program Trade 2 = Index Arbitrage 3 = Non-Index Arbitrage 4 = Competing Market Maker 5 = Acting as Market Maker or Specialist in the security 6 = Acting as Market Maker or Specialist in the underlying security of a derivative security 7 = Foreign Entity (of foreign governmnet or regulatory jurisdiction) 8 = External Market Participant 9 = External Inter-connected Market Linkage A = Riskless Arbitrage +0 + + +530 +MassCancelRequestType +char +Specifies scope of Order Mass Cancel Request. Valid values: 1 = Cancel orders for a security 2 = Cancel orders for an Underlying security 3 = Cancel orders for a Product 4 = Cancel orders for a CFICode 5 = Cancel orders for a SecurityType 6 = Cancel orders for a trading session 7 = Cancel all orders +0 + + +531 +MassCancelResponse +char +Specifies the action taken by counterparty order handling system as a result of the Order Mass Cancel Request Valid values: 0 = Cancel Request Rejected -- See MassCancelRejectReason (532) 1 = Cancel orders for a security 2 = Cancel orders for an Underlying security 3 = Cancel orders for a Product 4 = Cancel orders for a CFICode 5 = Cancel orders for a SecurityType 6 = Cancel orders for a trading session 7 = Cancel all orders +0 + + +532 +MassCancelRejectReason +char +Reason Order Mass Cancel Request was rejected Valid valuess: 0 = Mass Cancel Not Supported 1 = Invalid or unknown Security 2 = Invalid or unknown underlying 3 = Invalid or unknown Product 4 = Invalid or unknown CFICode 5 = Invalid or unknown Security Type 6 = Invalid or unknown trading session +0 + + +533 +TotalAffectedOrders +int +Total number of orders affected by mass cancel request. +0 + + +534 +NoAffectedOrders +int +Number of affected orders in the repeating group of order ids. +0 + + +535 +AffectedOrderID +String +OrderID of an order affected by a mass cancel request. +0 + + +536 +AffectedSecondaryOrderID +Stirng +SecondaryOrderID of an order affected by a mass cancel request. +0 + + +537 +QuoteType +int +Identifies the type of quote. Valid values: 0 = Indicative 1 = Tradeable 2 = Restricted Tradeable An indicative quote is used to inform a counterparty of a market. An indicative quote does not result directly in a trade. A tradeable quote is submitted to a market and willresult directly in a trade against other orders and quotes in a market. A restricted tradeable quote is submitted to a market and within a certain restriction (possibly based upon price or quantity) will automatically trade against orders. Order that do not comply with restrictions are sent to the quote issuer who can choose to accept or decline the order. +0 + + +538 +NestedPartyRole +int +PartyRole value within a nested repeating group. Same values as PartyRole (452) +0 + + +539 +NoNestedPartyIDs +NumInGroup +Number of NestedPartyID, NestedPartyIDSource, and NestedPartyRole entries +0 + + +540 +TotalAccruedInterestAmt +Amt +Total Amount of Accrued Interest for convertible bonds and fixed income +0 + + +541 +MaturityDate +LocalMktDate +Date of maturity. +0 + + +542 +UnderlyingMaturityDate +LocalMktDate +Underlying security’s maturity date. See MaturityDate (541) field for description +0 + + +543 +InstrRegistry +String +The location at which records of ownership are maintained for this instrument, and at which ownership changes must be recorded. Valid values: BIC (Bank Identification Code—Swift managed) = the depository or custodian who maintains ownership Records ISO Country Code = country in which registry is kept "ZZ" = physical or bearer +0 + + +544 +CashMargin +char +Identifies whether an order is a margin order or a non-margin order. This is primarily used when sending orders to Japanese exchanges to indicate sell margin or buy to cover. The same tag could be assigned also by buy-side to indicate the intent to sell or buy margin and the sell-side to accept or reject (base on some validation criteria) the margin request. Valid values: 1 = Cash 2 = Margin Open 3 = Margin Close +0 + + +545 +NestedPartySubID +String +PartySubID value within a nested repeating group. Same values as PartySubID (523) +0 + + +546 +Scope +MultipleValueString +Defines the scope of a data element. Valid values: 1 = Local (Exchange, ECN, ATS) 2 = National 3 = Global +0 + + +547 +MDImplicitDelete +Boolean +Defines how a server handles distribution of a truncated book. Defaults to broker option. Valid values: Y = Client has responsibility for implicitly deleting bids or offers falling outside the MarketDepth of the request. N = Server must send an explicit delete for bids or offers falling outside the requested MarketDepth of the request. +0 + + +548 +CrossID +String +Identifier for a cross order. Must be unique during a given trading day. Recommend that firms use the order date as part of the CrossID for Good Till Cancel (GT) orders. +0 + + +549 +CrossType +int +Type of cross being submitted to a market Valid values: 1 = Cross Trade which is executed completely or not. Both sides are treated in the same manner. This is equivalent to an All or None. 2 = Cross Trade which is executed partially and the rest is cancelled. One side is fully executed, the other side is partially executed with the remainder being cancelled. This is equivalent to an Immediate or Cancel on the other side. Note: The CrossPrioritzation field may be used to indicate which side should fully execute in this scenario. 3 = Cross trade which is partially executed with the unfilled portions remaining active. One side of the cross is fully executed (as denoted with the CrossPrioritization field), but the unfilled portion remains active. 4 = Cross trade is executed with existing orders with the same price. In the case other orders exist with the same price, the quantity of the Cross is executed against the existing orders and quotes, the remainder of the cross is executed against the other side of the cross. The two sides potentially have different quantities. +0 + + +550 +CrossPrioritization +int +Indicates if one side or the other of a cross order should be prioritized. 0 = None 1 = Buy side is prioritized 2 = Sell side is prioritized The definition of prioritization is left to the market. In some markets prioritization means which side of the cross order is applied to the market first. In other markets – prioritization may mean that the prioritized side is fully executed (sometimes referred to as the side being protected). +0 + + +551 +OrigCrossID +String +CrossID of the previous cross order (NOT the initial cross order of the day) as assigned by the institution, used to identify the previous cross order in Cross Cancel and Cross Cancel/Replace Requests. +0 + + +552 +NoSides +NumInGroup +Number of Side repeating group instances. Valid values: 1 = one side 2 = both sides +0 + + +553 +Username +String +Userid or username. +0 + + +554 +Password +String +Password or passphrase. +0 + + +555 +NoLegs +NumInGroup +Number of InstrumentLeg repeating group instances. +0 + + +556 +LegCurrency +Currency +Currency associated with a particular Leg's quantity +0 + + +557 +TotalNumSecurityTypes +int +Indicates total number of security types in the event that multiple Security Type messages are used to return results +0 + + +558 +NoSecurityTypes +NumInGroup +Number of Security Type repeating group instances. +0 + + +559 +SecurityListRequestType +int +Identifies the type/criteria of Security List Request Valid values: 0 = Symbol 1 = SecurityType and/or CFICode 2 = Product 3 = TradingSessionID 4 = All Securities +0 + + +560 +SecurityRequestResult +int +The results returned to a Security Request message Valid values: 0 = Valid request 1 = Invalid or unsupported request 2 = No instruments found that match selection criteria 3 = Not authorized to retrieve instrument data 4 = Instrument data temporarily unavailable 5 = Request for instrument data not supported +0 + + +561 +RoundLot +Qty +The trading lot size of a security +0 + + +562 +MinTradeVol +Qty +The minimum trading volume for a security +0 + + +563 +MultiLegRptTypeReq +int +Indicates the method of execution reporting requested by issuer of the order. 0 = Report by mulitleg security only (Do not report legs) 1 = Report by multileg security and by instrument legs belonging to the multileg security. 2 = Report by instrument legs belonging to the multileg security only (Do not report status of multileg security) +0 + + +564 +LegPositionEffect +char +PositionEffect for leg of a multileg See PositionEffect (77) field for description +0 + + +565 +LegCoveredOrUncovered +int +CoveredOrUncovered for leg of a multileg See CoveredOrUncovered (203) field for description +0 + + +566 +LegPrice +Price +Price for leg of a multileg See Price (44) field for description +0 + + +567 +TradSesStatusRejReason +int +Indicates the reason a Trading Session Status Request was rejected. Valid values: 1 = Unknown or invalid TradingSessionID +0 + + +568 +TradeRequestID +String +Trade Capture Report Request ID +0 + + +569 +TradeRequestType +int +Type of Trade Capture Report. Valid values: 0 = All trades 1 = Matched trades matching Criteria provided on request (parties, order id, instrument, input source, etc.) 2 = Unmatched trades that match criteria 3 = Unreported trades that match criteria 4 = Advisories that match criteria +0 + + +570 +PreviouslyReported +Boolean +Indicates if the trade capture report was previously reported to the counterparty Valid values: Y = previously reported to counterparty N = not reported to counterparty +0 + + +571 +TradeReportID +String +Unique identifier of trade capture report +0 + + +572 +TradeReportRefID +String +Reference identifier used with CANCEL and REPLACE transaction types. +0 + + +573 +MatchStatus +char +The status of this trade with respect to matching or comparison. Valid values: 0 = compared, matched or affirmed 1 = uncompared, unmatched, or unaffirmed 2 = advisory or alert +0 + + +574 +MatchType +String +The point in the matching process at which this trade was matched. Valid values: For NYSE and AMEX: A1 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus four badges and execution time (within two-minute window) A2 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus four badges A3 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus two badges and execution time (within two-minute window) A4 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus two badges A5 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus execution time (within two-minute window) AQ = Compared records resulting from stamped advisories or specialist accepts/pair-offs S1 to S5 = Summarized Match using A1 to A5 exact match criteria except quantity is summarized M1 = Exact Match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator minus badges and times M2 = Summarized Match minus badges and times MT = OCS Locked In For NASDAQ: M1 = ACT M1 Match M2 = ACT M2 Match M3 = ACT Accepted Trade M4 = ACT Default Trade M5 = ACT Default After M2 M6 = ACT M6 Match MT = Non-ACT +0 + + +575 +OddLot +Boolean +This trade is to be treated as an odd lot Values: Y = treat as odd lot N = treat as round lot If this field is not specified, the default will be "N" +0 + + +576 +NoClearingInstructions +int +Number of clearing instructions +0 + + +577 +ClearingInstruction +int +Eligibility of this trade for clearing and central counterparty processing Valid values: 0 = process normally 1 = exclude from all netting 2 = bilateral netting only 3 = ex clearing 4 = special trade 5 = multilateral netting 6 = clear against central counterparty 7 = exclude from central counterparty 8 = Manual mode (pre-posting and/or pre-giveup) 9 = Automatic posting mode (trade posting to the position account number specified) 10 = Automatic give-up mode (trade give-up to the give-up destination number specified) values above 4000 are reserved for agreement between parties +0 + + +578 +TradeInputSource +String +Type of input device or system from which the trade was entered. +0 + + +579 +TradeInputDevice +String +Specific device number, terminal number or station where trade was entered +0 + + +580 +NoDates +int +Number of Date fields provided in date range +0 + + +581 +AccountType +int +Type of account associated with an order Valid values: 1 = Account is carried on customer Side of Books 2 = Account is carried on non-Customer Side of books 3 = House Trader 4 = Floor Trader 6 = Account is carried on non-customer side of books and is cross margined 7 = Account is house trader and is cross margined 8 = Joint Backoffice Account (JBO) +0 + + +582 +CustOrderCapacity +int +Capacity of customer placing the order 1 = Member trading for their own account 2 = Clearing Firm trading for its proprietary account 3 = Member trading for another member 4 = All other Primarily used by futures exchanges to indicate the CTICode (customer type indicator) as required by the US CFTC (Commodity Futures Trading Commission). +0 + + +583 +ClOrdLinkID +String +Permits order originators to tie together groups of orders in which trades resulting from orders are associated for a specific purpose, for example the calculation of average execution price for a customer. +0 + + +584 +MassStatusReqID +String +Value assigned by issuer of Mass Status Request to uniquely identify the request +0 + + +585 +MassStatusReqType +int +Mass Status Request Type Valid values: 1 = Status for orders for a security 2 = Status for orders for an Underlying security 3 = Status for orders for a Product 4 = Status for orders for a CFICode 5 = Status for orders for a SecurityType 6 = Status for orders for a trading session 7 = Status for all orders 8 = Status for orders for a PartyID +0 + + +586 +OrigOrdModTime +UTCTimestamp +The most recent (or current) modification TransactTime (tag 60) reported on an Execution Report for the order. The OrigOrdModTime is provided as an optional field on Order Cancel Request and Order Cancel Replace Requests to identify that the state of the order has not changed since the request was issued. This is provided to support markets similar to Eurex and A/C/E. +0 + + +587 +LegSettlmntTyp +char +Refer to values for SettlmntTyp[63] +0 + + +588 +LegFutSettDate +LocalMMktDate +Refer to description for FutSettDate[64] +0 + + +589 +DayBookingInst +char +Indicates whether or not automatic booking can occur. 0 = Can trigger booking without reference to the order initiator ("auto") 1 = Speak with order initiator before booking ("speak first") +0 + + +590 +BookingUnit +char +Indicates what constitutes a bookable unit. 0 = Each partial execution is a bookable unit 1 = Aggregate partial executions on this order, and book one trade per order 2 = Aggregate executions for this symbol, side, and settlement date +0 + + +591 +PreallocMethod +char +Indicates the method of preallocation. 0 = Pro-rata 1 = Do not pro-rata = discuss first +0 + + +592 +UnderlyingCountryOfIssue +Country +Underlying security’s CountryOfIssue. See CountryOfIssue (470) field for description +0 + + +593 +UnderlyingStateOrProvinceOfIssue +String +Underlying security’s StateOrProvinceOfIssue. See StateOrProvinceOfIssue (471) field for description +0 + + +594 +UnderlyingLocaleOfIssue +String +Underlying security’s LocaleOfIssue. See LocaleOfIssue (472) field for description +0 + + +595 +UnderlyingInstrRegistry +String +Underlying security’s InstrRegistry. See InstrRegistry (543) field for description +0 + + +596 +LegCountryOfIssue +Country +Multileg instrument's individual leg security’s CountryOfIssue. See CountryOfIssue (470) field for description +0 + + +597 +LegStateOrProvinceOfIssue +String +Multileg instrument's individual leg security’s StateOrProvinceOfIssue. See StateOrProvinceOfIssue (471) field for description +0 + + +598 +LegLocaleOfIssue +String +Multileg instrument's individual leg security’s LocaleOfIssue. See LocaleOfIssue (472) field for description +0 + + +599 +LegInstrRegistry +String +Multileg instrument's individual leg security’s InstrRegistry. See InstrRegistry (543) field for description +0 + + +600 +LegSymbol +String +Multileg instrument's individual security’s Symbol. See Symbol (55) field for description +0 + + +601 +LegSymbolSfx +String +Multileg instrument's individual security’s SymbolSfx. See SymbolSfx (65) field for description +0 + + +602 +LegSecurityID +String +Multileg instrument's individual security’s SecurityID. See SecurityID (48) field for description +0 + + +603 +LegSecurityIDSource +String +Multileg instrument's individual security’s SecurityIDSource. See SecurityIDSource (22) field for description +0 + + +604 +NoLegSecurityAltID +String +Multileg instrument's individual security’s NoSecurityAltID. See NoSecurityAltID (454) field for description +0 + + +605 +LegSecurityAltID +String +Multileg instrument's individual security’s SecurityAltID. See SecurityAltID (455) field for description +0 + + +606 +LegSecurityAltIDSource +String +Multileg instrument's individual security’s SecurityAltIDSource. See SecurityAltIDSource (456) field for description +0 + + +607 +LegProduct +int +Multileg instrument's individual security’s Product. See Product (460) field for description +0 + + +608 +LegCFICode +String +Multileg instrument's individual security’s CFICode. See CFICode (461) field for description +0 + + +609 +LegSecurityType +String +Multileg instrument's individual security’s SecurityType. See SecurityType (167) field for description +0 + + +610 +LegMaturityMonthYear +month-year +Multileg instrument's individual security’s MaturityMonthYear. See MaturityMonthYear (200) field for description +0 + + +611 +LegMaturityDate +LocalMktDate +Multileg instrument's individual security’s MaturityDate. See MaturityDate (541) field for description +0 + + +612 +LegStrikePrice +Price +Multileg instrument's individual security’s StrikePrice. See StrikePrice (202) field for description +0 + + +613 +LegOptAttribute +char +Multileg instrument's individual security’s OptAttribute. See OptAttribute (206) field for description +0 + + +614 +LegContractMultiplier +float +Multileg instrument's individual security’s ContractMultiplier. See ContractMultiplier (231) field for description +0 + + +615 +LegCouponRate +Percentage +Multileg instrument's individual security’s CouponRate. See CouponRate (223) field for description +0 + + +616 +LegSecurityExchange +Exchange +Multileg instrument's individual security’s SecurityExchange. See SecurityExchange (207) field for description +0 + + +617 +LegIssuer +String +Multileg instrument's individual security’s Issuer. See Issuer (106) field for description +0 + + +618 +EncodedLegIssuerLen +Length +Multileg instrument's individual security’s EncodedIssuerLen. See EncodedIssuerLen (348) field for description +0 + + +619 +EncodedLegIssuer +data +Multileg instrument's individual security’s EncodedIssuer. See EncodedIssuer (349) field for description +0 + + +620 +LegSecurityDesc +String +Multileg instrument's individual security’s SecurityDesc. See SecurityDesc (107) field for description +0 + + +621 +EncodedLegSecurityDescLen +Length +Multileg instrument's individual security’s EncodedSecurityDescLen. See EncodedSecurityDescLen (350) field for description +0 + + +622 +EncodedLegSecurityDesc +data +Multileg instrument's individual security’s EncodedSecurityDesc. See EncodedSecurityDesc (351) field for description +0 + + +623 +LegRatioQty +float +The ratio of quantity for this individual leg relative to the entire multileg security. +0 + + +624 +LegSide +char +The side of this individual leg (multileg security). See Side (54) field for description and values +0 + + +625 +TradingSessionSubID +String +Optional market assigned sub identifier for a trading session. Usage is determined by market or counterparties. Used by US based futures markets to identify exchange specific execution time bracket codes as required by US market regulations. +0 + + +626 +AllocType +int +Describes the specific type or purpose of an Allocation message (i.e. "Buyside Calculated") Valid values: 1 = Buyside Calculated (includes MiscFees and NetMoney) 2 = Buyside Preliminary (without MiscFees and NetMoney) 3 = Sellside Calculated Using Preliminary (includes MiscFees and NetMoney) 4 = Sellside Calculated Without Preliminary (sent unsolicited by sellside, includes MiscFees and NetMoney) 5 = Buyside Ready-To-Book - Single Order 6 = Buyside Ready-To-Book - Combined Set of Orders (see Volume 1: "Glossary" for value definitions) +0 + + +627 +NoHops +NumInGroup +Number of HopCompID entries in repeating group. +0 + + +628 +HopCompID +String +Assigned value used to identify the third party firm which delivered a specific message either from the firm which originated the message or from another third party (if multiple “hops” are performed). It is recommended that this value be the SenderCompID (49) of the third party. Applicable when messages are communicated/re-distributed via third parties which function as service bureaus or “hubs”. Only applicable if OnBehalfOfCompID (115) is being used. +0 + + +629 +HopSendingTime +UTCTimestamp +Time that HopCompID (628) sent the message. It is recommended that this value be the SendingTime (52) of the message sent by the third party. Applicable when messages are communicated/re-distributed via third parties which function as service bureaus or “hubs”. Only applicable if OnBehalfOfCompID (115) is being used. +0 + + +630 +HopRefID +SeqNum +Reference identifier assigned by HopCompID (628) associated with the message sent. It is recommended that this value be the MsgSeqNum (34) of the message sent by the third party. Applicable when messages are communicated/re-distributed via third parties which function as service bureaus or “hubs”. Only applicable if OnBehalfOfCompID (115) is being used. +0 + + +631 +MidPx +Price +Mid price/rate +0 + + +632 +BidYield +Percentage +Bid yield +0 + + +633 +MidYield +Percentage +Mid yield +0 + + +634 +OfferYield +Percentage +Offer yield +0 + + +635 +ClearingFeeIndicator +String +Indicates type of fee being assessed of the customer for trade executions at an exchange. Applicable for futures markets only at this time. Valid Values (source CBOT, CME, NYBOT, and NYMEX): B = CBOE Member C = Non-member and Customer E = Equity Member and Clearing Member F = Full and Associate Member trading for own account and as floor Brokers H = 106.H and 106.J Firms I = GIM, IDEM and COM Membership Interest Holders L = Lessee and 106.F Employees M = All other ownership types 1 = 1st year delegate trading for his own account 2 = 2nd year delegate trading for his own account 3 = 3rd year delegate trading for his own account 4 = 4th year delegate trading for his own account 5 = 5th year delegate trading for his own account 9 = 6th year and beyond delegate trading for his own account +0 + + +636 +WorkingIndicator +Boolean +Indicates if the order is currently being worked. Applicable only for OrdStatus = “New”. For open outcry markets this indicates that the order is being worked in the crowd. For electronic markets it indicates that the order has transitioned from a contingent order to a market order. Valid values: Y = Order is currently being worked N = Order has been accepted but not yet in a working state +0 + + +637 +LegLastPx +Price +Execution price assigned to a leg of a multileg instrument. See LastPx (31) field for description and values +0 + + +638 +PriorityIndicator +int +Indicates if a Cancel/Replace has caused an order to lose book priority. Valid values: 0 = Priority Unchanged 1 = Lost Priority as result of order change +0 + + +639 +PriceImprovement +PriceOffset +Amount of price improvement. +0 + + +640 +Price2 +Price +Price of the future part of a F/X swap order. See Price (44) for description. +0 + + +641 +LastForwardPoints2 +PriceOffset +F/X forward points of the future part of a F/X swap order added to LastSpotRate. May be a negative value. +0 + + +642 +BidForwardPoints2 +PriceOffset +Bid F/X forward points of the future portion of a F/X swap quote added to spot rate. May be a negative value. +0 + + +643 +OfferForwardPoints2 +PriceOffset +Offer F/X forward points of the future portion of a F/X swap quote added to spot rate. May be a negative value. +0 + + +644 +RFQReqID +String +RFQ Request ID – used to identify an RFQ Request. +0 + + +645 +MktBidPx +Price +Used to indicate the best bid in a market +0 + + +646 +MktOfferPx +Price +Used to indicate the best offer in a market +0 + + +647 +MinBidSize +Qty +Used to indicate a minimum quantity for a bid. If this field is used the BidSize field is interpreted as the maximum bid size +0 + + +648 +MinOfferSize +Qty +Used to indicate a minimum quantity for an offer. If this field is used the OfferSize field is interpreted as the maximum offer size. +0 + + +649 +QuoteStatusReqID +String +Unique identifier for Quote Status Request. +0 + + +650 +LegalConfirm +Boolean +Indicates that this message is to serve as the final and legal confirmation. Valid values: Y = Legal confirm N = Does not constitute a legal confirm +0 + + +651 +UnderlyingLastPx +Price +The calculated or traded price for the underlying instrument that corresponds to a derivative. Used for transactions that include the cash instrument and the derivative. +0 + + +652 +UnderlyingLastQty +Qty +The calculated or traded quantity for the underlying instrument that corresponds to a derivative. Used for transactions that include the cash instrument and the derivative. +0 + + +653 +SecDefStatus +int +State of a security definition request made to a market. Useful for markets, such as derivatives markets, where market participants are permitted to define instruments for subsequent trading Valid values: 0 = Pending Approval 1 = Approved (Accepted) 2 = Rejected 3 = Unauthorized request 4 = Invalid definition request +0 + + +654 +LegRefID +String +Unique indicator for a specific leg. +0 + + +655 +ContraLegRefID +String +Unique indicator for a specific leg for the ContraBroker (375). +0 + + +656 +SettlCurrBidFxRate +float +Foreign exchange rate used to compute the bid “SettlCurrAmt” from Currency to SettlCurrency +0 + + +657 +SettlCurrOfferFxRate +float +Foreign exchange rate used to compute the offer “SettlCurrAmt” from Currency to SettlCurrency +0 + + +658 +QuoteRequestRejectReason +Int +Reason Quote was rejected: Valid Values: 1 = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote Request exceeds limit 4 = Too late to enter 5 = Invalid price 6 = Not authorized to request quote +0 + + +659 +SideComplianceID +String +ID within repeating group of sides which is used to represent this transaction for compliance purposes (e.g. OATS reporting). +0 + + diff --git a/resources/Fields44.js b/resources/Fields44.js new file mode 100644 index 0000000..88dc0e0 --- /dev/null +++ b/resources/Fields44.js @@ -0,0 +1,958 @@ +{ +"1":"Account", +"2":"AdvId", +"3":"AdvRefID", +"4":"AdvSide", +"5":"AdvTransType", +"6":"AvgPx", +"7":"BeginSeqNo", +"8":"BeginString", +"9":"BodyLength", +"10":"CheckSum", +"11":"ClOrdID", +"12":"Commission", +"13":"CommType", +"14":"CumQty", +"15":"Currency", +"16":"EndSeqNo", +"17":"ExecID", +"18":"ExecInst", +"19":"ExecRefID", +"20":"ExecTransType", +"21":"HandlInst", +"22":"SecurityIDSource", +"23":"IOIID", +"24":"IOIOthSvc(nolongerused)", +"25":"IOIQltyInd", +"26":"IOIRefID", +"27":"IOIQty", +"28":"IOITransType", +"29":"LastCapacity", +"30":"LastMkt", +"31":"LastPx", +"32":"LastQty", +"33":"NoLinesOfText", +"34":"MsgSeqNum", +"35":"MsgType", +"36":"NewSeqNo", +"37":"OrderID", +"38":"OrderQty", +"39":"OrdStatus", +"40":"OrdType", +"41":"OrigClOrdID", +"42":"OrigTime", +"43":"PossDupFlag", +"44":"Price", +"45":"RefSeqNum", +"46":"RelatdSym(nolongerused)", +"47":"Rule80A(NoLongerUsed)", +"48":"SecurityID", +"49":"SenderCompID", +"50":"SenderSubID", +"51":"SendingDate(nolongerused)", +"52":"SendingTime", +"53":"Quantity", +"54":"Side", +"55":"Symbol", +"56":"TargetCompID", +"57":"TargetSubID", +"58":"Text", +"59":"TimeInForce", +"60":"TransactTime", +"61":"Urgency", +"62":"ValidUntilTime", +"63":"SettlType", +"64":"SettlDate", +"65":"SymbolSfx", +"66":"ListID", +"67":"ListSeqNo", +"68":"TotNoOrders", +"69":"ListExecInst", +"70":"AllocID", +"71":"AllocTransType", +"72":"RefAllocID", +"73":"NoOrders", +"74":"AvgPxPrecision", +"75":"TradeDate", +"76":"ExecBroker", +"77":"PositionEffect", +"78":"NoAllocs", +"79":"AllocAccount", +"80":"AllocQty", +"81":"ProcessCode", +"82":"NoRpts", +"83":"RptSeq", +"84":"CxlQty", +"85":"NoDlvyInst", +"86":"DlvyInst", +"87":"AllocStatus", +"88":"AllocRejCode", +"89":"Signature", +"90":"SecureDataLen", +"91":"SecureData", +"92":"BrokerOfCredit", +"93":"SignatureLength", +"94":"EmailType", +"95":"RawDataLength", +"96":"RawData", +"97":"PossResend", +"98":"EncryptMethod", +"99":"StopPx", +"100":"ExDestination", +"101":"(NotDefined)", +"102":"CxlRejReason", +"103":"OrdRejReason", +"104":"IOIQualifier", +"105":"WaveNo", +"106":"Issuer", +"107":"SecurityDesc", +"108":"HeartBtInt", +"109":"ClientID", +"110":"MinQty", +"111":"MaxFloor", +"112":"TestReqID", +"113":"ReportToExch", +"114":"LocateReqd", +"115":"OnBehalfOfCompID", +"116":"OnBehalfOfSubID", +"117":"QuoteID", +"118":"NetMoney", +"119":"SettlCurrAmt", +"120":"SettlCurrency", +"121":"ForexReq", +"122":"OrigSendingTime", +"123":"GapFillFlag", +"124":"NoExecs", +"125":"CxlType", +"126":"ExpireTime", +"127":"DKReason", +"128":"DeliverToCompID", +"129":"DeliverToSubID", +"130":"IOINaturalFlag", +"131":"QuoteReqID", +"132":"BidPx", +"133":"OfferPx", +"134":"BidSize", +"135":"OfferSize", +"136":"NoMiscFees", +"137":"MiscFeeAmt", +"138":"MiscFeeCurr", +"139":"MiscFeeType", +"140":"PrevClosePx", +"141":"ResetSeqNumFlag", +"142":"SenderLocationID", +"143":"TargetLocationID", +"144":"OnBehalfOfLocationID", +"145":"DeliverToLocationID", +"146":"NoRelatedSym", +"147":"Subject", +"148":"Headline", +"149":"URLLink", +"150":"ExecType", +"151":"LeavesQty", +"152":"CashOrderQty", +"153":"AllocAvgPx", +"154":"AllocNetMoney", +"155":"SettlCurrFxRate", +"156":"SettlCurrFxRateCalc", +"157":"NumDaysInterest", +"158":"AccruedInterestRate", +"159":"AccruedInterestAmt", +"160":"SettlInstMode", +"161":"AllocText", +"162":"SettlInstID", +"163":"SettlInstTransType", +"164":"EmailThreadID", +"165":"SettlInstSource", +"166":"SettlLocation", +"167":"SecurityType", +"168":"EffectiveTime", +"169":"StandInstDbType", +"170":"StandInstDbName", +"171":"StandInstDbID", +"172":"SettlDeliveryType", +"173":"SettlDepositoryCode", +"174":"SettlBrkrCode", +"175":"SettlInstCode", +"176":"SecuritySettlAgentName", +"177":"SecuritySettlAgentCode", +"178":"SecuritySettlAgentAcctNum", +"179":"SecuritySettlAgentAcctName", +"180":"SecuritySettlAgentContactName", +"181":"SecuritySettlAgentContactPhone", +"182":"CashSettlAgentName", +"183":"CashSettlAgentCode", +"184":"CashSettlAgentAcctNum", +"185":"CashSettlAgentAcctName", +"186":"CashSettlAgentContactName", +"187":"CashSettlAgentContactPhone", +"188":"BidSpotRate", +"189":"BidForwardPoints", +"190":"OfferSpotRate", +"191":"OfferForwardPoints", +"192":"OrderQty2", +"193":"SettlDate2", +"194":"LastSpotRate", +"195":"LastForwardPoints", +"196":"AllocLinkID", +"197":"AllocLinkType", +"198":"SecondaryOrderID", +"199":"NoIOIQualifiers", +"200":"MaturityMonthYear", +"201":"PutOrCall", +"202":"StrikePrice", +"203":"CoveredOrUncovered", +"204":"CustomerOrFirm", +"205":"MaturityDay", +"206":"OptAttribute", +"207":"SecurityExchange", +"208":"NotifyBrokerOfCredit", +"209":"AllocHandlInst", +"210":"MaxShow", +"211":"PegOffsetValue", +"212":"XmlDataLen", +"213":"XmlData", +"214":"SettlInstRefID", +"215":"NoRoutingIDs", +"216":"RoutingType", +"217":"RoutingID", +"218":"Spread", +"219":"Benchmark", +"220":"BenchmarkCurveCurrency", +"221":"BenchmarkCurveName", +"222":"BenchmarkCurvePoint", +"223":"CouponRate", +"224":"CouponPaymentDate", +"225":"IssueDate", +"226":"RepurchaseTerm", +"227":"RepurchaseRate", +"228":"Factor", +"229":"TradeOriginationDate", +"230":"ExDate", +"231":"ContractMultiplier", +"232":"NoStipulations", +"233":"StipulationType", +"234":"StipulationValue", +"235":"YieldType", +"236":"Yield", +"237":"TotalTakedown", +"238":"Concession", +"239":"RepoCollateralSecurityType", +"240":"RedemptionDate", +"241":"UnderlyingCouponPaymentDate", +"242":"UnderlyingIssueDate", +"243":"UnderlyingRepoCollateralSecurityType", +"244":"UnderlyingRepurchaseTerm", +"245":"UnderlyingRepurchaseRate", +"246":"UnderlyingFactor", +"247":"UnderlyingRedemptionDate", +"248":"LegCouponPaymentDate", +"249":"LegIssueDate", +"250":"LegRepoCollateralSecurityType", +"251":"LegRepurchaseTerm", +"252":"LegRepurchaseRate", +"253":"LegFactor", +"254":"LegRedemptionDate", +"255":"CreditRating", +"256":"UnderlyingCreditRating", +"257":"LegCreditRating", +"258":"TradedFlatSwitch", +"259":"BasisFeatureDate", +"260":"BasisFeaturePrice", +"261":"Reserved/AllocatedtotheFixedIncomeproposal", +"262":"MDReqID", +"263":"SubscriptionRequestType", +"264":"MarketDepth", +"265":"MDUpdateType", +"266":"AggregatedBook", +"267":"NoMDEntryTypes", +"268":"NoMDEntries", +"269":"MDEntryType", +"270":"MDEntryPx", +"271":"MDEntrySize", +"272":"MDEntryDate", +"273":"MDEntryTime", +"274":"TickDirection", +"275":"MDMkt", +"276":"QuoteCondition", +"277":"TradeCondition", +"278":"MDEntryID", +"279":"MDUpdateAction", +"280":"MDEntryRefID", +"281":"MDReqRejReason", +"282":"MDEntryOriginator", +"283":"LocationID", +"284":"DeskID", +"285":"DeleteReason", +"286":"OpenCloseSettlFlag", +"287":"SellerDays", +"288":"MDEntryBuyer", +"289":"MDEntrySeller", +"290":"MDEntryPositionNo", +"291":"FinancialStatus", +"292":"CorporateAction", +"293":"DefBidSize", +"294":"DefOfferSize", +"295":"NoQuoteEntries", +"296":"NoQuoteSets", +"297":"QuoteStatus", +"298":"QuoteCancelType", +"299":"QuoteEntryID", +"300":"QuoteRejectReason", +"301":"QuoteResponseLevel", +"302":"QuoteSetID", +"303":"QuoteRequestType", +"304":"TotNoQuoteEntries", +"305":"UnderlyingSecurityIDSource", +"306":"UnderlyingIssuer", +"307":"UnderlyingSecurityDesc", +"308":"UnderlyingSecurityExchange", +"309":"UnderlyingSecurityID", +"310":"UnderlyingSecurityType", +"311":"UnderlyingSymbol", +"312":"UnderlyingSymbolSfx", +"313":"UnderlyingMaturityMonthYear", +"314":"UnderlyingMaturityDay", +"315":"UnderlyingPutOrCall", +"316":"UnderlyingStrikePrice", +"317":"UnderlyingOptAttribute", +"318":"UnderlyingCurrency", +"319":"RatioQty", +"320":"SecurityReqID", +"321":"SecurityRequestType", +"322":"SecurityResponseID", +"323":"SecurityResponseType", +"324":"SecurityStatusReqID", +"325":"UnsolicitedIndicator", +"326":"SecurityTradingStatus", +"327":"HaltReason", +"328":"InViewOfCommon", +"329":"DueToRelated", +"330":"BuyVolume", +"331":"SellVolume", +"332":"HighPx", +"333":"LowPx", +"334":"Adjustment", +"335":"TradSesReqID", +"336":"TradingSessionID", +"337":"ContraTrader", +"338":"TradSesMethod", +"339":"TradSesMode", +"340":"TradSesStatus", +"341":"TradSesStartTime", +"342":"TradSesOpenTime", +"343":"TradSesPreCloseTime", +"344":"TradSesCloseTime", +"345":"TradSesEndTime", +"346":"NumberOfOrders", +"347":"MessageEncoding", +"348":"EncodedIssuerLen", +"349":"EncodedIssuer", +"350":"EncodedSecurityDescLen", +"351":"EncodedSecurityDesc", +"352":"EncodedListExecInstLen", +"353":"EncodedListExecInst", +"354":"EncodedTextLen", +"355":"EncodedText", +"356":"EncodedSubjectLen", +"357":"EncodedSubject", +"358":"EncodedHeadlineLen", +"359":"EncodedHeadline", +"360":"EncodedAllocTextLen", +"361":"EncodedAllocText", +"362":"EncodedUnderlyingIssuerLen", +"363":"EncodedUnderlyingIssuer", +"364":"EncodedUnderlyingSecurityDescLen", +"365":"EncodedUnderlyingSecurityDesc", +"366":"AllocPrice", +"367":"QuoteSetValidUntilTime", +"368":"QuoteEntryRejectReason", +"369":"LastMsgSeqNumProcessed", +"370":"OnBehalfOfSendingTime", +"371":"RefTagID", +"372":"RefMsgType", +"373":"SessionRejectReason", +"374":"BidRequestTransType", +"375":"ContraBroker", +"376":"ComplianceID", +"377":"SolicitedFlag", +"378":"ExecRestatementReason", +"379":"BusinessRejectRefID", +"380":"BusinessRejectReason", +"381":"GrossTradeAmt", +"382":"NoContraBrokers", +"383":"MaxMessageSize", +"384":"NoMsgTypes", +"385":"MsgDirection", +"386":"NoTradingSessions", +"387":"TotalVolumeTraded", +"388":"DiscretionInst", +"389":"DiscretionOffsetValue", +"390":"BidID", +"391":"ClientBidID", +"392":"ListName", +"393":"TotNoRelatedSym", +"394":"BidType", +"395":"NumTickets", +"396":"SideValue1", +"397":"SideValue2", +"398":"NoBidDescriptors", +"399":"BidDescriptorType", +"400":"BidDescriptor", +"401":"SideValueInd", +"402":"LiquidityPctLow", +"403":"LiquidityPctHigh", +"404":"LiquidityValue", +"405":"EFPTrackingError", +"406":"FairValue", +"407":"OutsideIndexPct", +"408":"ValueOfFutures", +"409":"LiquidityIndType", +"410":"WtAverageLiquidity", +"411":"ExchangeForPhysical", +"412":"OutMainCntryUIndex", +"413":"CrossPercent", +"414":"ProgRptReqs", +"415":"ProgPeriodInterval", +"416":"IncTaxInd", +"417":"NumBidders", +"418":"BidTradeType", +"419":"BasisPxType", +"420":"NoBidComponents", +"421":"Country", +"422":"TotNoStrikes", +"423":"PriceType", +"424":"DayOrderQty", +"425":"DayCumQty", +"426":"DayAvgPx", +"427":"GTBookingInst", +"428":"NoStrikes", +"429":"ListStatusType", +"430":"NetGrossInd", +"431":"ListOrderStatus", +"432":"ExpireDate", +"433":"ListExecInstType", +"434":"CxlRejResponseTo", +"435":"UnderlyingCouponRate", +"436":"UnderlyingContractMultiplier", +"437":"ContraTradeQty", +"438":"ContraTradeTime", +"439":"ClearingFirm", +"440":"ClearingAccount", +"441":"LiquidityNumSecurities", +"442":"MultiLegReportingType", +"443":"StrikeTime", +"444":"ListStatusText", +"445":"EncodedListStatusTextLen", +"446":"EncodedListStatusText", +"447":"PartyIDSource", +"448":"PartyID", +"449":"TotalVolumeTradedDate", +"450":"TotalVolumeTradedTime", +"451":"NetChgPrevDay", +"452":"PartyRole", +"453":"NoPartyIDs", +"454":"NoSecurityAltID", +"455":"SecurityAltID", +"456":"SecurityAltIDSource", +"457":"NoUnderlyingSecurityAltID", +"458":"UnderlyingSecurityAltID", +"459":"UnderlyingSecurityAltIDSource", +"460":"Product", +"461":"CFICode", +"462":"UnderlyingProduct", +"463":"UnderlyingCFICode", +"464":"TestMessageIndicator", +"465":"QuantityType", +"466":"BookingRefID", +"467":"IndividualAllocID", +"468":"RoundingDirection", +"469":"RoundingModulus", +"470":"CountryOfIssue", +"471":"StateOrProvinceOfIssue", +"472":"LocaleOfIssue", +"473":"NoRegistDtls", +"474":"MailingDtls", +"475":"InvestorCountryOfResidence", +"476":"PaymentRef", +"477":"DistribPaymentMethod", +"478":"CashDistribCurr", +"479":"CommCurrency", +"480":"CancellationRights", +"481":"MoneyLaunderingStatus", +"482":"MailingInst", +"483":"TransBkdTime", +"484":"ExecPriceType", +"485":"ExecPriceAdjustment", +"486":"DateOfBirth", +"487":"TradeReportTransType", +"488":"CardHolderName", +"489":"CardNumber", +"490":"CardExpDate", +"491":"CardIssNum", +"492":"PaymentMethod", +"493":"RegistAcctType", +"494":"Designation", +"495":"TaxAdvantageType", +"496":"RegistRejReasonText", +"497":"FundRenewWaiv", +"498":"CashDistribAgentName", +"499":"CashDistribAgentCode", +"500":"CashDistribAgentAcctNumber", +"501":"CashDistribPayRef", +"502":"CashDistribAgentAcctName", +"503":"CardStartDate", +"504":"PaymentDate", +"505":"PaymentRemitterID", +"506":"RegistStatus", +"507":"RegistRejReasonCode", +"508":"RegistRefID", +"509":"RegistDtls", +"510":"NoDistribInsts", +"511":"RegistEmail", +"512":"DistribPercentage", +"513":"RegistID", +"514":"RegistTransType", +"515":"ExecValuationPoint", +"516":"OrderPercent", +"517":"OwnershipType", +"518":"NoContAmts", +"519":"ContAmtType", +"520":"ContAmtValue", +"521":"ContAmtCurr", +"522":"OwnerType", +"523":"PartySubID", +"524":"NestedPartyID", +"525":"NestedPartyIDSource", +"526":"SecondaryClOrdID", +"527":"SecondaryExecID", +"528":"OrderCapacity", +"529":"OrderRestrictions", +"530":"MassCancelRequestType", +"531":"MassCancelResponse", +"532":"MassCancelRejectReason", +"533":"TotalAffectedOrders", +"534":"NoAffectedOrders", +"535":"AffectedOrderID", +"536":"AffectedSecondaryOrderID", +"537":"QuoteType", +"538":"NestedPartyRole", +"539":"NoNestedPartyIDs", +"540":"TotalAccruedInterestAmt", +"541":"MaturityDate", +"542":"UnderlyingMaturityDate", +"543":"InstrRegistry", +"544":"CashMargin", +"545":"NestedPartySubID", +"546":"Scope", +"547":"MDImplicitDelete", +"548":"CrossID", +"549":"CrossType", +"550":"CrossPrioritization", +"551":"OrigCrossID", +"552":"NoSides", +"553":"Username", +"554":"Password", +"555":"NoLegs", +"556":"LegCurrency", +"557":"TotNoSecurityTypes", +"558":"NoSecurityTypes", +"559":"SecurityListRequestType", +"560":"SecurityRequestResult", +"561":"RoundLot", +"562":"MinTradeVol", +"563":"MultiLegRptTypeReq", +"564":"LegPositionEffect", +"565":"LegCoveredOrUncovered", +"566":"LegPrice", +"567":"TradSesStatusRejReason", +"568":"TradeRequestID", +"569":"TradeRequestType", +"570":"PreviouslyReported", +"571":"TradeReportID", +"572":"TradeReportRefID", +"573":"MatchStatus", +"574":"MatchType", +"575":"OddLot", +"576":"NoClearingInstructions", +"577":"ClearingInstruction", +"578":"TradeInputSource", +"579":"TradeInputDevice", +"580":"NoDates", +"581":"AccountType", +"582":"CustOrderCapacity", +"583":"ClOrdLinkID", +"584":"MassStatusReqID", +"585":"MassStatusReqType", +"586":"OrigOrdModTime", +"587":"LegSettlType", +"588":"LegSettlDate", +"589":"DayBookingInst", +"590":"BookingUnit", +"591":"PreallocMethod", +"592":"UnderlyingCountryOfIssue", +"593":"UnderlyingStateOrProvinceOfIssue", +"594":"UnderlyingLocaleOfIssue", +"595":"UnderlyingInstrRegistry", +"596":"LegCountryOfIssue", +"597":"LegStateOrProvinceOfIssue", +"598":"LegLocaleOfIssue", +"599":"LegInstrRegistry", +"600":"LegSymbol", +"601":"LegSymbolSfx", +"602":"LegSecurityID", +"603":"LegSecurityIDSource", +"604":"NoLegSecurityAltID", +"605":"LegSecurityAltID", +"606":"LegSecurityAltIDSource", +"607":"LegProduct", +"608":"LegCFICode", +"609":"LegSecurityType", +"610":"LegMaturityMonthYear", +"611":"LegMaturityDate", +"612":"LegStrikePrice", +"613":"LegOptAttribute", +"614":"LegContractMultiplier", +"615":"LegCouponRate", +"616":"LegSecurityExchange", +"617":"LegIssuer", +"618":"EncodedLegIssuerLen", +"619":"EncodedLegIssuer", +"620":"LegSecurityDesc", +"621":"EncodedLegSecurityDescLen", +"622":"EncodedLegSecurityDesc", +"623":"LegRatioQty", +"624":"LegSide", +"625":"TradingSessionSubID", +"626":"AllocType", +"627":"NoHops", +"628":"HopCompID", +"629":"HopSendingTime", +"630":"HopRefID", +"631":"MidPx", +"632":"BidYield", +"633":"MidYield", +"634":"OfferYield", +"635":"ClearingFeeIndicator", +"636":"WorkingIndicator", +"637":"LegLastPx", +"638":"PriorityIndicator", +"639":"PriceImprovement", +"640":"Price2", +"641":"LastForwardPoints2", +"642":"BidForwardPoints2", +"643":"OfferForwardPoints2", +"644":"RFQReqID", +"645":"MktBidPx", +"646":"MktOfferPx", +"647":"MinBidSize", +"648":"MinOfferSize", +"649":"QuoteStatusReqID", +"650":"LegalConfirm", +"651":"UnderlyingLastPx", +"652":"UnderlyingLastQty", +"653":"SecDefStatus", +"654":"LegRefID", +"655":"ContraLegRefID", +"656":"SettlCurrBidFxRate", +"657":"SettlCurrOfferFxRate", +"658":"QuoteRequestRejectReason", +"659":"SideComplianceID", +"660":"AcctIDSource", +"661":"AllocAcctIDSource", +"662":"BenchmarkPrice", +"663":"BenchmarkPriceType", +"664":"ConfirmID", +"665":"ConfirmStatus", +"666":"ConfirmTransType", +"667":"ContractSettlMonth", +"668":"DeliveryForm", +"669":"LastParPx", +"670":"NoLegAllocs", +"671":"LegAllocAccount", +"672":"LegIndividualAllocID", +"673":"LegAllocQty", +"674":"LegAllocAcctIDSource", +"675":"LegSettlCurrency", +"676":"LegBenchmarkCurveCurrency", +"677":"LegBenchmarkCurveName", +"678":"LegBenchmarkCurvePoint", +"679":"LegBenchmarkPrice", +"680":"LegBenchmarkPriceType", +"681":"LegBidPx", +"682":"LegIOIQty", +"683":"NoLegStipulations", +"684":"LegOfferPx", +"685":"LegOrderQty", +"686":"LegPriceType", +"687":"LegQty", +"688":"LegStipulationType", +"689":"LegStipulationValue", +"690":"LegSwapType", +"691":"Pool", +"692":"QuotePriceType", +"693":"QuoteRespID", +"694":"QuoteRespType", +"695":"QuoteQualifier", +"696":"YieldRedemptionDate", +"697":"YieldRedemptionPrice", +"698":"YieldRedemptionPriceType", +"699":"BenchmarkSecurityID", +"700":"ReversalIndicator", +"701":"YieldCalcDate", +"702":"NoPositions", +"703":"PosType", +"704":"LongQty", +"705":"ShortQty", +"706":"PosQtyStatus", +"707":"PosAmtType", +"708":"PosAmt", +"709":"PosTransType", +"710":"PosReqID", +"711":"NoUnderlyings", +"712":"PosMaintAction", +"713":"OrigPosReqRefID", +"714":"PosMaintRptRefID", +"715":"ClearingBusinessDate", +"716":"SettlSessID", +"717":"SettlSessSubID", +"718":"AdjustmentType", +"719":"ContraryInstructionIndicator", +"720":"PriorSpreadIndicator", +"721":"PosMaintRptID", +"722":"PosMaintStatus", +"723":"PosMaintResult", +"724":"PosReqType", +"725":"ResponseTransportType", +"726":"ResponseDestination", +"727":"TotalNumPosReports", +"728":"PosReqResult", +"729":"PosReqStatus", +"730":"SettlPrice", +"731":"SettlPriceType", +"732":"UnderlyingSettlPrice", +"733":"UnderlyingSettlPriceType", +"734":"PriorSettlPrice", +"735":"NoQuoteQualifiers", +"736":"AllocSettlCurrency", +"737":"AllocSettlCurrAmt", +"738":"InterestAtMaturity", +"739":"LegDatedDate", +"740":"LegPool", +"741":"AllocInterestAtMaturity", +"742":"AllocAccruedInterestAmt", +"743":"DeliveryDate", +"744":"AssignmentMethod", +"745":"AssignmentUnit", +"746":"OpenInterest", +"747":"ExerciseMethod", +"748":"TotNumTradeReports", +"749":"TradeRequestResult", +"750":"TradeRequestStatus", +"751":"TradeReportRejectReason", +"752":"SideMultiLegReportingType", +"753":"NoPosAmt", +"754":"AutoAcceptIndicator", +"755":"AllocReportID", +"756":"NoNested2PartyIDs", +"757":"Nested2PartyID", +"758":"Nested2PartyIDSource", +"759":"Nested2PartyRole", +"760":"Nested2PartySubID", +"761":"BenchmarkSecurityIDSource", +"762":"SecuritySubType", +"763":"UnderlyingSecuritySubType", +"764":"LegSecuritySubType", +"765":"AllowableOneSidednessPct", +"766":"AllowableOneSidednessValue", +"767":"AllowableOneSidednessCurr", +"768":"NoTrdRegTimestamps", +"769":"TrdRegTimestamp", +"770":"TrdRegTimestampType", +"771":"TrdRegTimestampOrigin", +"772":"ConfirmRefID", +"773":"ConfirmType", +"774":"ConfirmRejReason", +"775":"BookingType", +"776":"IndividualAllocRejCode", +"777":"SettlInstMsgID", +"778":"NoSettlInst", +"779":"LastUpdateTime", +"780":"AllocSettlInstType", +"781":"NoSettlPartyIDs", +"782":"SettlPartyID", +"783":"SettlPartyIDSource", +"784":"SettlPartyRole", +"785":"SettlPartySubID", +"786":"SettlPartySubIDType", +"787":"DlvyInstType", +"788":"TerminationType", +"789":"NextExpectedMsgSeqNum", +"790":"OrdStatusReqID", +"791":"SettlInstReqID", +"792":"SettlInstReqRejCode", +"793":"SecondaryAllocID", +"794":"AllocReportType", +"795":"AllocReportRefID", +"796":"AllocCancReplaceReason", +"797":"CopyMsgIndicator", +"798":"AllocAccountType", +"799":"OrderAvgPx", +"800":"OrderBookingQty", +"801":"NoSettlPartySubIDs", +"802":"NoPartySubIDs", +"803":"PartySubIDType", +"804":"NoNestedPartySubIDs", +"805":"NestedPartySubIDType", +"806":"NoNested2PartySubIDs", +"807":"Nested2PartySubIDType", +"808":"AllocIntermedReqType", +"809":"(NotDefined)", +"810":"UnderlyingPx", +"811":"PriceDelta", +"812":"ApplQueueMax", +"813":"ApplQueueDepth", +"814":"ApplQueueResolution", +"815":"ApplQueueAction", +"816":"NoAltMDSource", +"817":"AltMDSourceID", +"818":"SecondaryTradeReportID", +"819":"AvgPxIndicator", +"820":"TradeLinkID", +"821":"OrderInputDevice", +"822":"UnderlyingTradingSessionID", +"823":"UnderlyingTradingSessionSubID", +"824":"TradeLegRefID", +"825":"ExchangeRule", +"826":"TradeAllocIndicator", +"827":"ExpirationCycle", +"828":"TrdType", +"829":"TrdSubType", +"830":"TransferReason", +"831":"AsgnReqID", +"832":"TotNumAssignmentReports", +"833":"AsgnRptID", +"834":"ThresholdAmount", +"835":"PegMoveType", +"836":"PegOffsetType", +"837":"PegLimitType", +"838":"PegRoundDirection", +"839":"PeggedPrice", +"840":"PegScope", +"841":"DiscretionMoveType", +"842":"DiscretionOffsetType", +"843":"DiscretionLimitType", +"844":"DiscretionRoundDirection", +"845":"DiscretionPrice", +"846":"DiscretionScope", +"847":"TargetStrategy", +"848":"TargetStrategyParameters", +"849":"ParticipationRate", +"850":"TargetStrategyPerformance", +"851":"LastLiquidityInd", +"852":"PublishTrdIndicator", +"853":"ShortSaleReason", +"854":"QtyType", +"855":"SecondaryTrdType", +"856":"TradeReportType", +"857":"AllocNoOrdersType", +"858":"SharedCommission", +"859":"ConfirmReqID", +"860":"AvgParPx", +"861":"ReportedPx", +"862":"NoCapacities", +"863":"OrderCapacityQty", +"864":"NoEvents", +"865":"EventType", +"866":"EventDate", +"867":"EventPx", +"868":"EventText", +"869":"PctAtRisk", +"870":"NoInstrAttrib", +"871":"InstrAttribType", +"872":"InstrAttribValue", +"873":"DatedDate", +"874":"InterestAccrualDate", +"875":"CPProgram", +"876":"CPRegType", +"877":"UnderlyingCPProgram", +"878":"UnderlyingCPRegType", +"879":"UnderlyingQty", +"880":"TrdMatchID", +"881":"SecondaryTradeReportRefID", +"882":"UnderlyingDirtyPrice", +"883":"UnderlyingEndPrice", +"884":"UnderlyingStartValue", +"885":"UnderlyingCurrentValue", +"886":"UnderlyingEndValue", +"887":"NoUnderlyingStips", +"888":"UnderlyingStipType", +"889":"UnderlyingStipValue", +"890":"MaturityNetMoney", +"891":"MiscFeeBasis", +"892":"TotNoAllocs", +"893":"LastFragment", +"894":"CollReqID", +"895":"CollAsgnReason", +"896":"CollInquiryQualifier", +"897":"NoTrades", +"898":"MarginRatio", +"899":"MarginExcess", +"900":"TotalNetValue", +"901":"CashOutstanding", +"902":"CollAsgnID", +"903":"CollAsgnTransType", +"904":"CollRespID", +"905":"CollAsgnRespType", +"906":"CollAsgnRejectReason", +"907":"CollAsgnRefID", +"908":"CollRptID", +"909":"CollInquiryID", +"910":"CollStatus", +"911":"TotNumReports", +"912":"LastRptRequested", +"913":"AgreementDesc", +"914":"AgreementID", +"915":"AgreementDate", +"916":"StartDate", +"917":"EndDate", +"918":"AgreementCurrency", +"919":"DeliveryType", +"920":"EndAccruedInterestAmt", +"921":"StartCash", +"922":"EndCash", +"923":"UserRequestID", +"924":"UserRequestType", +"925":"NewPassword", +"926":"UserStatus", +"927":"UserStatusText", +"928":"StatusValue", +"929":"StatusText", +"930":"RefCompID", +"931":"RefSubID", +"932":"NetworkResponseID", +"933":"NetworkRequestID", +"934":"LastNetworkResponseID", +"935":"NetworkRequestType", +"936":"NoCompIDs", +"937":"NetworkStatusResponseType", +"938":"NoCollInquiryQualifier", +"939":"TrdRptStatus", +"940":"AffirmStatus", +"941":"UnderlyingStrikeCurrency", +"942":"LegStrikeCurrency", +"943":"TimeBracket", +"944":"CollAction", +"945":"CollInquiryStatus", +"946":"CollInquiryResult", +"947":"StrikeCurrency", +"948":"NoNested3PartyIDs", +"949":"Nested3PartyID", +"950":"Nested3PartyIDSource", +"951":"Nested3PartyRole", +"952":"NoNested3PartySubIDs", +"953":"Nested3PartySubID", +"954":"Nested3PartySubIDType", +"955":"LegContractSettlMonth", +"956":"LegInterestAccrualDate" +} diff --git a/resources/Fields44.xml b/resources/Fields44.xml new file mode 100644 index 0000000..42bdd7f --- /dev/null +++ b/resources/Fields44.xml @@ -0,0 +1,5889 @@ + + + +1 +Account +String +Account mnemonic as agreed between buy and sell sides, e.g. broker and institution or investor/intermediary and fund manager. + + +2 +AdvId +String +Unique identifier of advertisement message. (Prior to FIX 4. this field was of type int) + + +3 +AdvRefID +String +Reference identifier used with CANCEL and REPLACE transaction types. (Prior to FIX 4. this field was of type int) + + +4 +AdvSide +char +Broker's side of advertised trade + +Valid values: + B = Buy + S = Sell + X = Cross + T = Trade + + +5 +AdvTransType +String +Identifies advertisement message transaction type Valid values: N = New C = Cancel R = Replace + + +6 +AvgPx +Price +Calculated average price of all fills on this order. For Fixed Income trades AvgPx is always expressed as percent-of-par, regardless of the PriceType (423) of LastPx (3). I.e., AvgPx will contain an average of percent-of-par values (see LastParPx (669)) for issues traded in Yield, Spread or Discount. + + +7 +BeginSeqNo +SeqNum +Message sequence number of first message in range to be resent + + +8 +BeginString +String +Identifies beginning of new message and protocol version. ALWAYS FIRST FIELD IN MESSAGE. (Always unencrypted) Valid values: FIX.4.4 + + +9 +BodyLength +Length +Message length, in bytes, forward to the CheckSum field. ALWAYS SECOND FIELD IN MESSAGE. (Always unencrypted) + + +10 +CheckSum +String +Three byte, simple checksum (see Volume 2: “Checksum Calculation” for description). ALWAYS LAST FIELD IN MESSAGE; i.e. serves, with the trailing <SOH>, as the end-of-message delimiter. Always defined as three characters. (Always unencrypted) + + +11 +ClOrdID +String +Unique identifier for Order as assigned by the buy-side (institution, broker, intermediary etc.) (identified by SenderCompID (49) or OnBehalfOfCompID (5) as appropriate). Uniqueness must be guaranteed within a single trading day. Firms, particularly those which electronically submit multi-day orders, trade globally or throughout market close periods, should ensure uniqueness across days, for example by embedding a date within the ClOrdID field. + + +12 +Commission +Amt +Commission. Note if CommType (3) is percentage, Commission of 5% should be represented as .05. + + +13 +CommType +char +Commission type Valid values: = per unit (implying shares, par, currency, etc) 2 = percentage 3 = absolute (total monetary amount) 4 = (for CIV buy orders) percentage waived – cash discount 5 = (for CIV buy orders) percentage waived – enhanced units 6 = points per bond or or contract [Supply ContractMultiplier (23) in the <Instrument> component block if the object security is denominated in a size other than the industry default - 000 par for bonds.] + + +14 +CumQty +Qty +Total quantity (e.g. number of shares) filled. (Prior to FIX 4.2 this field was of type int) + + +15 +Currency +Currency +Identifies currency used for price. Absence of this field is interpreted as the default for the security. It is recommended that systems provide the currency value whenever possible. See "Appendix 6-A: Valid Currency Codes" for information on obtaining valid values. + + +16 +EndSeqNo +SeqNum +Message sequence number of last message in range to be resent. If request is for a single message BeginSeqNo (7) = EndSeqNo. If request is for all messages subsequent to a particular message, EndSeqNo = “0” (representing infinity). + + +17 +ExecID +String +Unique identifier of execution message as assigned by sell-side (broker, exchange, ECN) (will be 0 (zero) for ExecType (50) =I (Order Status)). Uniqueness must be guaranteed within a single trading day or the life of a multi-day order. Firms which accept multi-day orders should consider embedding a date within the ExecID field to assure uniqueness across days. (Prior to FIX 4. this field was of type int) + + +18 +ExecInst +MultipleValueString +Instructions for order handling on exchange trading floor. If more than one instruction is applicable to an order, this field can contain multiple instructions separated by space. Valid values: = Not held 2 = Work 3 = Go along 4 = Over the day 5 = Held 6 = Participate don't initiate 7 = Strict scale 8 = Try to scale 9 = Stay on bidside 0 = Stay on offerside A = No cross (cross is forbidden) B = OK to cross C = Call first D = Percent of volume “(indicates that the sender does not want to be all of the volume on the floor vs. a specific percentage)” E = Do not increase - DNI F = Do not reduce - DNR G = All or none - AON H = Reinstate on System Failure (mutually exclusive with Q) I = Institutions only J = Reinstate on Trading Halt (mutually exclusive with K) K = Cancel on Trading Halt (mutually exclusive with L) L = Last peg (last sale) M = Mid-price peg (midprice of inside quote) N = Non-negotiable O = Opening peg +P = Market peg Q = Cancel on System Failure (mutually exclusive with H) R = Primary peg (primary market - buy at b id/sell at offer) S = Suspend T = Fixed Peg to Local best bid or offer at time of orderU = Customer Display Instruction (RuleAc-/4) V = Netting (for Forex) W = Peg to VWAP X = Trade Along Y = Try to Stop Z = Cancel if Not Best a = Trailing Stop Peg b = Strict Limit (No Price Improvement) c = Ignore Price Validity Checks d = Peg to Limit Price e = Work to Target Strategy *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** (see Volume : "Glossary" for value definitions) + + +19 +ExecRefID +String +Reference identifier used with Trade Cancel and Trade Correct execution types. (Prior to FIX 4. this field was of type int) + + +20 +ExecTransType +char +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Identifies transaction type Valid values: 0 = New = Cancel 2 = Correct 3 = Status + + +21 +HandlInst +char +Instructions for order handling on Broker trading floor Valid values: = Automated execution order, private, no Broker intervention 2 = Automated execution order, public, Broker intervention OK 3 = Manual order, best execution + + +22 +SecurityIDSource +String +Identifies class or source of the SecurityID (48) value. Required if SecurityID is specified. Valid values: = CUSIP 2 = SEDOL 3 = QUIK 4 = ISIN number 5 = RIC code 6 = ISO Currency Code 7 = ISO Country Code 8 = Exchange Symbol 9 = Consolidated Tape Association (CTA) Symbol (SIAC CTS/CQS line format) A = Bloomberg Symbol B = Wertpapier C = Dutch D = Valoren E = Sicovam F = Belgian G = "Common" (Clearstream and Euroclear) H = Clearing House / Clearing Organization I = ISDA/FpML Product Specification J = Options Price Reporting Authority 00+ are reserved for private security identifications + + +23 +IOIID +String +Unique identifier of IOI message. (Prior to FIX 4. this field was of type int) + + +24 +IOIOthSvc (no longer used) +char +No longer used as of FIX 4.2. Included here for reference to prior versions. + + +25 +IOIQltyInd +char +Relative quality of indication Valid values: L = Low M = Medium H = High + + +26 +IOIRefID +String +Reference identifier used with CANCEL and REPLACE, transaction types. (Prior to FIX 4. this field was of type int) + + +27 +IOIQty +String +Quantity (e.g. number of shares) in numeric form or relative size. Valid values: 0 - 000000000 S = Small M = Medium L = Large + + +28 +IOITransType +char +Identifies IOI message transaction type Valid values: N = New C = Cancel R = Replace + + +29 +LastCapacity +char +Broker capacity in order execution Valid values: = Agent 2 = Cross as agent 3 = Cross as principal 4 = Principal + + +30 +LastMkt +Exchange +Market of execution for last fill, or an indication of the market where an order was routed Valid values: See "Appendix 6-C" + + +31 +LastPx +Price +Price of this (last) fill. + + +32 +LastQty +Qty +Quantity (e.g. shares) bought/sold on this (last) fill. (Prior to FIX 4.2 this field was of type int) + + +33 +NoLinesOfText +NumInGroup +Identifies number of lines of text body + + +34 +MsgSeqNum +SeqNum +Integer message sequence number. + + +35 +MsgType +String +Defines message type ALWAYS THIRD FIELD IN MESSAGE. (Always unencrypted) +Note: A "U" as the first character in the MsgType field (i.e. U, U2, etc) indicates that the message format is privately defined between the sender and receiver. +Valid values: *** Note the use of lower case letters *** +0 = Heartbeat + = Test Request +2 = Resend Request +3 = Reject +4 = Sequence Reset +5 = Logout +6 = Indication of Interest +7 = Advertisement +8 = Execution Report +9 = Order Cancel Reject +A = Logon +B = News +C = Email +D = Order – Single +E = Order – List +F = Order Cancel Request +G= Order Cancel/Replace Request +H= Order Status Request +J = Allocation Instruction +K = List Cancel Request +L = List Execute +M = List Status Request +N = List Status +P = Allocation Instruction Ack +Q = Don’t Know Trade (DK) +R = Quote Request +S = Quote +T = Settlement Instructions +V = Market Data Request +W = Market Data-Snapshot/Full Refresh +X = Market Data-Incremental Refresh +Y = Market Data Request Reject +Z = Quote Cancel +a = Quote Status Request +b = Mass Quote Acknowledgement +c = Security Definition Request +d = Security Definition +e = Security Status Request +f = Security Status +g = Trading Session Status Request +h = Trading Session Status +i = Mass Quote +j = Business Message Reject +k = Bid Request +l = Bid Response (lowercase L) +m = List Strike Price +n = XML message (e.g. non-FIX MsgType) +o = Registration Instructions +p = Registration Instructions Response +q = Order Mass Cancel Request +r = Order Mass Cancel Report +s = New Order - Cross +t = Cross Order Cancel/Replace Request (a.k.a. Cross Order Modification Request) +u = Cross Order Cancel Request +v = Security Type Request +w = Security Types +x = Security List Request +y = Security List +z = Derivative Security List Request +AA = Derivative Security List +AB = New Order - Multileg +AC = Multileg Order Cancel/Replace (a.k.a. Multileg Order Modification Request) +AD = Trade Capture Report Request +AE = Trade Capture Report +AF = Order Mass Status Request +AG = Quote Request Reject +AH = RFQ Request +AI = Quote Status Report +AJ = Quote Response +AK = Confirmation +AL = Position Maintenance Request +AM = Position Maintenance Report +AN = Request For Positions +AO = Request For Positions Ack +AP = Position Report +AQ = Trade Capture Report Request Ack +AR = Trade Capture Report Ack +AS = Allocation Report (aka Allocation Claim) +AT = Allocation Report Ack (aka Allocation Claim Ack) +AU = Confirmation Ack (aka Affirmation) +AV = Settlement Instruction Request +AW = Assignment Report +AX = Collateral Request +AY = Collateral Assignment +AZ = Collateral Response +BA = Collateral Report +BB = Collateral Inquiry +BC = Network (Counterparty System) Status Request +BD = Network (Counterparty System) Status Response +BE = User Request +BF = User Response +BG = Collateral Inquiry Ack +BH = Confirmation Request + + +36 +NewSeqNo +SeqNum +New sequence number + + +37 +OrderID +String +Unique identifier for Order as assigned by sell-side (broker, exchange, ECN). Uniqueness must be guaranteed within a single trading day. Firms which accept multi-day orders should consider embedding a date within the OrderID field to assure uniqueness across days. + + +38 +OrderQty +Qty +Quantity ordered. This represents the number of shares for equities or par, face or nominal value for FI instruments. (Prior to FIX 4.2 this field was of type int) + + +39 +OrdStatus +char +Identifies current status of order. Valid values: 0 = New = Partially filled 2 = Filled 3 = Done for day 4 = Canceled 5 = Replaced (Removed/Replaced) 6 = Pending Cancel (e.g. result of Order Cancel Request) 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired D = Accepted for bidding E = Pending Replace (e.g. result of Order Cancel/Replace Request) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** (see Volume : "Glossary" for value definitions) + + +40 +OrdType +char +Order type. Valid values: = Market 2 = Limit 3 = Stop 4 = Stop limit 5 = Market on close (No longer used) 6 = With or without 7 = Limit or better (Deprecated) 8 = Limit with or without 9 = On basis A = On close (No longer used) B = Limit on close (No longer used) C = Forex - Market (No longer used) D = Previously quoted E = Previously indicated F = Forex - Limit (No longer used) G = Forex - Swap H = Forex - Previously Quoted (No longer used) I = Funari (Limit Day Order with unexecuted portion handled as Market On Close. E.g. Japan) J = Market If Touched (MIT) K = Market with Leftover as Limit (market order then unexecuted quantity becomes limit order at last price) L = Previous Fund Valuation Point (Historic pricing) (for CIV) M = Next Fund Valuation Point –(Forward pricing) (for CIV) P = Pegged *** SOME VALUES ARE NO LONGER USED - See "Deprecated (Phased-out) Features and Supported Approach" *** (see Volume : "Glossary" for value definitions) + + +41 +OrigClOrdID +String +ClOrdID () of the previous order (NOT the initial order of the day) as assigned by the institution, used to identify the previous order in cancel and cancel/replace requests. + + +42 +OrigTime +UTCTimestamp +Time of message origination (always expressed in UTC (Universal Time Coordinated, also known as “GMT”)) + + +43 +PossDupFlag +Boolean +Indicates possible retransmission of message with this sequence number Valid values: Y = Possible duplicate N = Original transmission + + +44 +Price +Price +Price per unit of quantity (e.g. per share) + + +45 +RefSeqNum +SeqNum +Reference message sequence number + + +46 +RelatdSym (no longer used) +String +No longer used as of FIX 4.3. Included here for reference to prior versions. + + +47 +Rule80A(No Longer Used) +char +No longer used as of FIX.4.4. Included here for reference to prior versions. Note that the name of this field is changing to “OrderCapacity” as Rule80A is a very US market-specific term. Other world markets need to convey similar information, however, often a subset of the US values. See the “Rule80A (aka OrderCapacity) Usage by Market” appendix for market-specific usage of this field. Valid values: A = Agency single order B = Short exempt transaction (refer to A type) C = Program Order, non-index arb, for Member firm/org D = Program Order, index arb, for Member firm/org E = Short Exempt Transaction for Principal (was incorrectly identified in the FIX spec as “Registered Equity Market Maker trades”) F = Short exempt transaction (refer to W type) H = Short exempt transaction (refer to I type) I = Individual Investor, single order J = Program Order, index arb, for individual customer K = Program Order, non-index arb, for individual customer L = Short exempt transaction for member competing market-maker affiliated with the firm clearing the trade (refer to P and O types) M = Program Order, index arb, for other member N = Program Order, non-index arb, for other member O = Proprietary transactions for competing market-maker that is affiliated with the clearing member (was incorrectly identified in the FIX spec as “Competing dealer trades”) P = Principal R = Transactions for the account of a non-member competing market maker (was incorrectly identified in the FIX spec as “Competing dealer trades”) S = Specialist trades T = Transactions for the account of an unaffiliated member’s competing market maker (was incorrectly identified in the FIX spec as “Competing dealer trades”) U = Program Order, index arb, for other agency W = All other orders as agent for other member X = Short exempt transaction for member competing market-maker not affiliated with the firm clearing the trade (refer to W and T types) Y = Program Order, non-index arb, for other agency Z = Short exempt transaction for non-member competing market-maker (refer to A and R types) + + +48 +SecurityID +String +Security identifier value of SecurityIDSource (22) type (e.g. CUSIP, SEDOL, ISIN, etc). Requires SecurityIDSource. + + +49 +SenderCompID +String +Assigned value used to identify firm sending message. + + +50 +SenderSubID +String +Assigned value used to identify specific message originator (desk, trader, etc.) + + +51 +SendingDate (no longer used) +LocalMktDate +No longer used. Included here for reference to prior versions. + + +52 +SendingTime +UTCTimestamp +Time of message transmission (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +53 +Quantity +Qty +Overall/total quantity (e.g. number of shares) (Prior to FIX 4.2 this field was of type int) + + +54 +Side +char +Side of order Valid values: = Buy 2 = Sell 3 = Buy minus 4 = Sell plus 5 = Sell short 6 = Sell short exempt 7 = Undisclosed (valid for IOI and List Order messages only) 8 = Cross (orders where counterparty is an exchange, valid for all messages except IOIs) 9 = Cross short A = Cross short exempt B = “As Defined” (for use with multileg instruments) C = “Opposite” (for use with multileg instruments) D = Subscribe (e.g. CIV) E = Redeem (e.g. CIV) F = Lend (FINANCING - identifies direction of collateral) G = Borrow (FINANCING - identifies direction of collateral) (see Volume : "Glossary" for value definitions) + + +55 +Symbol +String +Ticker symbol. Common, "human understood" representation of the security. SecurityID (48) value can be specified if no symbol exists (e.g. non-exchange traded Collective Investment Vehicles) Use “[N/A]” for products which do not have a symbol. + + +56 +TargetCompID +String +Assigned value used to identify receiving firm. + + +57 +TargetSubID +String +Assigned value used to identify specific individual or unit intended to receive message. “ADMIN” reserved for administrative messages not intended for a specific user. + + +58 +Text +String +Free format text string (Note: this field does not have a specified maximum length) + + +59 +TimeInForce +char +Specifies how long the order remains in effect. Absence of this field is interpreted as DAY. NOTE not applicable to CIV Orders. Valid values: 0 = Day (or session) = Good Till Cancel (GTC) 2 = At the Opening (OPG) 3 = Immediate or Cancel (IOC) 4 = Fill or Kill (FOK) 5 = Good Till Crossing (GTX) 6 = Good Till Date 7 = At the Close (see Volume : "Glossary" for value definitions) + + +60 +TransactTime +UTCTimestamp +Time of execution/order creation (expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +61 +Urgency +char +Urgency flag Valid values: 0 = Normal = Flash 2 = Background + + +62 +ValidUntilTime +UTCTimestamp +Indicates expiration time of indication message (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +63 +SettlType +char +Indicates order settlement period. If present, SettlDate (64) overrides this field. If both SettlType (63) and SettDate (64) are omitted, the default for SettlType (63) is 0 (Regular) Regular is defined as the default settlement period for the particular security on the exchange of execution. In Fixed Income the contents of this field may influence the instrument definition if the SecurityID (48) is ambiguous. In the US an active Treasury offering may be re-opened, and for a time one CUSIP will apply to both the current and “when-issued” securities. Supplying a value of “7” clarifies the instrument description; any other value or the absence of this field should cause the respondent to default to the active issue. Valid values: 0 = Regular = Cash 2 = Next Day (T+) 3 = T+2 4 = T+3 5 = T+4 6 = Future 7 = When And If Issued 8 = Sellers Option 9 = T+ 5 A = T+ (Removed in FIX 4.4, use "2 = Next Day (T+)" value) + + +64 +SettlDate +LocalMktDate +Specific date of trade settlement (SettlementDate) in YYYYMMDD format. If present, this field overrides SettlType (63). This field is required if the value of SettlType (63) is 6 (Future) or 8 (Sellers Option). This field must be omitted if the value of SettlType (63) is 7 (When and If Issued) (expressed in local time at place of settlement) + + +65 +SymbolSfx +String +Additional information about the security (e.g. preferred, warrants, etc.). Note also see SecurityType (67). Valid values: As defined in the NYSE Stock and bond Symbol Directory and in the AMEX Fitch Directory Fixed Income use: WI = “When Issued” for a security to be reissued under an old CUSIP or ISIN CD = a EUCP with lump-sum interest rather than discount price + + +66 +ListID +String +Unique identifier for list as assigned by institution, used to associate multiple individual orders. Uniqueness must be guaranteed within a single trading day. Firms which generate multi-day orders should consider embedding a date within the ListID field to assure uniqueness across days. + + +67 +ListSeqNo +int +Sequence of individual order within list (i.e. ListSeqNo of TotNoOrders (68), 2 of 25, 3 of 25, . . . ) + + +68 +TotNoOrders +int +Total number of list order entries across all messages. Should be the sum of all NoOrders (73) in each message that has repeating list order entries related to the same ListID (66). Used to support fragmentation. (Prior to FIX 4.2 this field was named "ListNoOrds") + + +69 +ListExecInst +String +Free format text message containing list handling and execution instructions. + + +70 +AllocID +String +Unique identifier for allocation message. (Prior to FIX 4. this field was of type int) + + +71 +AllocTransType +char +Identifies allocation transaction type Valid values: 0 = New = Replace 2 = Cancel 3 = Preliminary (without MiscFees and NetMoney) (Removed/Replaced) 4 = Calculated (includes MiscFees and NetMoney) (Removed/Replaced) 5 = Calculated without Preliminary (sent unsolicited by broker, includes MiscFees and NetMoney) (Removed/Replaced) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** + + +72 +RefAllocID +String +Reference identifier to be used with AllocTransType (7) =Replace or Cancel. (Prior to FIX 4. this field was of type int) + + +73 +NoOrders +NumInGroup +Indicates number of orders to be combined for average pricing and allocation. + + +74 +AvgPxPrecision +int +Indicates number of decimal places to be used for average pricing. Absence of this field indicates that default precision arranged by the broker/institution is to be used. + + +75 +TradeDate +LocalMktDate +Indicates date of trade referenced in this message in YYYYMMDD format. Absence of this field indicates current day (expressed in local time at place of trade). + + +76 +ExecBroker +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Identifies executing / give-up broker. Standard NASD market-maker mnemonic is preferred. + + +77 +PositionEffect +char +Indicates whether the resulting position after a trade should be an opening position or closing position. Used for omnibus accounting - where accounts are held on a gross basis instead of being netted together. Valid Values: O = Open C = Close R = Rolled F = FIFO + + +78 +NoAllocs +NumInGroup +Number of repeating AllocAccount (79)/AllocPrice (366) entries. + + +79 +AllocAccount +String +Sub-account mnemonic + + +80 +AllocQty +Qty +Quantity to be allocated to specific sub-account (Prior to FIX 4.2 this field was of type int) + + +81 +ProcessCode +char +Processing code for sub-account. Absence of this field in AllocAccount (79) / AllocPrice (366) /AllocQty (80) / ProcessCode instance indicates regular trade. Valid values: 0 = regular = soft dollar 2 = step-in 3 = step-out 4 = soft-dollar step-in 5 = soft-dollar step-out 6 = plan sponsor + + +82 +NoRpts +int +Total number of reports within series. + + +83 +RptSeq +int +Sequence number of message within report series. + + +84 +CxlQty +Qty +Total quantity canceled for this order. (Prior to FIX 4.2 this field was of type int) + + +85 +NoDlvyInst +NumInGroup +Number of delivery instruction fields in repeating group. Note this field was removed in FIX 4. and reinstated in FIX 4.4. + + +86 +DlvyInst +String +Free format text field to indicate delivery instructions No longer used. Included here for reference to prior versions. + + +87 +AllocStatus +int +Identifies status of allocation. Valid values: 0 = accepted (successfully processed) = block level reject 2 = account level reject 3 = received (received, not yet processed) 4 = incomplete 5 = rejected by intermediary + + +88 +AllocRejCode +int +Identifies reason for rejection. Valid values: 0 = unknown account(s) = incorrect quantity 2 = incorrect average price 3 = unknown executing broker mnemonic 4 = commission difference 5 = unknown OrderID (37) 6 = unknown ListID (66) 7 = other (further in Note 58=) 8 = incorrect allocated quantity 9 = calculation difference 0 = unknown or stale ExecID (7) = mismatched data value (further in Note 58=) 2 = unknown ClOrdID () 3 = warehouse request rejected + + +89 +Signature +data +Electronic signature + + +90 +SecureDataLen +Length +Length of encrypted message +91 + + +91 +SecureData +data +Actual encrypted data stream + + +92 +BrokerOfCredit +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Broker to receive trade credit. + + +93 +SignatureLength +Length +Number of bytes in signature field. +89 + + +94 +EmailType +char +Email message type. Valid values: 0 = New = Reply 2 = Admin Reply + + +95 +RawDataLength +Length +Number of bytes in raw data field. +96 + + +96 +RawData +data +Unformatted raw data, can include bitmaps, word processor documents, etc. + + +97 +PossResend +Boolean +Indicates that message may contain information that has been sent under another sequence number. Valid Values: Y=Possible resend N=Original transmission + + +98 +EncryptMethod +int +Method of encryption. Valid values: 0 = None / other = PKCS (proprietary) 2 = DES (ECB mode) 3 = PKCS/DES (proprietary) 4 = PGP/DES (defunct) 5 = PGP/DES-MD5 (see app note on FIX web site) 6 = PEM/DES-MD5 (see app note on FIX web site) + + +99 +StopPx +Price +Price per unit of quantity (e.g. per share) + + +100 +ExDestination +Exchange +Execution destination as defined by institution when order is entered. Valid values: See "Appendix 6-C" + + +101 +(Not Defined) +n/a +This field has not been defined. + + +102 +CxlRejReason +int +Code to identify reason for cancel rejection. Valid values: 0 = Too late to cancel = Unknown order 2 = Broker / Exchange Option 3 = Order already in Pending Cancel or Pending Replace status 4 = Unable to process Order Mass Cancel Request 5 = OrigOrdModTime (586) did not match last TransactTime (60) of order 6 = Duplicate ClOrdID () received 99 = Other + + +103 +OrdRejReason +int +Code to identify reason for order rejection. Valid values: 0 = Broker / Exchange option = Unknown symbol 2 = Exchange closed 3 = Order exceeds limit 4 = Too late to enter 5 = Unknown Order 6 = Duplicate Order (e.g. dupe ClOrdID ()) 7 = Duplicate of a verbally communicated order 8 = Stale Order 9 = Trade Along required 0 = Invalid Investor ID = Unsupported order characteristic2 = Surveillence Option 3 = Incorrect quantity 4 = Incorrect allocated quantity 5 = Unknown account(s) 99 = Other Note: Values 3, 4, and 5 will be used when rejecting an order due to pre-allocation information errors. + + +104 +IOIQualifier +char +Code to qualify IOI use. Valid values: A = All or none B = Market On Close (MOC) (held to close) C = At the close (around/not held to close) D = VWAP (Volume Weighted Avg Price) I = In touch with L = Limit M = More behind O = At the open P = Taking a position Q = At the Market (previously called Current Quote) R = Ready to trade S = Portfolio shown T = Through the day V = Versus W = Indication - Working away X = Crossing opportunity Y = At the Midpoint Z = Pre-open (see Volume : "Glossary" for value definitions) + + +105 +WaveNo +String +No longer used as of FIX 4.3. Included here for reference to prior versions. + + +106 +Issuer +String +Name of security issuer (e.g. International Business Machines, GNMA). see also Volume 7: "PRODUCT: FIXED INCOME - Euro Issuer Values" + + +107 +SecurityDesc +String +Security description. + + +108 +HeartBtInt +int +Heartbeat interval (seconds) + + +109 +ClientID +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Firm identifier used in third party-transactions (should not be a substitute for OnBehalfOfCompID/DeliverToCompID). + + +110 +MinQty +Qty +Minimum quantity of an order to be executed. + (Prior to FIX 4.2 this field was of type int) + + +111 +MaxFloor +Qty +Maximum quantity (e.g. number of shares) within an order to be shown on the exchange floor at any given time. + (Prior to FIX 4.2 this field was of type int) + + +112 +TestReqID +String +Identifier included in Test Request message to be returned in resulting Heartbeat + + +113 +ReportToExch +Boolean +Identifies party of trade responsible for exchange reporting. Valid values: Y = Indicates that party receiving message must report trade N = Indicates that party sending message will report trade + + +114 +LocateReqd +Boolean +Indicates whether the broker is to locate the stock in conjunction with a short sell order. + +Valid values: Y = Indicates the broker is responsible for locating the stock N = Indicates the broker is not required to locate + + +115 +OnBehalfOfCompID +String +Assigned value used to identify firm originating message if the message was delivered by a third party i.e. the third party firm identifier would be delivered in the SenderCompID field and the firm originating the message in this field. + + +116 +OnBehalfOfSubID +String +Assigned value used to identify specific message originator (i.e. trader) if the message was delivered by a third party + + +117 +QuoteID +String +Unique identifier for quote + + +118 +NetMoney +Amt +Total amount due as the result of the transaction (e.g. for Buy order - principal + commission + fees) reported in currency of execution. + + +119 +SettlCurrAmt +Amt +Total amount due expressed in settlement currency (includes the effect of the forex transaction) + + +120 +SettlCurrency +Currency +Currency code of settlement denomination. + + +121 +ForexReq +Boolean +Indicates request for forex accommodation trade to be executed along with security transaction. Valid values: Y = Execute Forex after security trade N = Do not execute Forex after security trade + + +122 +OrigSendingTime +UTCTimestamp +Original time of message transmission (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) when transmitting orders as the result of a resend request. + + +123 +GapFillFlag +Boolean +Indicates that the Sequence Reset message is replacing administrative or application messages which will not be resent. Valid values: Y = Gap Fill message, MsgSeqNum field valid N = Sequence Reset, ignore MsgSeqNum + + +124 +NoExecs +NumInGroup +No of execution repeating group entries to follow. + + +125 +CxlType +char +No longer used. Included here for reference to prior versions. + + +126 +ExpireTime +UTCTimestamp +Time/Date of order expiration (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) The meaning of expiration is specific to the context where the field is used. For orders, this is the expiration time of a Good Til Date TimeInForce. For Quotes - this is the expiration of the quote. Expiration time is provided across the quote message dialog to control the length of time of the overall quoting process. For collateral requests, this is the time by which collateral must be assigned. For collateral assignments, this is the time by which a response to the assignment is expected. + + +127 +DKReason +char +Reason for execution rejection. Valid values: A = Unknown symbol B = Wrong side C = Quantity exceeds order D = No matching order E = Price exceeds limit F = Calculation difference Z = Other + + +128 +DeliverToCompID +String +Assigned value used to identify the firm targeted to receive the message if the message is delivered by a third party i.e. the third party firm identifier would be delivered in the TargetCompID (56) field and the ultimate receiver firm ID in this field. + + +129 +DeliverToSubID +String +Assigned value used to identify specific message recipient (i.e. trader) if the message is delivered by a third party + + +130 +IOINaturalFlag +Boolean +Indicates that IOI is the result of an existing agency order or a facilitation position resulting from an agency order, not from principal trading or order solicitation activity. Valid values: Y = Natural N = Not natural + + +131 +QuoteReqID +String +Unique identifier for quote request + + +132 +BidPx +Price +Bid price/rate + + +133 +OfferPx +Price +Offer price/rate + + +134 +BidSize +Qty +Quantity of bid (Prior to FIX 4.2 this field was of type int) + + +135 +OfferSize +Qty +Quantity of offer (Prior to FIX 4.2 this field was of type int) + + +136 +NoMiscFees +NumInGroup +Number of repeating groups of miscellaneous fees + + +137 +MiscFeeAmt +Amt +Miscellaneous fee value + + +138 +MiscFeeCurr +Currency +Currency of miscellaneous fee + + +139 +MiscFeeType +char +Indicates type of miscellaneous fee. Valid values: = Regulatory (e.g. SEC) 2 = Tax 3 = Local Commission 4 = Exchange Fees 5 = Stamp 6 = Levy 7 = Other 8 = Markup 9 = Consumption Tax 0 = Per transaction = Conversion 2 = Agent + + +140 +PrevClosePx +Price +Previous closing price of security. + + +141 +ResetSeqNumFlag +Boolean +Indicates that the both sides of the FIX session should reset sequence numbers. Valid values: Y = Yes, reset sequence numbers N = No + + +142 +SenderLocationID +String +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) + + +143 +TargetLocationID +String +Assigned value used to identify specific message destination’s location (i.e. geographic location and/or desk, trader) + + +144 +OnBehalfOfLocationID +String +Assigned value used to identify specific message originator’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party + + +145 +DeliverToLocationID +String +Assigned value used to identify specific message recipient’s location (i.e. geographic location and/or desk, trader) if the message was delivered by a third party + + +146 +NoRelatedSym +NumInGroup +Specifies the number of repeating symbols specified. + + +147 +Subject +String +The subject of an Email message + + +148 +Headline +String +The headline of a News message + + +149 +URLLink +String +A URI (Uniform Resource Identifier) or URL (Uniform Resource Locator) link to additional information (i.e. http://www.XYZ.com/research.html) See "Appendix 6-B FIX Fields Based Upon Other Standards" + + +150 +ExecType +char +Describes the specific ExecutionRpt (i.e. Pending Cancel) while OrdStatus (39) will always identify the current order status (i.e. Partially Filled) Valid values: 0 = New = Partial fill (Replaced) 2 = Fill (Replaced) 3 = Done for day 4 = Canceled 5 = Replace 6 = Pending Cancel (e.g. result of Order Cancel Request) 7 = Stopped 8 = Rejected 9 = Suspended A = Pending New B = Calculated C = Expired D = Restated (ExecutionRpt sent unsolicited by sellside, with ExecRestatementReason (378) set) E = Pending Replace (e.g. result of Order Cancel/Replace Request) F = Trade (partial fill or fill) G = Trade Correct (formerly an ExecTransType (20)) H = Trade Cancel (formerly an ExecTransType) I = Order Status (formerly an ExecTransType) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** + + +151 +LeavesQty +Qty +Quantity open for further execution. If the OrdStatus (39) is Canceled, DoneForTheDay, Expired, Calculated, or Rejected (in which case the order is no longer active) then LeavesQty could be 0, otherwise LeavesQty = OrderQty (38) – CumQty (4). (Prior to FIX 4.2 this field was of type int) + + +152 +CashOrderQty +Qty +Specifies the approximate order quantity desired in total monetary units vs. as tradeable units (e.g. number of shares). The broker or fund manager (for CIV orders) would be responsible for converting and calculating a tradeable unit (e.g. share) quantity (OrderQty (38)) based upon this amount to be used for the actual order and subsequent messages. + + +153 +AllocAvgPx +Price +AvgPx (6) for a specific AllocAccount (79) For Fixed Income this is always expressed as “percent of par” price type. + + +154 +AllocNetMoney +Amt +NetMoney (8) for a specific AllocAccount (79) + + +155 +SettlCurrFxRate +float +Foreign exchange rate used to compute SettlCurrAmt (9) from Currency (5) to SettlCurrency (20) + + +156 +SettlCurrFxRateCalc +char +Specifies whether or not SettlCurrFxRate (55) should be multiplied or divided. M = Multiply D = Divide + + +157 +NumDaysInterest +int +Number of Days of Interest for convertible bonds and fixed income. Note value may be negative. + + +158 +AccruedInterestRate +Percentage +The amount the buyer compensates the seller for the portion of the next coupon interest payment the seller has earned but will not receive from the issuer because the issuer will send the next coupon payment to the buyer. Accrued Interest Rate is the annualized Accrued Interest amount divided by the purchase price of the bond. + + +159 +AccruedInterestAmt +Amt +Amount of Accrued Interest for convertible bonds and fixed income + + +160 +SettlInstMode +char +Indicates mode used for Settlement Instructions message. Valid values: 0 = Default (Replaced) = Standing Instructions Provided 2 = Specific Allocation Account Overriding (Replaced) 3 = Specific Allocation Account Standing (Replaced) 4 = Specific Order for a single account (for CIV) 5 = Request reject *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** + + +161 +AllocText +String +Free format text related to a specific AllocAccount (79). + + +162 +SettlInstID +String +Unique identifier for Settlement Instruction. + + +163 +SettlInstTransType +char +Settlement Instructions message transaction type Valid values: N = New C = Cancel R = Replace T = Restate (used where the Settlement Instruction is being used to communicate standing instructions which have not been changed or added to) + + +164 +EmailThreadID +String +Unique identifier for an email thread (new and chain of replies) + + +165 +SettlInstSource +char +Indicates source of Settlement Instructions Valid values: = Broker’s Instructions 2 = Institution’s Instructions 3 = Investor (e.g. CIV use) + + +166 +SettlLocation +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Identifies Settlement Depository or Country Code (ISITC spec) Valid values: CED = CEDEL DTC = Depository Trust Company EUR = Euroclear FED = Federal Book Entry PNY= Physical PTC = Participant Trust Company ISO Country Code = Local Market Settle Location + + +167 +SecurityType +String +Indicates type of security. See also the Product (460) and CFICode (46) fields. It is recommended that CFICode be used instead of SecurityType for non-Fixed Income instruments. Example values (grouped by Product field value) (Note: additional values may be used by mutual agreement of the counterparties): AGENCY EUSUPRA = Euro Supranational Coupons * FAC = Federal Agency Coupon FADN = Federal Agency Discount Note PEF = Private Export Funding * SUPRA = USD Supranational Coupons * * Identify the Issuer in the "Issuer" field(06) *** REPLACED values - See "Replaced Features and Supported Approach" *** COMMODITY   FUT = Future   OPT = Option Note: COMMODITY Product includes Bond, Interest Rate, Currency, Currency Spot Options, Crops/Grains, Foodstuffs, Livestock, Fibers, Lumber/Rubber, Oil/Gas/Electricity, Precious/Major Metal, and Industrial Metal. Use CFICode (46) for more granular definition if necessary. CORPORATE CORP = Corporate Bond CPP = Corporate Private Placement CB = Convertible Bond DUAL = Dual Currency EUCORP = Euro Corporate Bond XLINKD = Indexed Linked STRUCT = Structured Notes YANK = Yankee Corporate Bond CURRENCY FOR = Foreign Exchange Contract EQUITY CS = Common Stock PS = Preferred Stock WAR - Warrant now is listed under Municipals for consistency with Bloomberg fixed income product types. For equity warrants - use the CFICode (46) instead. GOVERNMENT BRADY = Brady Bond EUSOV = Euro Sovereigns * TBOND = US Treasury Bond TINT = Interest strip from any bond or note TIPS = Treasury Inflation Protected Securities TCAL = Principal strip of a callable bond or note TPRN = Principal strip from a non-callable bond or note UST = US Treasury Note (deprecated value, use "TNOTE") USTB = US Treasury Bill (deprecated value, use "TBILL") TNOTE = US Treasury Note TBILL = US Treasury Bill “–” * Identify the Issuer Name in Issuer (06) FINANCING REPO = Repurchase FORWARD = Forward BUYSELL = Buy Sellback SECLOAN = Securities Loan SECPLEDGE = Securities Pledge INDEX Note: "Indices" includes: Stock, Index Spot Options, Commodity, Physical Index Options, Share/Ratio, and Spreads. For index types use the CFICode (46). LOAN TERM = Term Loan RVLV = Revolver Loan RVLVTRM = Revolver/Term Loan BRIDGE = Bridge Loan LOFC = Letter of Credit SWING = Swing Line Facility DINP = Debtor in Possession DEFLTED = Defaulted WITHDRN = Withdrawn REPLACD = Replaced MATURED = Matured AMENDED = Amended & Restated RETIRED = Retired MONEYMARKET BA = Bankers Acceptance BN = Bank Notes BOX = Bill of Exchanges CD = Certificate of Deposit CL = Call Loans CP = Commercial Paper DN = Deposit Notes EUCD = Euro Certificate of Deposit EUCP = Euro Commercial Paper LQN = Liquidity Note MTN = Medium Term Notes ONITE = Overnight PN = Promissory Note PZFJ = Plazos Fijos STN = Short Term Loan Note TD = Time Deposit XCN = Extended Comm Note YCD = Yankee Certificate of Deposit MORTGAGE ABS = Asset-backed Securities CMBS = Corp. Mortgage-backed Securities CMO = Collateralized Mortgage Obligation IET = IOETTE Mortgage MBS = Mortgage-backed Securities MIO = Mortgage Interest Only MPO = Mortgage Principal Only MPP = Mortgage Private Placement MPT = Miscellaneous Pass-through PFAND = Pfandbriefe * TBA = To be Announced * Identify the Issuer Name in Issuer (06) MUNICIPAL AN = Other Anticipation Notes BAN, GAN, etc. COFO = Certificate of Obligation COFP = Certificate of Participation GO = General Obligation Bonds MT = Mandatory Tender RAN = Revenue Anticipation Note REV = Revenue Bonds SPCLA = Special Assessment SPCLO = Special Obligation SPCLT = Special Tax TAN = Tax Anticipation Note TAXA = Tax Allocation TECP = Tax Exempt Commercial Paper TRAN = Tax & Revenue Anticipation Note VRDN = Variable Rate Demand Note WAR = Warrant OTHER MF = Mutual Fund (i.e. any kind of open-ended “Collective Investment Vehicle”) MLEG = Multi-leg instrument (e.g. options strategy or futures spread. CFICode (46) can be used to identify if options-based, futures-based, etc.) NONE = No Security Type ? = “Wildcard” entry (used on Security Definition Request message) NOTE: Additional values may be used by mutual agreement of the counterparties) + + +168 +EffectiveTime +UTCTimestamp +Time the details within the message should take effect (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +169 +StandInstDbType +int +Identifies the Standing Instruction database used Valid values: 0 = Other = DTC SID 2 = Thomson ALERT 3 = A Global Custodian (StandInstDbName (70) must be provided) 4 = AccountNet + + +170 +StandInstDbName +String +Name of the Standing Instruction database represented with StandInstDbType (69) (i.e. the Global Custodian’s name). + + +171 +StandInstDbID +String +Unique identifier used on the Standing Instructions database for the Standing Instructions to be referenced. + + +172 +SettlDeliveryType +int +Identifies type of settlement 0 = “Versus. Payment”: Deliver (if Sell) or Receive (if Buy) vs. (Against) Payment = “Free”: Deliver (if Sell) or Receive (if Buy) Free 2 = Tri-Party 3 = Hold In Custody + + +173 +SettlDepositoryCode +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Broker’s account code at the depository (i.e. CEDEL ID for CEDEL, FINS for DTC, or Euroclear ID for Euroclear) if Settlement Location is a depository + + +174 +SettlBrkrCode +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** BIC (Bank Identification Code—Swift managed) code of the broker involved (i.e. for multi-company brokerage firms) + + +175 +SettlInstCode +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** BIC (Bank Identification Code—Swift managed) code of the institution involved (i.e. for multi-company institution firms) + + +176 +SecuritySettlAgentName +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Name of SettlInstSource's local agent bank if SettlLocation is not a depository + + +177 +SecuritySettlAgentCode +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlLocation is not a depository + + +178 +SecuritySettlAgentAcctNum +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** SettlInstSource's account number at local agent bank if SettlLocation is not a depository + + +179 +SecuritySettlAgentAcctName +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Name of SettlInstSource's account at local agent bank if SettlLocation is not a depository + + +180 +SecuritySettlAgentContactName +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Name of contact at local agent bank for SettlInstSource's account if SettlLocation is not a depository + + +181 +SecuritySettlAgentContactPhone +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Phone number for contact at local agent bank if SettlLocation is not a depository + + +182 +CashSettlAgentName +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Name of SettlInstSource's local agent bank if SettlDeliveryType=Free + + +183 +CashSettlAgentCode +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** BIC (Bank Identification Code--Swift managed) code of the SettlInstSource's local agent bank if SettlDeliveryType=Free + + +184 +CashSettlAgentAcctNum +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** SettlInstSource's account number at local agent bank if SettlDeliveryType=Free + + +185 +CashSettlAgentAcctName +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Name of SettlInstSource's account at local agent bank if SettlDeliveryType=Free + + +186 +CashSettlAgentContactName +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Name of contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free + + +187 +CashSettlAgentContactPhone +String +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Phone number for contact at local agent bank for SettlInstSource's account if SettlDeliveryType=Free + + +188 +BidSpotRate +Price +Bid F/X spot rate. + + +189 +BidForwardPoints +PriceOffset +Bid F/X forward points added to spot rate. May be a negative value. + + +190 +OfferSpotRate +Price +Offer F/X spot rate. + + +191 +OfferForwardPoints +PriceOffset +Offer F/X forward points added to spot rate. May be a negative value. + + +192 +OrderQty2 +Qty +OrderQty (38) of the future part of a F/X swap order. + + +193 +SettlDate2 +LocalMktDate +SettDate (64) of the future part of a F/X swap order. + + +194 +LastSpotRate +Price +F/X spot rate. + + +195 +LastForwardPoints +PriceOffset +F/X forward points added to LastSpotRate (94). May be a negative value. + + +196 +AllocLinkID +String +Can be used to link two different Allocation messages (each with unique AllocID (70)) together, i.e. for F/X “Netting” or “Swaps”. Should be unique. + + +197 +AllocLinkType +int +Identifies the type of Allocation linkage when AllocLinkID (96) is used. Valid values: 0 = F/X Netting = F/X Swap + + +198 +SecondaryOrderID +String +Assigned by the party which accepts the order. Can be used to provide the OrderID (37) used by an exchange or executing system. + + +199 +NoIOIQualifiers +NumInGroup +Number of repeating groups of IOIQualifiers (04). + + +200 +MaturityMonthYear +month-year +Can be used with standardized derivatives vs. the MaturityDate (54) field. Month and Year of the maturity (used for standardized futures and options). Format: YYYYMM (i.e. 99903) YYYYMMDD (20030323) YYYYMMwN (200303w) for week A specific date or can be appended to the MaturityMonthYear. For instance, if multiple standard products exist that mature in the same Year and Month, but actually mature at a different time, a value can be appended, such as "w" or "w2" to indicate week as opposed to week 2 expiration. Likewise, the date (0-3) can be appended to indicate a specific expiration (maturity date). + + +201 +PutOrCall +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Indicates whether an Option is for a put or call. Valid values: 0 = Put = Call + + +202 +StrikePrice +Price +Strike Price for an Option. + + +203 +CoveredOrUncovered +int +Used for derivative products, such as options Valid values: 0 = Covered = Uncovered + + +204 +CustomerOrFirm +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Used for options when delivering the order to an execution system/exchange to specify if the order is for a customer or the firm placing the order itself. Valid values: 0 = Customer = Firm + + +205 +MaturityDay +day-of-month +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Day of month used in conjunction with MaturityMonthYear to specify the maturity date for SecurityType=FUT or SecurityType=OPT. Valid values: -3 + + +206 +OptAttribute +char +Can be used for SecurityType (67) =OPT to identify a particular security. Valid values vary by SecurityExchange: *** REPLACED values - See "Replaced Features and Supported Approach" *** For Exchange: MONEP (Paris) L = Long (a.k.a. “American”) S = Short (a.k.a. “European”) For Exchanges: DTB (Frankfurt), HKSE (Hong Kong), and SOFFEX (Zurich) 0-9 = single digit “version” number assigned by exchange following capital adjustments (0=current, =prior, 2=prior to , etc). + + +207 +SecurityExchange +Exchange +Market used to help identify a security. Valid values: See "Appendix 6-C" + + +208 +NotifyBrokerOfCredit +Boolean +Indicates whether or not details should be communicated to BrokerOfCredit (i.e. step-in broker). Valid values: Y = Details should be communicated N = Details should not be communicated + + +209 +AllocHandlInst +int +Indicates how the receiver (i.e. third party) of Allocation message should handle/process the account details. Valid values: = Match 2 = Forward 3 = Forward and Match + + +210 +MaxShow +Qty +Maximum quantity (e.g. number of shares) within an order to be shown to other customers (i.e. sent via an IOI). (Prior to FIX 4.2 this field was of type int) + + +211 +PegOffsetValue +float +Amount (signed) added to the peg for a pegged order in the context of the PegOffsetType (836) (Prior to FIX 4.4 this field was of type PriceOffset) + + +212 +XmlDataLen +Length +Length of the XmlData data block. +213 + + +213 +XmlData +data +Actual XML data stream (e.g. FIXML). See approriate XML reference (e.g. FIXML). Note: may contain embedded SOH characters. + + +214 +SettlInstRefID +String +Reference identifier for the SettlInstID (62) with Cancel and Replace SettlInstTransType (63) transaction types. + + +215 +NoRoutingIDs +NumInGroup +Number of repeating groups of RoutingID (27) and RoutingType (26) values. See Volume 3: "Pre-Trade Message Targeting/Routing" + + +216 +RoutingType +int +Indicates the type of RoutingID (27) specified. Valid values: = Target Firm 2 = Target List 3 = Block Firm 4 = Block List + + +217 +RoutingID +String +Assigned value used to identify a specific routing destination. + + +218 +Spread +PriceOffset +For Fixed Income. Either Swap Spread or Spread to Benchmark depending upon the order type. Spread to Benchmark: Basis points relative to a benchmark. To be expressed as "count of basis points" (vs. an absolute value). E.g. High Grade Corporate Bonds may express price as basis points relative to benchmark (the BenchmarkCurveName (22) field). Note: Basis points can be negative. Swap Spread: Target spread for a swap. + + +219 +Benchmark +char +No longer used. Included here for reference to prior versions. For Fixed Income. Identifies the benchmark (e.g. used in conjunction with the Spread field). Valid values: = CURVE 2 = 5-YR 3 = OLD-5 4 = 0-YR 5 = OLD-0 6 = 30-YR 7 = OLD-30 8 = 3-MO-LIBOR 9 = 6-MO-LIBOR + + +220 +BenchmarkCurveCurrency +Currency +Identifies currency used for benchmark curve. See "Appendix 6-A: Valid Currency Codes" for information on obtaining valid values. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +221 +BenchmarkCurveName +String +Name of benchmark curve. Valid values: MuniAAA FutureSWAP LIBID LIBOR (London Inter-Bank Offers) OTHER SWAP Treasury Euribor Pfandbriefe EONIA SONIA EUREPO (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +222 +BenchmarkCurvePoint +String +Point on benchmark curve. Free form values: e.g. “Y”, “7Y”, “INTERPOLATED”. Sample values: M = combination of a number between -2 and a "M" for month Y = combination of number between -00 and a "Y" for year} 0Y-OLD = see above, then add "-OLD" when appropriate INTERPOLATED = the point is mathematically derived 2/203 5 3/8 = the point is stated via a combination of maturity month / year and coupon See Fixed Income-specific documentation at http://www.fixprotocol.org for additional values. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +223 +CouponRate +Percentage +The rate of interest that, when multiplied by the principal, par value, or face value of a bond, provides the currency amount of the periodic interest payment. The coupon is always cited, along with maturity, in any quotation of a bond's price. + + +224 +CouponPaymentDate +LocalMktDate +Date interest is to be paid. Used in identifying Corporate Bond issues. (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +225 +IssueDate +LocalMktDate +The date on which a bond or stock offering is issued. It may or may not be the same as the effective date ("Dated Date") or the date on which interest begins to accrue ("Interest Accrual Date") (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +226 +RepurchaseTerm +int +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Number of business days before repurchase of a repo. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +227 +RepurchaseRate +Percentage +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Percent of par at which a Repo will be repaid. Represented as a percent, e.g. .9525 represents 95-/4 percent of par. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +228 +Factor +float +For Fixed Income: Amorization Factor for deriving Current face from Original face for ABS or MBS securities, note the fraction may be greater than, equal to or less than . In TIPS securities this is the Inflation index. Qty * Factor * Price = Gross Trade Amount For Derivatives: Contract Value Factor by which price must be adjusted to determine the true nominal value of one futures/options contract. (Qty * Price) * Factor = Nominal Value (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +229 +TradeOriginationDate +LocalMktDate +Used with Fixed Income for Muncipal New Issue Market. Agreement in principal between counter-parties prior to actual trade date. (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +230 +ExDate +LocalMktDate +The date when a distribution of interest is deducted from a securities assets or set aside for payment to bondholders. On the ex-date, the securities price drops by the amount of the distribution (plus or minus any market activity). (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +231 +ContractMultiplier +float +Specifies the ratio or multiply factor to convert from "nominal" units (e.g. contracts) to total units (e.g. shares) (e.g. .0, 00, 000, etc). Applicable For Fixed Income, Convertible Bonds, Derivatives, etc. In general quantities for all calsses should be expressed in the basic unit of the instrument, e.g. shares for equities, norminal or par amount for bonds, currency for foreign exchange. When quantity is expressed in contracts, e.g. financing transactions and bond trade reporting, ContractMutliplier should contain the number of units in one contract and can be omitted if the multiplier is the default amount for the instrument, i.e. ,000 par of bonds, ,000,000 par for financing transactions. + + +232 +NoStipulations +NumInGroup +Number of stipulation entries (Note tag # was reserved in FIX 4., added in FIX 4.3). + + +233 +StipulationType +String +For Fixed Income. Type of Stipulation. Values include: AMT = AMT (y/n) AUTOREINV = Auto Reinvestment at <rate> or better BANKQUAL = Bank qualified (y/n) BGNCON = Bargain Conditions– see (234) for values COUPON = Coupon range CURRENCY = ISO Currency code CUSTOMDATE = Custom start/end date GEOG = Geographics and % Range (ex. 234=CA 0-80 [minimum of 80% California assets]) HAIRCUT = Valuation discount INSURED = Insured (y/n) ISSUE = Year or Year/Month of Issue (ex. 234=2002/09) ISSUER = Issuer’s ticker ISSUESIZE = issue size range LOOKBACK = Lookback days LOT = Explicit lot identifier LOTVAR = Lot Variance (value in percent maximum over- or under-allocation allowed) MAT = Maturity Year and Month MATURITY = Maturity range MAXSUBS = Maximum substitutions (Repo) MINQTY = Minimum quantity MININCR = Minimum increment MINDNOM = Minimum denomination PAYFREQ = Payment frequency, calendar PIECES = Number of Pieces PMAX = Pools Maximum PPM = Pools per Million PPL = Pools per Lot PPT = Pools per Trade PRICE = Price range PRICEFREQ = Pricing frequency PROD = Production Year PROTECT = Call protection PURPOSE = Purpose PXSOURCE = Benchmark price source RATING = Rating source and range REDEMPTION = Type of redemption – values are: NonCallable Callable Prefunded EscrowedToMaturity Putable Convertible RESTRICTED = Restricted (y/n) SECTOR = Market sector SECTYPE = SecurityType included or excluded STRUCT = Structure SUBSFREQ = Substitutions frequency (Repo) SUBSLEFT = Substitutions left (Repo) TEXT = Freeform text TRDVAR = Trade Variance (value in percent maximum over- or under-allocation allowed) WAC = Weighted Average Coupon:value in percent (exact or range) plus ‘Gross’ or ‘Net’ of servicing spread (the default) (ex. 234=6.5- Net [minimum of 6.5% net of servicing fee]) WAL = Weighted Average Life Coupon: value in percent (exact or range) WALA = Weighted Average Loan Age: value in months (exact or range) WAM = Weighted Average Maturity : value in months (exact or range) WHOLE = Whole Pool (y/n) YIELD = Yield range or the following Prepayment Speeds  SMM = Single Monthly Mortality  CPR = Constant Prepayment Rate  CPY = Constant Prepayment Yield  CPP = Constant Prepayment Penalty  ABS = Absolute Prepayment Speed  MPR = Monthly Prepayment Rate  PSA = % of BMA Prepayment Curve  PPC = % of Prospectus Prepayment Curve  MHP = % of Manufactured Housing Prepayment Curve  HEP = final CPR of Home Equity Prepayment Curve Other types may be used by mutual agreement of the counterparties. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +234 +StipulationValue +String +For Fixed Income. Value of stipulation. The expression can be an absolute single value or a combination of values and logical operators: < value > value <= value >= value value value – value2 value OR value2 value AND value2 YES NO Bargain conditions recognized by the London Stock Exchange – to be used when StipulationType is “BGNCON”. CD = Special cum Dividend XD = Special ex Dividend CC = Special cum Coupon XC = Special ex Coupon CB = Special cum Bonus XB = Special ex Bonus CR = Special cum Rights XR = Special ex Rights CP = Special cum Capital Repayments XP = Special ex Capital Repayments CS = Cash Settlement SP = Special Price TR = Report for European Equity Market Securities in accordance with Chapter 8 of the Rules. GD = Guaranteed Delivery Values for StipulationType = "PXSOURCE": BB GENERIC BB FAIRVALUE BROKERTEC ESPEED GOVPX HILLIARD FARBER ICAP TRADEWEB TULLETT LIBERTY If a particular side of the market is wanted append /BID /OFFER or /MID. plus appropriate combinations of the above and other expressions by mutual agreement of the counterparties. Examples: “>=60”, “.25”, “ORANGE OR CONTRACOSTA”, etc. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +235 +YieldType +String +Type of yield. Valid values: AFTERTAX = After Tax Yield (Municipals) ANNUAL = Annual Yield ATISSUE = Yield At Issue (Municipals) AVGMATURITY = Yield To Average Maturity BOOK = Book Yield CALL = Yield to Next Call CHANGE = Yield Change Since Close CLOSE = Closing Yield COMPOUND = Compound Yield CURRENT = Current Yield GROSS = True Gross Yield GOVTEQUIV = Government Equivalent Yield INFLATION = Yield with Inflation Assumption INVERSEFLOATER = Inverse Floater Bond Yield LASTCLOSE = Most Recent Closing Yield LASTMONTH = Closing Yield Most Recent Month LASTQUARTER = Closing Yield Most Recent Quarter LASTYEAR = Closing Yield Most Recent Year LONGAVGLIFE = Yield to Longest Average Life MARK = Mark To Market Yield MATURITY = Yield to Maturity NEXTREFUND = Yield To Next Refund (Sinking Fund Bonds) OPENAVG = Open Average Yield PUT = Yield to Next Put PREVCLOSE = Previous Close Yield PROCEEDS = Proceeds Yield SEMIANNUAL = Semi-annual Yield SHORTAVGLIFE = Yield to Shortest Average Life SIMPLE = Simple Yield TAXEQUIV = Tax Equivalent Yield TENDER = Yield to Tender Date TRUE = True Yield VALUE/32 = Yield Value Of /32 WORST = Yield To Worst (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +236 +Yield +Percentage +Yield percentage. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +237 +TotalTakedown +Amt +The price at which the securities are distributed to the different members of an underwriting group for the primary market in Municipals, total gross underwriter's spread. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +238 +Concession +Amt +Provides the reduction in price for the secondary market in Muncipals. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +239 +RepoCollateralSecurityType +int +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Identifies the collateral used in the transaction. Valid values: see SecurityType (67) field (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +240 +RedemptionDate +LocalMktDate +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Return of investor's principal in a security. Bond redemption can occur before maturity date. (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +241 +UnderlyingCouponPaymentDate +LocalMktDate +Underlying security’s CouponPaymentDate. See CouponPaymentDate (224) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +242 +UnderlyingIssueDate +LocalMktDate +Underlying security’s IssueDate. See IssueDate (225) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +243 +UnderlyingRepoCollateralSecurityType +int +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Underlying security’s RepoCollateralSecurityType. See RepoCollateralSecurityType (239) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +244 +UnderlyingRepurchaseTerm +int +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Underlying security’s RepurchaseTerm. See RepurchaseTerm (226) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +245 +UnderlyingRepurchaseRate +Percentage +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Underlying security’s RepurchaseRate. See RepurchaseRate (227) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +246 +UnderlyingFactor +float +Underlying security’s Factor. See Factor (228) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +247 +UnderlyingRedemptionDate +LocalMktDate +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Underlying security’s RedemptionDate. See RedemptionDate (240) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +248 +LegCouponPaymentDate +LocalMktDate +Multileg instrument's individual leg security’s CouponPaymentDate. See CouponPaymentDate (224) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +249 +LegIssueDate +LocalMktDate +Multileg instrument's individual leg security’s IssueDate. See IssueDate (225) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +250 +LegRepoCollateralSecurityType +int +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Multileg instrument's individual leg security’s RepoCollateralSecurityType. See RepoCollateralSecurityType (239) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +251 +LegRepurchaseTerm +int +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Multileg instrument's individual leg security’s RepurchaseTerm. See RepurchaseTerm (226) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +252 +LegRepurchaseRate +Percentage +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Multileg instrument's individual leg security’s RepurchaseRate. See RepurchaseRate (227) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +253 +LegFactor +float +Multileg instrument's individual leg security’s Factor. See Factor (228) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +254 +LegRedemptionDate +LocalMktDate +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Multileg instrument's individual leg security’s RedemptionDate. See RedemptionDate (240) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +255 +CreditRating +String +An evaluation of a company's ability to repay obligations or its likelihood of not defaulting. These evaluation are provided by Credit Rating Agencies, i.e. S&P, Moody's. (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +256 +UnderlyingCreditRating +String +Underlying security’s CreditRating. See CreditRating (255) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +257 +LegCreditRating +String +Multileg instrument's individual leg security’s CreditRating. See CreditRating (255) field for description (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +258 +TradedFlatSwitch +Boolean +Driver and part of trade in the event that the Security Master file was wrong at the point of entry Valid Values: Y = Traded Flat N = Not Traded Flat (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +259 +BasisFeatureDate +LocalMktDate +BasisFeatureDate allows requesting firms within fixed income the ability to request an alternative yield-to-worst, -maturity, -extended or other call. This flows through the confirm process. (Note tag # was reserved in FIX 4., added in FIX 4.3) (prior to FIX 4.4 field was of type UTCDate) + + +260 +BasisFeaturePrice +Price +Price for BasisFeatureDate. See BasisFeatureDate (259) (Note tag # was reserved in FIX 4., added in FIX 4.3) + + +261 +Reserved/Allocated to the Fixed Income proposal + + + + +262 +MDReqID +String +Unique identifier for Market Data Request + + +263 +SubscriptionRequestType +char +Subscription Request Type Valid values: 0 = Snapshot = Snapshot + Updates (Subscribe) 2 = Disable previous Snapshot + Update Request (Unsubscribe) + + +264 +MarketDepth +int +Depth of market for Book Snapshot Valid values: 0 = Full Book = Top of Book N> = Report best N price tiers of data + + +265 +MDUpdateType +int +Specifies the type of Market Data update. Valid values: 0 = Full Refresh = Incremental Refresh + + +266 +AggregatedBook +Boolean +Specifies whether or not book entries should be aggregated. Valid values: Y = one book entry per side per price N = Multiple entries per side per price allowed (Not specified) = broker option + + +267 +NoMDEntryTypes +NumInGroup +Number of MDEntryType (269) fields requested. + + +268 +NoMDEntries +NumInGroup +Number of entries in Market Data message. + + +269 +MDEntryType +char +Type Market Data entry. Valid values: 0 = Bid = Offer 2 = Trade 3 = Index Value 4 = Opening Price 5 = Closing Price 6 = Settlement Price 7 = Trading Session High Price 8 = Trading Session Low Price 9 = Trading Session VWAP Price A = Imbalance B = Trade Volume C = Open Interest + + +270 +MDEntryPx +Price +Price of the Market Data Entry. + + +271 +MDEntrySize +Qty +Quantity or volume represented by the Market Data Entry. + + +272 +MDEntryDate +UTCDateOnly +Date of Market Data Entry. (prior to FIX 4.4 field was of type UTCDate) + + +273 +MDEntryTime +UTCTimeOnly +Time of Market Data Entry. + + +274 +TickDirection +char +Direction of the "tick". Valid values: 0 = Plus Tick = Zero-Plus Tick 2 = Minus Tick 3 = Zero-Minus Tick + + +275 +MDMkt +Exchange +Market posting quote / trade. Valid values: See "Appendix 6-C" + + +276 +QuoteCondition +MultipleValueString +Space-delimited list of conditions describing a quote. Valid values: A = Open / Active B = Closed / Inactive C = Exchange Best D = Consolidated Best E = Locked F = Crossed G = Depth H = Fast Trading I = Non-Firm + + +277 +TradeCondition +MultipleValueString +Space-delimited list of conditions describing a trade Valid values: A = Cash (only) Market B = Average Price Trade C = Cash Trade (same day clearing) D = Next Day (only) Market E = Opening / Reopening Trade Detail F = Intraday Trade Detail G = Rule 27 Trade (NYSE) H = Rule 55 Trade (Amex) I = Sold Last (late reporting) J = Next Day Trade (next day clearing) K = Opened (late report of opened trade) L = Seller M = Sold (out of sequence) N = Stopped Stock (guarantee of price but does not execute the order) P = Imbalance More Buyers (Cannot be used in combination with Q) Q = Imbalance More Sellers (Cannot be used in combination with P) R = Opening Price + + +278 +MDEntryID +String +Unique Market Data Entry identifier. + + +279 +MDUpdateAction +char +Type of Market Data update action. Valid values: 0 = New = Change 2 = Delete + + +280 +MDEntryRefID +String +Refers to a previous MDEntryID (278). + + +281 +MDReqRejReason +char +Reason for the rejection of a Market Data request. Valid values: 0 = Unknown symbol = Duplicate MDReqID 2 = Insufficient Bandwidth 3 = Insufficient Permissions 4 = Unsupported SubscriptionRequestType 5 = Unsupported MarketDepth 6 = Unsupported MDUpdateType 7 = Unsupported AggregatedBook 8 = Unsupported MDEntryType 9 = Unsupported TradingSessionID A = Unsupported Scope B = Unsupported OpenCloseSettleFlag C = Unsupported MDImplicitDelete + + +282 +MDEntryOriginator +String +Originator of a Market Data Entry + + +283 +LocationID +String +Identification of a Market Maker’s location + + +284 +DeskID +String +Identification of a Market Maker’s desk + + +285 +DeleteReason +char +Reason for deletion. Valid values: 0 = Cancelation / Trade Bust = Error + + +286 +OpenCloseSettlFlag +MultipleValueString +Flag that identifies a market data entry. Valid values: 0 = Daily Open / Close / Settlement entry = Session Open / Close / Settlement entry 2 = Delivery Settlement entry 3 = Expected entry 4 = Entry from previous business day 5 = Theoretical Price value (Prior to FIX 4.3 this field was of type char) + + +287 +SellerDays +int +Specifies the number of days that may elapse before delivery of the security + + +288 +MDEntryBuyer +String +Buying party in a trade + + +289 +MDEntrySeller +String +Selling party in a trade + + +290 +MDEntryPositionNo +int +Display position of a bid or offer, numbered from most competitive to least competitive, per market side, beginning with . + + +291 +FinancialStatus +MultipleValueString +Identifies a firm’s financial status. Valid values: = Bankrupt 2 = Pending delisting + + +292 +CorporateAction +MultipleValueString +Identifies the type of Corporate Action. Valid values: A = Ex-Dividend B = Ex-Distribution C = Ex-Rights D = New E = Ex-Interest + + +293 +DefBidSize +Qty +Default Bid Size. + + +294 +DefOfferSize +Qty +Default Offer Size. + + +295 +NoQuoteEntries +NumInGroup +The number of quote entries for a QuoteSet. + + +296 +NoQuoteSets +NumInGroup +The number of sets of quotes in the message. + + +297 +QuoteStatus +int +Identifies the status of the quote acknowledgement. Valid values: 0 = Accepted = Canceled for Symbol(s) 2 = Canceled for Security Type(s) 3 = Canceled for Underlying 4 = Canceled All 5 = Rejected 6 = Removed from Market 7 = Expired 8 = Query 9 = Quote Not Found 0 = Pending = Pass 2 = Locked Market Warning 3 = Cross Market Warning 4 = Canceled due to lock market 5 = Canceled due to cross market + + +298 +QuoteCancelType +int +Identifies the type of quote cancel. Valid Values: = Cancel for Symbol(s) 2 = Cancel for Security Type(s) 3 = Cancel for Underlying Symbol 4 = Cancel All Quotes + + +299 +QuoteEntryID +String +Uniquely identifies the quote as part of a QuoteSet. + + +300 +QuoteRejectReason +int +Reason Quote was rejected: Valid Values: = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote Request exceeds limit 4 = Too late to enter 5 = Unknown Quote 6 = Duplicate Quote 7 = Invalid bid/ask spread 8 = Invalid price 9 = Not authorized to quote security 99 = Other + + +301 +QuoteResponseLevel +int +Level of Response requested from receiver of quote messages. Valid Values: 0 = No Acknowledgement (Default) = Acknowledge only negative or erroneous quotes 2 = Acknowledge each quote messages + + +302 +QuoteSetID +String +Unique id for the Quote Set. + + +303 +QuoteRequestType +int +Indicates the type of Quote Request being generated Valid values: = Manual 2 = Automatic + + +304 +TotNoQuoteEntries +int +Total number of quotes for the quote set across all messages. Should be the sum of all NoQuoteEntries (295) in each message that has repeating quotes that are part of the same quote set. (Prior to FIX 4.4 this field was named TotQuoteEntries) + + +305 +UnderlyingSecurityIDSource +String +Underlying security’s SecurityIDSource. Valid values: see SecurityIDSource (22) field + + +306 +UnderlyingIssuer +String +Underlying security’s Issuer. See Issuer (06) field for description + + +307 +UnderlyingSecurityDesc +String +Underlying security’s SecurityDesc. See SecurityDesc (07) field for description + + +308 +UnderlyingSecurityExchange +Exchange +Underlying security’s SecurityExchange. Can be used to identify the underlying security. Valid values: see SecurityExchange (207) + + +309 +UnderlyingSecurityID +String +Underlying security’s SecurityID. See SecurityID (48) field for description + + +310 +UnderlyingSecurityType +String +Underlying security’s SecurityType. Valid values: see SecurityType (67) field (see below for details concerning this fields use in conjunction with SecurityType=REPO) The following applies when used in conjunction with SecurityType=REPO Represents the general or specific type of security that underlies a financing agreement Valid values for SecurityType=REPO: TREASURY = Federal government or treasury PROVINCE = State, province, region, etc. AGENCY = Federal agency MORTGAGE = Mortgage passthrough CP = Commercial paper CORP = Corporate EQUITY = Equity SUPRA = Supra-national agency CASH If bonds of a particular issuer or country are wanted in an Order or are in the basket of an Execution and the SecurityType is not granular enough, include the UnderlyingIssuer (306), UnderlyingCountryOfIssue (592), UnderlyingProgram, UnderlyingRegType and/or <UnderlyingStipulations> block e.g.: SecurityType=REPO UnderlyingSecurityType=MORTGAGE UnderlyingIssuer=GNMA or SecurityType=REPO UnderlyingSecurityType=AGENCY UnderlyingIssuer=CA Housing Trust UnderlyingCountryOfIssue=CA or SecurityType=REPO UnderlyingSecurityType=CORP UnderlyingNoStipulations= UnderlyingStipulationType=RATING UnderlyingStipulationValue=>bbb- + + +311 +UnderlyingSymbol +String +Underlying security’s Symbol. See Symbol (55) field for description + + +312 +UnderlyingSymbolSfx +String +Underlying security’s SymbolSfx. See SymbolSfx (65) field for description + + +313 +UnderlyingMaturityMonthYear +month-year +Underlying security’s MaturityMonthYear. Can be used with standardized derivatives vs. the UnderlyingMaturityDate (542) field. See MaturityMonthYear (200) field for description + + +314 +UnderlyingMaturityDay +day-of-month +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Underlying security’s MaturityDay. See MaturityDay field for description + + +315 +UnderlyingPutOrCall +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Underlying security’s PutOrCall. See PutOrCall field for description + + +316 +UnderlyingStrikePrice +Price +Underlying security’s StrikePrice. See StrikePrice (202) field for description + + +317 +UnderlyingOptAttribute +char +Underlying security’s OptAttribute. See OptAttribute (206) field for description + + +318 +UnderlyingCurrency +Currency +Underlying security’s Currency. See Currency (5) field for description and valid values + + +319 +RatioQty +Qty +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Quantity of a particular leg in the security. + + +320 +SecurityReqID +String +Unique ID of a Security Definition Request. + + +321 +SecurityRequestType +int +Type of Security Definition Request. Valid values: 0 = Request Security identity and specifications = Request Security identity for the specifications provided (Name of the security is not supplied) 2 = Request List Security Types 3 = Request List Securities (Can be qualified with Symbol, SecurityType, TradingSessionID, SecurityExchange. If provided then only list Securities for the specific type) + + +322 +SecurityResponseID +String +Unique ID of a Security Definition message. + + +323 +SecurityResponseType +int +Type of Security Definition message response. Valid values: = Accept security proposal as is 2 = Accept security proposal with revisions as indicated in the message 3 = List of security types returned per request 4 = List of securities returned per request 5 = Reject security proposal 6 = Can not match selection criteria + + +324 +SecurityStatusReqID +String +Unique ID of a Security Status Request message. + + +325 +UnsolicitedIndicator +Boolean +Indicates whether or not message is being sent as a result of a subscription request or not. Valid values: Y = Message is being sent unsolicited N = Message is being sent as a result of a prior request + + +326 +SecurityTradingStatus +int +Identifies the trading status applicable to the transaction. Valid values: = Opening Delay 2 = Trading Halt 3 = Resume 4 = No Open/No Resume 5 = Price Indication 6 = Trading Range Indication 7 = Market Imbalance Buy 8 = Market Imbalance Sell 9 = Market On Close Imbalance Buy 0 = Market On Close Imbalance Sell = (not assigned) 2 = No Market Imbalance 3 = No Market On Close Imbalance 4 = ITS Pre-Opening 5 = New Price Indication 6 = Trade Dissemination Time 7 = Ready to trade (start of session) 8 = Not Available for trading (end of session) 9 = Not Traded on this Market 20 = Unknown or Invalid 2 = Pre-Open 22 = Opening Rotation 23 = Fast Market + + +327 +HaltReason +char +Denotes the reason for the Opening Delay or Trading Halt. Valid values: I = Order Imbalance X = Equipment Changeover P = News Pending D = News Dissemination E = Order Influx M = Additional Information + + +328 +InViewOfCommon +Boolean +Indicates whether or not the halt was due to Common Stock trading being halted. Valid values: Y = Halt was due to common stock being halted N = Halt was not related to a halt of the common stock + + +329 +DueToRelated +Boolean +Indicates whether or not the halt was due to the Related Security being halted. Valid values: Y = Halt was due to related security being halted N = Halt was not related to a halt of the related security + + +330 +BuyVolume +Qty +Quantity bought. + + +331 +SellVolume +Qty +Quantity sold. + + +332 +HighPx +Price +Represents an indication of the high end of the price range for a security prior to the open or reopen + + +333 +LowPx +Price +Represents an indication of the low end of the price range for a security prior to the open or reopen + + +334 +Adjustment +int +Identifies the type of adjustment. Valid values: = Cancel 2 = Error 3 = Correction + + +335 +TradSesReqID +String +Unique ID of a Trading Session Status message. + + +336 +TradingSessionID +String +Identifier for Trading Session Can be used to represent a specific market trading session (e.g. “PRE-OPEN", "CROSS_2", "AFTER-HOURS", "TOSTNET", "TOSTNET2", etc). To specify good for session where session spans more than one calendar day, use TimeInForce = Day in conjunction with TradingSessionID. Values should be bi-laterally agreed to between counterparties. Firms may register Trading Session values on the FIX website (presently a document maintained within “ECN and Exchanges” working group section). + + +337 +ContraTrader +String +Identifies the trader (e.g. "badge number") of the ContraBroker. + + +338 +TradSesMethod +int +Method of trading Valid values: = Electronic 2 = Open Outcry 3 = Two Party + + +339 +TradSesMode +int +Trading Session Mode Valid values: = Testing 2 = Simulated 3 = Production + + +340 +TradSesStatus +int +State of the trading session. Valid values: 0 = Unknown = Halted 2 = Open 3 = Closed 4 = Pre-Open 5 = Pre-Close 6 = Request Rejected + + +341 +TradSesStartTime +UTCTimestamp +Starting time of the trading session + + +342 +TradSesOpenTime +UTCTimestamp +Time of the opening of the trading session + + +343 +TradSesPreCloseTime +UTCTimestamp +Time of the pre-closed of the trading session + + +344 +TradSesCloseTime +UTCTimestamp +Closing time of the trading session + + +345 +TradSesEndTime +UTCTimestamp +End time of the trading session + + +346 +NumberOfOrders +int +Number of orders in the market. + + +347 +MessageEncoding +String +Type of message encoding (non-ASCII (non-English) characters) used in a message’s “Encoded” fields. Valid values: ISO-2022-JP (for using JIS) EUC-JP (for using EUC) Shift_JIS (for using SJIS) UTF-8 (for using Unicode) + + +348 +EncodedIssuerLen +Length +Byte length of encoded (non-ASCII characters) EncodedIssuer (349) field. +349 + + +349 +EncodedIssuer +data +Encoded (non-ASCII characters) representation of the Issuer field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the Issuer field. + + +350 +EncodedSecurityDescLen +Length +Byte length of encoded (non-ASCII characters) EncodedSecurityDesc (35) field. +351 + + +351 +EncodedSecurityDesc +data +Encoded (non-ASCII characters) representation of the SecurityDesc (07) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the SecurityDesc field. + + +352 +EncodedListExecInstLen +Length +Byte length of encoded (non-ASCII characters) EncodedListExecInst (353) field. +353 + + +353 +EncodedListExecInst +data +Encoded (non-ASCII characters) representation of the ListExecInst (69) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the ListExecInst field. + + +354 +EncodedTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedText (355) field. +355 + + +355 +EncodedText +data +Encoded (non-ASCII characters) representation of the Text (58) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the Text field. + + +356 +EncodedSubjectLen +Length +Byte length of encoded (non-ASCII characters) EncodedSubject (357) field. +357 + + +357 +EncodedSubject +data +Encoded (non-ASCII characters) representation of the Subject (47) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the Subject field. + + +358 +EncodedHeadlineLen +Length +Byte length of encoded (non-ASCII characters) EncodedHeadline (359) field. +359 + + +359 +EncodedHeadline +data +Encoded (non-ASCII characters) representation of the Headline (48) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the Headline field. + + +360 +EncodedAllocTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedAllocText (36) field. +361 + + +361 +EncodedAllocText +data +Encoded (non-ASCII characters) representation of the AllocText (6) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the AllocText field. + + +362 +EncodedUnderlyingIssuerLen +Length +Byte length of encoded (non-ASCII characters) EncodedUnderlyingIssuer (363) field. +363 + + +363 +EncodedUnderlyingIssuer +data +Encoded (non-ASCII characters) representation of the UnderlyingIssuer (306) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the UnderlyingIssuer field. + + +364 +EncodedUnderlyingSecurityDescLen +Length +Byte length of encoded (non-ASCII characters) EncodedUnderlyingSecurityDesc (365) field. +365 + + +365 +EncodedUnderlyingSecurityDesc +data +Encoded (non-ASCII characters) representation of the UnderlyingSecurityDesc (307) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the UnderlyingSecurityeDesc field. + + +366 +AllocPrice +Price +Executed price for an AllocAccount (79) entry used when using “executed price” vs. “average price” allocations (e.g. Japan). + + +367 +QuoteSetValidUntilTime +UTCTimestamp +Indicates expiration time of this particular QuoteSet (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +368 +QuoteEntryRejectReason +int +Reason Quote Entry was rejected: Valid values: = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote exceeds limit 4 = Too late to enter 5 = Unknown Quote 6 = Duplicate Quote 7 = Invalid bid/ask spread 8 = Invalid price 9 = Not authorized to quote security 99 = Other + + +369 +LastMsgSeqNumProcessed +SeqNum +The last MsgSeqNum (34) value received by the FIX engine and processed by downstream application, such as trading engine or order routing system. Can be specified on every message sent. Useful for detecting a backlog with a counterparty. + + +370 +OnBehalfOfSendingTime +UTCTimestamp +No longer used as of FIX.4.4. Included here for reference to prior versions. Used when a message is sent via a “hub” or “service bureau”. If A sends to Q (the hub) who then sends to B via a separate FIX session, then when Q sends to B the value of this field should represent the SendingTime on the message A sent to Q. (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +371 +RefTagID +int +The tag number of the FIX field being referenced. + + +372 +RefMsgType +String +The MsgType (35) of the FIX message being referenced. + + +373 +SessionRejectReason +int +Code to identify reason for a session-level Reject message. Valid values: 0 = Invalid tag number = Required tag missing 2 = Tag not defined for this message type 3 = Undefined Tag 4 = Tag specified without a value 5 = Value is incorrect (out of range) for this tag 6 = Incorrect data format for value 7 = Decryption problem 8 = Signature problem 9 = CompID problem 0 = SendingTime accuracy problem = Invalid MsgType 2 = XML Validation error 3 = Tag appears more than once 4 = Tag specified out of required order 5 = Repeating group fields out of order 6 = Incorrect NumInGroup count for repeating group 7 = Non “data” value includes field delimiter (SOH character) 99 = Other + + +374 +BidRequestTransType +char +Identifies the Bid Request message type. Valid values: N = New C = Cancel + + +375 +ContraBroker +String +Identifies contra broker. Standard NASD market-maker mnemonic is preferred. + + +376 +ComplianceID +String +ID used to represent this transaction for compliance purposes (e.g. OATS reporting). + + +377 +SolicitedFlag +Boolean +Indicates whether or not the order was solicited. Valid values: Y = Was solcitied N = Was not solicited + + +378 +ExecRestatementReason +int +Code to identify reason for an ExecutionRpt message sent with ExecType=Restated or used when communicating an unsolicited cancel. Valid values: 0 = GT Corporate action = GT renewal / restatement (no corporate action) 2 = Verbal change 3 = Repricing of order 4 = Broker option 5 = Partial decline of OrderQty (e.g. exchange-initiated partial cancel) 6 = Cancel on Trading Halt 7 = Cancel on System Failure 8 = Market (Exchange) Option 9 = Canceled, Not Best 0 = Warehouse recap 99 = Other + + +379 +BusinessRejectRefID +String +The value of the business-level “ID” field on the message being referenced. + + +380 +BusinessRejectReason +int +Code to identify reason for a Business Message Reject message. Valid values: 0 = Other = Unkown ID 2 = Unknown Security 3 = Unsupported Message Type 4 = Application not available 5 = Conditionally Required Field Missing 6 = Not authorized 7 = DeliverTo firm not available at this time + + +381 +GrossTradeAmt +Amt +Total amount traded (e.g. CumQty (4) * AvgPx (6)) expressed in units of currency. + + +382 +NoContraBrokers +NumInGroup +The number of ContraBroker (375) entries. + + +383 +MaxMessageSize +Length +Maximum number of bytes supported for a single message. + + +384 +NoMsgTypes +NumInGroup +Number of MsgTypes (35) in repeating group. + + +385 +MsgDirection +char +Specifies the direction of the messsage. Valid values: S = Send R = Receive + + +386 +NoTradingSessions +NumInGroup +Number of TradingSessionIDs (336) in repeating group. + + +387 +TotalVolumeTraded +Qty +Total volume (quantity) traded. + + +388 +DiscretionInst +char +Code to identify the price a DiscretionOffsetValue (389) is related to and should be mathematically added to. Valid values: 0 = Related to displayed price = Related to market price 2 = Related to primary price 3 = Related to local primary price 4 = Related to midpoint price 5 = Related to last trade price 6 = Related to VWAP + + +389 +DiscretionOffsetValue +float +Amount (signed) added to the “related to” price specified via DiscretionInst (388), in the context of DiscretionOffsetType (842) (Prior to FIX 4.4 this field was of type PriceOffset) + + +390 +BidID +String +Unique identifier for Bid Response as assigned by sell-side (broker, exchange, ECN). Uniqueness must be guaranteed within a single trading day. + + +391 +ClientBidID +String +Unique identifier for a Bid Request as assigned by institution. Uniqueness must be guaranteed within a single trading day. + + +392 +ListName +String +Descriptive name for list order. + + +393 +TotNoRelatedSym +int +Total number of securities. (Prior to FIX 4.4 this field was named TotalNumSecurities) + + +394 +BidType +int +Code to identify the type of Bid Request. Valid values: = “Non Disclosed” Style (e.g. US/European) 2 = “Disclosed” Style (e.g. Japanese) 3 = No Bidding Process + + +395 +NumTickets +int +Total number of tickets. + + +396 +SideValue1 +Amt +Amounts in currency + + +397 +SideValue2 +Amt +Amounts in currency + + +398 +NoBidDescriptors +NumInGroup +Number of BidDescriptor (400) entries. + + +399 +BidDescriptorType +int +Code to identify the type of BidDescriptor (400). Valid values: = Sector 2 = Country 3 = Index + + +400 +BidDescriptor +String +BidDescriptor value. Usage depends upon BidDescriptorTyp (399). If BidDescriptorType = Industrials etc - Free text If BidDescriptorType =2 "FR" etc - ISO Country Codes If BidDescriptorType =3 FT00, FT250, STOX - Free text + + +401 +SideValueInd +int +Code to identify which "SideValue" the value refers to. SideValue and SideValue2 are used as opposed to Buy or Sell so that the basket can be quoted either way as Buy or Sell. Valid values: = SideValue 2 = SideValue 2 + + +402 +LiquidityPctLow +Percentage +Liquidity indicator or lower limit if TotalNumSecurities (393) > . Represented as a percentage. + + +403 +LiquidityPctHigh +Percentage +Upper liquidity indicator if TotalNumSecurities (393) > . Represented as a percentage. + + +404 +LiquidityValue +Amt +Value between LiquidityPctLow (402) and LiquidityPctHigh (403) in Currency + + +405 +EFPTrackingError +Percentage +Eg Used in EFP trades 2% (EFP – Exchange for Physical ). Represented as a percentage. + + +406 +FairValue +Amt +Used in EFP trades + + +407 +OutsideIndexPct +Percentage +Used in EFP trades. Represented as a percentage. + + +408 +ValueOfFutures +Amt +Used in EFP trades + + +409 +LiquidityIndType +int +Code to identify the type of liquidity indicator. Valid values: = 5day moving average 2 = 20 day moving average 3 = Normal Market Size 4 = Other + + +410 +WtAverageLiquidity +Percentage +Overall weighted average liquidity expressed as a % of average daily volume. Represented as a percentage. + + +411 +ExchangeForPhysical +Boolean +Indicates whether or not to exchange for phsyical. Valid values: Y = True N = False + + +412 +OutMainCntryUIndex +Amt +Value of stocks in Currency + + +413 +CrossPercent +Percentage +Percentage of program that crosses in Currency. Represented as a percentage. + + +414 +ProgRptReqs +int +Code to identify the desired frequency of progress reports. Valid values: = BuySide explicitly requests status using StatusRequest (Default) The sell-side firm can however, send a DONE status List Status Response in an unsolicited fashion 2 = SellSide periodically sends status using ListStatus. Period optionally specified in ProgressPeriod 3 = Real-time execution reports (to be discouraged) + + +415 +ProgPeriodInterval +int +Time in minutes between each ListStatus report sent by SellSide. Zero means don’t send status. + + +416 +IncTaxInd +int +Code to represent whether value is net (inclusive of tax) or gross. Valid values: = Net 2 = Gross + + +417 +NumBidders +int +Indicates the total number of bidders on the list + + +418 +BidTradeType +char +Code to represent the type of trade. Valid values: R = Risk Trade G = VWAP Guarantee A = Agency J = Guaranteed Close (Prior to FIX 4.4 this field was named "TradeType") + + +419 +BasisPxType +char +Code to represent the basis price type. Valid values: 2 = Closing Price at morning session 3 = Closing Price 4 = Current price 5 = SQ 6 = VWAP through a day 7 = VWAP through a morning session 8 = VWAP through an afternoon session 9 = VWAP through a day except "YORI" (an opening auction) A = VWAP through a morning session except "YORI" (an opening auction) B = VWAP through an afternoon session except "YORI" (an opening auction) C = Strike D = Open Z = Others + + +420 +NoBidComponents +NumInGroup +Indicates the number of list entries. + + +421 +Country +Country +ISO Country Code in field + + +422 +TotNoStrikes +int +Total number of strike price entries across all messages. Should be the sum of all NoStrikes (428) in each message that has repeating strike price entries related to the same ListID (66). Used to support fragmentation. + + +423 +PriceType +int +Code to represent the price type. Valid values: = Percentage (e.g. percent of par) (often called "dollar price" for fixed income) 2 = Per unit (i.e. per share or contract) 3 = Fixed Amount (absolute value) 4 = Discount – percentage points below par 5 = Premium – percentage points over par 6 = Spread 7 = TED price 8 = TED yield 9 = Yield 0 = Fixed cabinet trade price (primarily for listed futures and options) = Variable cabinet trade price (primarily for listed futures and options) (For Financing transactions PriceType implies the “repo type” – Fixed or Floating – 9 (Yield) or 6 (Spread) respectively - and Price (44) gives the corresponding “repo rate”. See Volume : "Glossary" for further value definitions) + + +424 +DayOrderQty +Qty +For GT orders, the OrderQty (38) less all quantity (adjusted for stock splits) that traded on previous days. DayOrderQty (424) = OrderQty – (CumQty (4) – DayCumQty (425)) + + +425 +DayCumQty +Qty +Quantity on a GT order that has traded today. + + +426 +DayAvgPx +Price +The average price for quantity on a GT order that has traded today. + + +427 +GTBookingInst +int +Code to identify whether to book out executions on a part-filled GT order on the day of execution or to accumulate. Valid values: 0 = book out all trades on day of execution = accumulate executions until order is filled or expires 2 = accumulate until verbally notified otherwise + + +428 +NoStrikes +NumInGroup +Number of list strike price entries. + + +429 +ListStatusType +int +Code to represent the status type. Valid values: = Ack 2 = Response 3 = Timed 4 = ExecStarted 5 = AllDone 6 = Alert + + +430 +NetGrossInd +int +Code to represent whether value is net (inclusive of tax) or gross. Valid values: = Net 2 = Gross + + +431 +ListOrderStatus +int +Code to represent the status of a list order. Valid values: = InBiddingProcess 2 = ReceivedForExecution 3 = Executing 4 = Canceling 5 = Alert 6 = All Done 7 = Reject + + +432 +ExpireDate +LocalMktDate +Date of order expiration (last day the order can trade), always expressed in terms of the local market date. The time at which the order expires is determined by the local market’s business practices + + +433 +ListExecInstType +char +Identifies the type of ListExecInst (69). Valid values: = Immediate 2 = Wait for Execute Instruction (e.g. a List Execute message or phone call before proceeding with execution of the list) 3 = Exchange/switch CIV order – Sell driven 4 = Exchange/switch CIV order – Buy driven, cash top-up (i.e. additional cash will be provided to fulfil the order) 5 = Exchange/switch CIV order – Buy driven, cash withdraw (i.e. additional cash will not be provided to fulfil the order) + + +434 +CxlRejResponseTo +char +Identifies the type of request that a Cancel Reject is in response to. Valid values: = Order Cancel Request 2 = Order Cancel/Replace Request + + +435 +UnderlyingCouponRate +Percentage +Underlying security’s CouponRate. See CouponRate (223) field for description + + +436 +UnderlyingContractMultiplier +float +Underlying security’s ContractMultiplier. See ContractMultiplier (23) field for description + + +437 +ContraTradeQty +Qty +Quantity traded with the ContraBroker (375). + + +438 +ContraTradeTime +UTCTimestamp +Identifes the time of the trade with the ContraBroker (375). (always expressed in UTC (Universal Time Coordinated, also known as “GMT”) + + +439 +ClearingFirm +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Firm that will clear the trade. Used if different from the executing firm. + + +440 +ClearingAccount +String +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Supplemental accounting information forwared to clearing house/firm. + + +441 +LiquidityNumSecurities +int +Number of Securites between LiquidityPctLow (402) and LiquidityPctHigh (403) in Currency. + + +442 +MultiLegReportingType +char +Used to indicate what an Execution Report represents (e.g. used with multi-leg securities, such as option strategies, spreads, etc.). Valid Values: = Single Security (default if not specified) 2 = Individual leg of a multi-leg security 3 = Multi-leg security + + +443 +StrikeTime +UTCTimestamp +The time at which current market prices are used to determine the value of a basket. + + +444 +ListStatusText +String +Free format text string related to List Status. + + +445 +EncodedListStatusTextLen +Length +Byte length of encoded (non-ASCII characters) EncodedListStatusText (446) field. +446 + + +446 +EncodedListStatusText +data +Encoded (non-ASCII characters) representation of the ListStatusText (444) field in the encoded format specified via the MessageEncoding (347) field. If used, the ASCII (English) representation should also be specified in the ListStatusText field. + + +447 +PartyIDSource +char +Identifies class or source of the PartyID (448) value. Required if PartyID is specified. Note: applicable values depend upon PartyRole (452) specified. See “Appendix 6-G – Use of <Parties> Component Block” Valid values: Applicable to all PartyRoles unless otherwise specified: B = BIC (Bank Identification Code—Swift managed) code (ISO 9362 - See "Appendix 6-B") C = Generally accepted market participant identifier (e.g. NASD mnemonic) D = Proprietary/Custom code E = ISO Country Code F = Settlement Entity Location (note if Local Market Settlement use “E = ISO Country Code”) (see “Appendix 6-G” for valid values) G = MIC (ISO 0383 - Market Identifier Code) (See "Appendix 6-C") H = CSD participant/member code (e.g. Euroclear, DTC, CREST or Kassenverein number) For PartyRole="Investor ID" and for Equities: = Korean Investor ID 2 = Taiwanese Qualified Foreign Investor ID QFII / FID 3 = Taiwanese Trading Account 4 = Malaysian Central Depository (MCD) number 5 = Chinese B Share (Shezhen and Shanghai) See Volume 4: “Example Usage of PartyRole="Investor ID" ” For PartyRole="Investor ID" and for CIV: 6 = UK National Insurance or Pension Number 7 = US Social Security Number 8 = US Employer Identification Number 9 = Australian Business Number A = Australian Tax File Number For PartyRole="Broker of Credit": I = Directed broker three character acronym as defined in ISITC ‘ETC Best Practice’ guidelines document + + +448 +PartyID +String +Party identifier/code. See PartyIDSource (447) and PartyRole (452). See “Appendix 6-G – Use of <Parties> Component Block” + + +449 +TotalVolumeTradedDate +UTCDateOnly +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Date of TotalVolumeTraded (387). (prior to FIX 4.4 field was of type UTCDate) + + +450 +TotalVolumeTraded Time +UTCTimeOnly +No longer used as of FIX 4.4. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** Time of TotalVolumeTraded (387). + + +451 +NetChgPrevDay +PriceOffset +Net change from previous day’s closing price vs. last traded price. + + +452 +PartyRole +int +Identifies the type or role of the PartyID (448) specified. See “Appendix 6-G – Use of <Parties> Component Block” Valid values: = Executing Firm (formerly FIX 4.2 ExecBroker) 2 = Broker of Credit (formerly FIX 4.2 BrokerOfCredit) 3 = Client ID (formerly FIX 4.2 ClientID) 4 = Clearing Firm (formerly FIX 4.2 ClearingFirm) 5 = Investor ID 6 = Introducing Firm 7 = Entering Firm 8 = Locate/Lending Firm (for short-sales) 9 = Fund manager Client ID (for CIV) 0 = Settlement Location (formerly FIX 4.2 SettlLocation) = Order Origination Trader (associated with Order Origination Firm – e.g. trader who initiates/submits the order) 2 = Executing Trader (associated with Executing Firm - actually executes) 3 = Order Origination Firm (e.g. buyside firm) 4 = Giveup Clearing Firm (firm to which trade is given up) 5 = Correspondant Clearing Firm 6 = Executing System 7 = Contra Firm 8 = Contra Clearing Firm 9 = Sponsoring Firm 20 = Underlying Contra Firm 2 = Clearing Organization 22 = Exchange 24 = Customer Account 25 = Correspondent Clearing Organization 26 = Correspondent Broker 27 = Buyer/Seller (Receiver/Deliverer) 28 = Custodian 29 = Intermediary 30 = Agent 3 = Sub custodian 32 = Beneficiary 33 = Interested party 34 = Regulatory body 35 = Liquidity provider 36 = Entering Trader 37 = Contra Trader 38 = Position Account (see Volume : "Glossary" for value definitions) + + +453 +NoPartyIDs +NumInGroup +Number of PartyID (448), PartyIDSource (447), and PartyRole (452) entries + + +454 +NoSecurityAltID +NumInGroup +Number of SecurityAltID (455) entries. + + +455 +SecurityAltID +String +Alternate Security identifier value for this security of SecurityAltIDSource (456) type (e.g. CUSIP, SEDOL, ISIN, etc). Requires SecurityAltIDSource. + + +456 +SecurityAltIDSource +String +Identifies class or source of the SecurityAltID (455) value. Required if SecurityAltID is specified. Valid values: Same valid values as the SecurityIDSource (22) field + + +457 +NoUnderlyingSecurityAltID +NumInGroup +Number of UnderlyingSecurityAltID (458) entries. + + +458 +UnderlyingSecurityAltID +String +Alternate Security identifier value for this underlying security of UnderlyingSecurityAltIDSource (459) type (e.g. CUSIP, SEDOL, ISIN, etc). Requires UnderlyingSecurityAltIDSource. + + +459 +UnderlyingSecurityAltIDSource +String +Identifies class or source of the UnderlyingSecurityAltID (458) value. Required if UnderlyingSecurityAltID is specified. Valid values: Same valid values as the SecurityIDSource (22) field + + +460 +Product +int +Indicates the type of product the security is associated with. See also the CFICode (46) and SecurityType (67) fields. Valid values: = AGENCY 2 = COMMODITY 3 = CORPORATE 4 = CURRENCY 5 = EQUITY 6 = GOVERNMENT 7 = INDEX 8 = LOAN 9 = MONEYMARKET 0 = MORTGAGE = MUNICIPAL 2 = OTHER 3 = FINANCING + + +461 +CFICode +String +Indicates the type of security using ISO 0962 standard, Classification of Financial Instruments (CFI code) values. ISO 0962 is maintained by ANNA (Association of National Numbering Agencies) acting as Registration Authority. See "Appendix 6-B FIX Fields Based Upon Other Standards". See also the Product (460) and SecurityType (67) fields. It is recommended that CFICode be used instead of SecurityType (67) for non-Fixed Income instruments. A subset of possible values applicable to FIX usage are identified in "Appendix 6-D CFICode Usage - ISO 0962 Classification of Financial Instruments (CFI code)" + + +462 +UnderlyingProduct +int +Underlying security’s Product. Valid values: see Product(460) field + + +463 +UnderlyingCFICode +String +Underlying security’s CFICode. Valid values: see CFICode (46)field + + +464 +TestMessageIndicator +Boolean +Indicates whether or not this FIX Session is a “test” vs. “production” connection. Useful for preventing “accidents”. Valid values: Y = True (Test) N = False (Production) + + +465 +QuantityType +int +*** DEPRECATED FIELD - See " Appendix 6-E: Deprecated (Phased-out) Features and Supported Approach" *** Designates the type of quantities (e.g. OrderQty) specified. Used for MBS and TIPS Fixed Income security types. Valid values: = SHARES 2 = BONDS 3 = CURRENTFACE 4 = ORIGINALFACE 5 = CURRENCY 6 = CONTRACTS 7 = OTHER 8 = PAR (see “Volume – Glossary”) + + +466 +BookingRefID +String +Common reference passed to a post-trade booking process (e.g. industry matching utility). + + +467 +IndividualAllocID +String +Unique identifier for a specific NoAllocs (78) repeating group instance (e.g. for an AllocAccount). + + +468 +RoundingDirection +char +Specifies which direction to round For CIV – indicates whether or not the quantity of shares/units is to be rounded and in which direction where CashOrdQty (52) or (for CIV only) OrderPercent (56) are specified on an order. Valid values are: 0 = Round to nearest = Round down 2 = Round up The default is for rounding to be at the discretion of the executing broker or fund manager. e.g. for an order specifying CashOrdQty or OrderPercent if the calculated number of shares/units was 325.76 and RoundingModulus (469) was 0 – “round down” would give 320 units, “round up” would give 330 units and “round to nearest” would give 320 units. + + +469 +RoundingModulus +float +For CIV - a float value indicating the value to which rounding is required. i.e. 0 means round to a multiple of 0 units/shares; 0.5 means round to a multiple of 0.5 units/shares. The default, if RoundingDirection (468) is specified without RoundingModulus, is to round to a whole unit/share. + + +470 +CountryOfIssue +Country +ISO Country code of instrument issue (e.g. the country portion typically used in ISIN). Can be used in conjunction with non-ISIN SecurityID (48) (e.g. CUSIP for Municipal Bonds without ISIN) to provide uniqueness. + + +471 +StateOrProvinceOfIssue +String +A two-character state or province abbreviation. + + +472 +LocaleOfIssue +String +Identifies the locale. For Municipal Security Issuers other than state or province. Refer to http://www.atmos.albany.edu/cgi/stagrep-cgi Reference the IATA city codes for values. Note IATA (International Air Transport Association) maintains the codes at www.iata.org. + + +473 +NoRegistDtls +NumInGroup +The number of registration details on a Registration Instructions message + + +474 +MailingDtls +String +Set of Correspondence address details, possibly including phone, fax, etc. + + +475 +InvestorCountryOfResidence +Country +The ISO 366 Country code (2 character) identifying which country the beneficial investor is resident for tax purposes. + + +476 +PaymentRef +String +“Settlement Payment Reference” – A free format Payment reference to assist with reconciliation, e.g. a Client and/or Order ID number. + + +477 +DistribPaymentMethod +int +A code identifying the payment method for a (fractional) distribution. = CREST 2 = NSCC 3 = Euroclear 4 = Clearstream 5 = Cheque 6 = Telegraphic Transfer 7 = FedWire 8 = Direct Credit (BECS, BACS) 9 = ACH Credit 0 = BPAY = High Value Clearing System (HVACS) 2 = Reinvest in fund 3 through 998 are reserved for future use Values above 000 are available for use by private agreement among counterparties + + +478 +CashDistribCurr +Currency +Specifies currency to be use for Cash Distributions– see "Appendix 6-A; Valid Currency Codes". + + +479 +CommCurrency +Currency +Specifies currency to be use for Commission (2) if the Commission currency is different from the Deal Currency - see "Appendix 6-A; Valid Currency Codes". + + +480 +CancellationRights +char +For CIV – A one character code identifying whether Cancellation rights/Cooling off period applies. Valid values are: Y = Yes N = No – execution only M = No – waiver agreement O = No – institutional. + + +481 +MoneyLaunderingStatus +char +A one character code identifying Money laundering status. Valid values: Y = Passed N = Not checked = Exempt – Below The Limit 2 = Exempt – Client Money Type Exemption 3 = Exempt – Authorised Credit or Financial Institution. + + +482 +MailingInst +String +Free format text to specify mailing instruction requirements, e.g. "no third party mailings". + + +483 +TransBkdTime +UTCTimestamp +For CIV A date and time stamp to indicate the time a CIV order was booked by the fund manager. + + +484 +ExecPriceType +char +For CIV - Identifies how the execution price LastPx (3) was calculated from the fund unit/share price(s) calculated at the fund valuation point. Valid values are: + B = Bid price + C = Creation price + D = Creation price plus adjustment % + E = Creation price plus adjustment amount + O = Offer price + P = Offer price minus adjustment % + Q = Offer price minus adjustment amount + S = Single price + + +485 +ExecPriceAdjustment +float +For CIV the amount or percentage by which the fund unit/share price was adjusted, as indicated by ExecPriceType (484) + + +486 +DateOfBirth +LocalMktDate +The date of birth applicable to the individual, e.g. required to open some types of tax-exempt account. + + +487 +TradeReportTransType +int +Identifies Trade Report message transaction type Valid values: 0 = New = Cancel 2 = Replace 3 = Release 4 = Reverse (Prior to FIX 4.4 this field was of type char) + + +488 +CardHolderName +String +The name of the payment card holder as specified on the card being used for payment. + + +489 +CardNumber +String +The number of the payment card as specified on the card being used for payment. + + +490 +CardExpDate +LocalMktDate +The expiry date of the payment card as specified on the card being used for payment. + + +491 +CardIssNum +String +The issue number of the payment card as specified on the card being used for payment. This is only applicable to certain types of card. + + +492 +PaymentMethod +int +A code identifying the Settlement payment method. = CREST 2 = NSCC 3 = Euroclear 4 = Clearstream 5 = Cheque 6 = Telegraphic Transfer 7 = FedWire 8 = Debit Card 9 = Direct Debit (BECS) 0 = Direct Credit (BECS) = Credit Card 2 = ACH Debit 3 = ACH Credit 4 = BPAY 5 = High Value Clearing System (HVACS) 6 through 998 are reserved for future use Values above 000 are available for use by private agreement among counterparties + + +493 +RegistAcctType +String +For CIV – a fund manager-defined code identifying which of the fund manager’s account types is required. + + +494 +Designation +String +Free format text defining the designation to be associated with a holding on the register. Used to identify assets of a specific underlying investor using a common registration, e.g. a broker’s nominee or street name. + + +495 +TaxAdvantageType +int +For CIV - a code identifying the type of tax exempt account in which purchased shares/units are to be held. 0=None/Not Applicable (default) = Maxi ISA (UK) 2 = TESSA (UK) 3 = Mini Cash ISA (UK) 4 = Mini Stocks and Shares ISA (UK) 5 = Mini Insurance ISA (UK) 6 = Current year payment (US) 7 = Prior year payment (US) 8 = Asset transfer (US) 9 = Employee - prior year (US) 0 = Employee – current year (US) = Employer - prior year (US) 2 = Employer – current year (US) 3 = Non-fund prototype IRA (US) 4 = Non-fund qualified plan (US) 5 = Defined contribution plan (US) 6 = Individual Retirement Account (US) 7 = Individual Retirement Account – Rollover (US) 8 = KEOGH (US) 9 = Profit Sharing Plan (US) 20 = 40K (US) 2 = Self-Directed IRA (US) 22 = 403(b) (US) 23 = 457 (US) 24 = Roth IRA (fund prototype) (US) 25 = Roth IRA (non-prototype) (US) 26 = Roth Conversion IRA (fund prototype) (US) 27 = Roth Conversion IRA (non-prototype) (US) 28 = Education IRA (fund prototype) (US) 29 = Education IRA (non-prototype) (US) 30 – 998 are reserved for future use by recognized taxation authorities 999=Other values above 000 are available for use by private agreement among counterparties + + +496 +RegistRejReasonText +String +Text indicating reason(s) why a Registration Instruction has been rejected. + + +497 +FundRenewWaiv +char +A one character code identifying whether the Fund based renewal commission is to be waived. Valid values are: Y = Yes N = No + + +498 +CashDistribAgentName +String +Name of local agent bank if for cash distributions + + +499 +CashDistribAgentCode +String +BIC (Bank Identification Code--Swift managed) code of agent bank for cash distributions + + +500 +CashDistribAgentAcctNumber +String +Account number at agent bank for distributions. + + +501 +CashDistribPayRef +String +Free format Payment reference to assist with reconciliation of distributions. + + +502 +CashDistribAgentAcctName +String +Name of account at agent bank for distributions. + + +503 +CardStartDate +LocalMktDate +The start date of the card as specified on the card being used for payment. + + +504 +PaymentDate +LocalMktDate +The date written on a cheque or date payment should be submitted to the relevant clearing system. + + +505 +PaymentRemitterID +String +Identifies sender of a payment, e.g. the payment remitter or a customer reference number. + + +506 +RegistStatus +char +Registration status as returned by the broker or (for CIV) the fund manager: A = Accepted R = Rejected H = Held N = Reminder – i.e. Registration Instructions are still outstanding + + +507 +RegistRejReasonCode +int +Reason(s) why Registration Instructions has been rejected. +Possible values of reason code include: = Invalid/unacceptable Account Type +2 = Invalid/unacceptable Tax Exempt Type +3 = Invalid/unacceptable Ownership Type +4 = Invalid/unacceptable No Reg Detls +5 = Invalid/unacceptable Reg Seq No +6 = Invalid/unacceptable Reg Dtls +7 = Invalid/unacceptable Mailing Dtls +8 = Invalid/unacceptable Mailing Inst +9 = Invalid/unacceptable Investor ID +0 = Invalid/unacceptable Investor ID Source + = Invalid/unacceptable Date of Birth +2 = Invalid/unacceptable Investor Country Of Residence +3 = Invalid/unacceptable NoDistribInstns +4 = Invalid/unacceptable Distrib Percentage +5 = Invalid/unacceptable Distrib Payment Method +6 = Invalid/unacceptable Cash Distrib Agent Acct Name +7 = Invalid/unacceptable Cash Distrib Agent Code +8 = Invalid/unacceptable Cash Distrib Agent Acct Num 99 = Other The reason may be further amplified in the RegistRejReasonCode field. + + +508 +RegistRefID +String +Reference identifier for the RegistID (53) with Cancel and Replace RegistTransType (54) transaction types. + + +509 +RegistDtls +String +Set of Registration name and address details, possibly including phone, fax etc. + + +510 +NoDistribInsts +NumInGroup +The number of Distribution Instructions on a Registration Instructions message + + +511 +RegistEmail +String +Email address relating to Registration name and address details + + +512 +DistribPercentage +Percentage +The amount of each distribution to go to this beneficiary, expressed as a percentage + + +513 +RegistID +String +Unique identifier of the registration details as assigned by institution or intermediary. + + +514 +RegistTransType +char +Identifies Registration Instructions transaction type Valid values: 0 = New = Replace 2 = Cancel + + +515 +ExecValuationPoint +UTCTimestamp +For CIV - a date and time stamp to indicate the fund valuation point with respect to which a order was priced by the fund manager. + + +516 +OrderPercent +Percentage +For CIV specifies the approximate order quantity desired. For a CIV Sale it specifies percentage of investor’s total holding to be sold. For a CIV switch/exchange it specifies percentage of investor’s cash realised from sales to be re-invested. The executing broker, intermediary or fund manager is responsible for converting and calculating OrderQty (38) in shares/units for subsequent messages. + + +517 +OwnershipType +char +The relationship between Registration parties. J = Joint Investors T = Tenants in Common 2 = Joint Trustees + + +518 +NoContAmts +NumInGroup +The number of Contract Amount details on an Execution Report message + + +519 +ContAmtType +int +Type of ContAmtValue (520). For UK valid values include: = Commission Amount (actual) 2 = Commission % (actual) 3 = Initial Charge Amount 4 = Initial Charge % 5 = Discount Amount 6 = Discount % 7 = Dilution Levy Amount 8 = Dilution Levy % 9 = Exit Charge Amount 0 = Exit Charge % = Fund-based Renewal Commission % (a.k.a. Trail commission) 2 = Projected Fund Value (i.e. for investments intended to realise or exceed a specific future value) 3 = Fund-based Renewal Commission Amount (based on Order value) 4 = Fund-based Renewal Commission Amount (based on Projected Fund value) 5 = Net Settlement Amount NOTE That Commission Amount / % in Contract Amounts is the commission actually charged, rather than the commission instructions given in Fields 2/3. + + +520 +ContAmtValue +float +Value of Contract Amount, e.g. a financial amount or percentage as indicated by ContAmtType (59). + + +521 +ContAmtCurr +Currency +Specifies currency for the Contract amount if different from the Deal Currency - see "Appendix 6-A; Valid Currency Codes". + + +522 +OwnerType +int +Identifies the type of owner. Valid values: = Individual Investor 2 = Public Company 3 = Private Company 4 = Individual Trustee 5 = Company Trustee 6 = Pension Plan 7 = Custodian Under Gifts to Minors Act 8 = Trusts 9 = Fiduciaries 0 = Networking Sub-Account = Non-Profit Organization 2 = Corporate Body 3 =Nominee + + +523 +PartySubID +String +Sub-identifier (e.g. Clearing Account for PartyRole (452)=Clearing Firm, Locate ID # for PartyRole=Locate/Lending Firm, etc). Not required when using PartyID (448), PartyIDSource (447), and PartyRole. + + +524 +NestedPartyID +String +PartyID value within a nested repeating group. Same values as PartyID (448) + + +525 +NestedPartyIDSource +char +PartyIDSource value within a nested repeating group. Same values as PartyIDSource (447) + + +526 +SecondaryClOrdID +String +Assigned by the party which originates the order. Can be used to provide the ClOrdID () used by an exchange or executing system. + + +527 +SecondaryExecID +String +Assigned by the party which accepts the order. Can be used to provide the ExecID (7) used by an exchange or executing system. + + +528 +OrderCapacity +char +Designates the capacity of the firm placing the order. Valid values: A = Agency G = Proprietary I = Individual P = Principal (Note for CMS purposes, Principal includes Proprietary) R = Riskless Principal W = Agent for Other Member (as of FIX 4.3, this field replaced Rule80A (tag 47) --used in conjunction with OrderRestrictions (529) field) (see Volume : "Glossary" for value definitions) + + +529 +OrderRestrictions +MultipleValueString +Restrictions associated with an order. If more than one restriction is applicable to an order, this field can contain multiple instructions separated by space. Valid values: = Program Trade 2 = Index Arbitrage 3 = Non-Index Arbitrage 4 = Competing Market Maker 5 = Acting as Market Maker or Specialist in the security 6 = Acting as Market Maker or Specialist in the underlying security of a derivative security 7 = Foreign Entity (of foreign governmnet or regulatory jurisdiction) 8 = External Market Participant 9 = External Inter-connected Market Linkage A = Riskless Arbitrage + + +530 +MassCancelRequestType +char +Specifies scope of Order Mass Cancel Request. Valid values: = Cancel orders for a security 2 = Cancel orders for an Underlying security 3 = Cancel orders for a Product 4 = Cancel orders for a CFICode 5 = Cancel orders for a SecurityType 6 = Cancel orders for a trading session 7 = Cancel all orders + + +531 +MassCancelResponse +char +Specifies the action taken by counterparty order handling system as a result of the Order Mass Cancel Request Valid values: 0 = Cancel Request Rejected -- See MassCancelRejectReason (532) = Cancel orders for a security 2 = Cancel orders for an Underlying security 3 = Cancel orders for a Product 4 = Cancel orders for a CFICode 5 = Cancel orders for a SecurityType 6 = Cancel orders for a trading session 7 = Cancel all orders + + +532 +MassCancelRejectReason +char +Reason Order Mass Cancel Request was rejected Valid valuess: 0 = Mass Cancel Not Supported = Invalid or unknown Security 2 = Invalid or unknown underlying 3 = Invalid or unknown Product 4 = Invalid or unknown CFICode 5 = Invalid or unknown Security Type 6 = Invalid or unknown trading session 99 = Other + + +533 +TotalAffectedOrders +int +Total number of orders affected by mass cancel request. + + +534 +NoAffectedOrders +int +Number of affected orders in the repeating group of order ids. + + +535 +AffectedOrderID +String +OrderID (37) of an order affected by a mass cancel request. + + +536 +AffectedSecondaryOrderID +String +SecondaryOrderID (98) of an order affected by a mass cancel request. + + +537 +QuoteType +int +Identifies the type of quote. Valid values: 0 = Indicative = Tradeable 2 = Restricted Tradeable 3 = Counter (tradable) An indicative quote is used to inform a counterparty of a market. An indicative quote does not result directly in a trade. A tradeable quote is submitted to a market and will result directly in a trade against other orders and quotes in a market. A restricted tradeable quote is submitted to a market and within a certain restriction (possibly based upon price or quantity) will automatically trade against orders. Order that do not comply with restrictions are sent to the quote issuer who can choose to accept or decline the order. A counter quote is used in the negotiation model. See Volume 7 – Product: Fixed Income for example usage. + + +538 +NestedPartyRole +int +PartyRole value within a nested repeating group. Same values as PartyRole (452) + + +539 +NoNestedPartyIDs +NumInGroup +Number of NestedPartyID (524), NestedPartyIDSource (525), and NestedPartyRole (538) entries + + +540 +TotalAccruedInterestAmt +Amt +*** DEPRECATED FIELD - See "Deprecated (Phased-out) Features and Supported Approach" *** Total Amount of Accrued Interest for convertible bonds and fixed income + + +541 +MaturityDate +LocalMktDate +Date of maturity. + + +542 +UnderlyingMaturityDate +LocalMktDate +Underlying security’s maturity date. See MaturityDate (54) field for description + + +543 +InstrRegistry +String +The location at which records of ownership are maintained for this instrument, and at which ownership changes must be recorded. Valid values: BIC (Bank Identification Code—Swift managed) = the depository or custodian who maintains ownership Records ISO Country Code = country in which registry is kept "ZZ" = physical or bearer + + +544 +CashMargin +char +Identifies whether an order is a margin order or a non-margin order. This is primarily used when sending orders to Japanese exchanges to indicate sell margin or buy to cover. The same tag could be assigned also by buy-side to indicate the intent to sell or buy margin and the sell-side to accept or reject (base on some validation criteria) the margin request. Valid values: = Cash 2 = Margin Open 3 = Margin Close + + +545 +NestedPartySubID +String +PartySubID value within a nested repeating group. Same values as PartySubID (523) + + +546 +Scope +MultipleValueString +Defines the scope of a data element. Valid values: = Local (Exchange, ECN, ATS) 2 = National 3 = Global + + +547 +MDImplicitDelete +Boolean +Defines how a server handles distribution of a truncated book. Defaults to broker option. Valid values: Y = Client has responsibility for implicitly deleting bids or offers falling outside the MarketDepth of the request. N = Server must send an explicit delete for bids or offers falling outside the requested MarketDepth of the request. + + +548 +CrossID +String +Identifier for a cross order. Must be unique during a given trading day. Recommend that firms use the order date as part of the CrossID for Good Till Cancel (GT) orders. + + +549 +CrossType +int +Type of cross being submitted to a market Valid values: = Cross Trade which is executed completely or not. Both sides are treated in the same manner. This is equivalent to an All or None. 2 = Cross Trade which is executed partially and the rest is cancelled. One side is fully executed, the other side is partially executed with the remainder being cancelled. This is equivalent to an Immediate or Cancel on the other side. Note: The CrossPrioritzation (550) field may be used to indicate which side should fully execute in this scenario. 3 = Cross trade which is partially executed with the unfilled portions remaining active. One side of the cross is fully executed (as denoted with the CrossPrioritization field), but the unfilled portion remains active. 4 = Cross trade is executed with existing orders with the same price. In the case other orders exist with the same price, the quantity of the Cross is executed against the existing orders and quotes, the remainder of the cross is executed against the other side of the cross. The two sides potentially have different quantities. + + +550 +CrossPrioritization +int +Indicates if one side or the other of a cross order should be prioritized. 0 = None = Buy side is prioritized 2 = Sell side is prioritized The definition of prioritization is left to the market. In some markets prioritization means which side of the cross order is applied to the market first. In other markets – prioritization may mean that the prioritized side is fully executed (sometimes referred to as the side being protected). + + +551 +OrigCrossID +String +CrossID of the previous cross order (NOT the initial cross order of the day) as assigned by the institution, used to identify the previous cross order in Cross Cancel and Cross Cancel/Replace Requests. + + +552 +NoSides +NumInGroup +Number of Side repeating group instances. Valid values: = one side 2 = both sides + + +553 +Username +String +Userid or username. + + +554 +Password +String +Password or passphrase. + + +555 +NoLegs +NumInGroup +Number of InstrumentLeg repeating group instances. + + +556 +LegCurrency +Currency +Currency associated with a particular Leg's quantity + + +557 +TotNoSecurityTypes +int +Indicates total number of security types in the event that multiple Security Type messages are used to return results (Prior to FIX 4.4 this field was named TotalNumSecurityTypes) + + +558 +NoSecurityTypes +NumInGroup +Number of Security Type repeating group instances. + + +559 +SecurityListRequestType +int +Identifies the type/criteria of Security List Request Valid values: 0 = Symbol = SecurityType and/or CFICode 2 = Product 3 = TradingSessionID 4 = All Securities + + +560 +SecurityRequestResult +int +The results returned to a Security Request message Valid values: 0 = Valid request = Invalid or unsupported request 2 = No instruments found that match selection criteria 3 = Not authorized to retrieve instrument data 4 = Instrument data temporarily unavailable 5 = Request for instrument data not supported + + +561 +RoundLot +Qty +The trading lot size of a security + + +562 +MinTradeVol +Qty +The minimum trading volume for a security + + +563 +MultiLegRptTypeReq +int +Indicates the method of execution reporting requested by issuer of the order. 0 = Report by mulitleg security only (Do not report legs) = Report by multileg security and by instrument legs belonging to the multileg security. 2 = Report by instrument legs belonging to the multileg security only (Do not report status of multileg security) + + +564 +LegPositionEffect +char +PositionEffect for leg of a multileg See PositionEffect (77) field for description + + +565 +LegCoveredOrUncovered +int +CoveredOrUncovered for leg of a multileg See CoveredOrUncovered (203) field for description + + +566 +LegPrice +Price +Price for leg of a multileg See Price (44) field for description + + +567 +TradSesStatusRejReason +int +Indicates the reason a Trading Session Status Request was rejected. Valid values: = Unknown or invalid TradingSessionID 99 = Other + + +568 +TradeRequestID +String +Trade Capture Report Request ID + + +569 +TradeRequestType +int +Type of Trade Capture Report. Valid values: 0 = All trades = Matched trades matching Criteria provided on request (parties, exec id, trade id, order id, instrument, input source, etc.) 2 = Unmatched trades that match criteria 3 = Unreported trades that match criteria 4 = Advisories that match criteria + + +570 +PreviouslyReported +Boolean +Indicates if the trade capture report was previously reported to the counterparty Valid values: Y = previously reported to counterparty N = not reported to counterparty + + +571 +TradeReportID +String +Unique identifier of trade capture report + + +572 +TradeReportRefID +String +Reference identifier used with CANCEL and REPLACE transaction types. + + +573 +MatchStatus +char +The status of this trade with respect to matching or comparison. Valid values: 0 = compared, matched or affirmed = uncompared, unmatched, or unaffirmed 2 = advisory or alert + + +574 +MatchType +String +The point in the matching process at which this trade was matched. Valid values: For NYSE and AMEX: A = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus four badges and execution time (within two-minute window) A2 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus four badges A3 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus two badges and execution time (within two-minute window) A4 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus two badges A5 = Exact match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator plus execution time (within two-minute window) AQ = Compared records resulting from stamped advisories or specialist accepts/pair-offs S to S5 = Summarized Match using A to A5 exact match criteria except quantity is summarized M = Exact Match on Trade Date, Stock Symbol, Quantity, Price, Trade Type, and Special Trade Indicator minus badges and times M2 = Summarized Match minus badges and times MT = OCS Locked In For NASDAQ: M = ACT M Match M2 = ACT M2 Match M3 = ACT Accepted Trade M4 = ACT Default Trade M5 = ACT Default After M2 M6 = ACT M6 Match MT = Non-ACT + + +575 +OddLot +Boolean +This trade is to be treated as an odd lot Values: Y = treat as odd lot N = treat as round lot If this field is not specified, the default will be "N" + + +576 +NoClearingInstructions +NumInGroup +Number of clearing instructions + + +577 +ClearingInstruction +int +Eligibility of this trade for clearing and central counterparty processing Valid values: 0 = process normally = exclude from all netting 2 = bilateral netting only 3 = ex clearing 4 = special trade 5 = multilateral netting 6 = clear against central counterparty 7 = exclude from central counterparty 8 = Manual mode (pre-posting and/or pre-giveup) 9 = Automatic posting mode (trade posting to the position account number specified) 0 = Automatic give-up mode (trade give-up to the give-up destination number specified) = Qualified Service Representative (QSR) - 2 = Customer Trade 3 = Self clearing values above 4000 are reserved for agreement between parties + + +578 +TradeInputSource +String +Type of input device or system from which the trade was entered. + + +579 +TradeInputDevice +String +Specific device number, terminal number or station where trade was entered + + +580 +NoDates +int +Number of Date fields provided in date range + + +581 +AccountType +int +Type of account associated with an order Valid values: = Account is carried on customer Side of Books 2 = Account is carried on non-Customer Side of books 3 = House Trader 4 = Floor Trader 6 = Account is carried on non-customer side of books and is cross margined 7 = Account is house trader and is cross margined 8 = Joint Backoffice Account (JBO) + + +582 +CustOrderCapacity +int +Capacity of customer placing the order = Member trading for their own account 2 = Clearing Firm trading for its proprietary account 3 = Member trading for another member 4 = All other Primarily used by futures exchanges to indicate the CTICode (customer type indicator) as required by the US CFTC (Commodity Futures Trading Commission). + + +583 +ClOrdLinkID +String +Permits order originators to tie together groups of orders in which trades resulting from orders are associated for a specific purpose, for example the calculation of average execution price for a customer or to associate lists submitted to a broker as waves of a larger program trade. + + +584 +MassStatusReqID +String +Value assigned by issuer of Mass Status Request to uniquely identify the request + + +585 +MassStatusReqType +int +Mass Status Request Type Valid values: = Status for orders for a security 2 = Status for orders for an Underlying security 3 = Status for orders for a Product 4 = Status for orders for a CFICode 5 = Status for orders for a SecurityType 6 = Status for orders for a trading session 7 = Status for all orders 8 = Status for orders for a PartyID + + +586 +OrigOrdModTime +UTCTimestamp +The most recent (or current) modification TransactTime (tag 60) reported on an Execution Report for the order. The OrigOrdModTime is provided as an optional field on Order Cancel Request and Order Cancel Replace Requests to identify that the state of the order has not changed since the request was issued. This is provided to support markets similar to Eurex and A/C/E. + + +587 +LegSettlType +char +Refer to values for SettlType[63] + + +588 +LegSettlDate +LocalMktDate +Refer to description for SettlDate[64] + + +589 +DayBookingInst +char +Indicates whether or not automatic booking can occur. 0 = Can trigger booking without reference to the order initiator ("auto") = Speak with order initiator before booking ("speak first") 2 = Accumulate + + +590 +BookingUnit +char +Indicates what constitutes a bookable unit. 0 = Each partial execution is a bookable unit = Aggregate partial executions on this order, and book one trade per order 2 = Aggregate executions for this symbol, side, and settlement date + + +591 +PreallocMethod +char +Indicates the method of preallocation. 0 = Pro-rata = Do not pro-rata = discuss first + + +592 +UnderlyingCountryOfIssue +Country +Underlying security’s CountryOfIssue. See CountryOfIssue (470) field for description + + +593 +UnderlyingStateOrProvinceOfIssue +String +Underlying security’s StateOrProvinceOfIssue. See StateOrProvinceOfIssue (47) field for description + + +594 +UnderlyingLocaleOfIssue +String +Underlying security’s LocaleOfIssue. See LocaleOfIssue (472) field for description + + +595 +UnderlyingInstrRegistry +String +Underlying security’s InstrRegistry. See InstrRegistry (543) field for description + + +596 +LegCountryOfIssue +Country +Multileg instrument's individual leg security’s CountryOfIssue. See CountryOfIssue (470) field for description + + +597 +LegStateOrProvinceOfIssue +String +Multileg instrument's individual leg security’s StateOrProvinceOfIssue. See StateOrProvinceOfIssue (47) field for description + + +598 +LegLocaleOfIssue +String +Multileg instrument's individual leg security’s LocaleOfIssue. See LocaleOfIssue (472) field for description + + +599 +LegInstrRegistry +String +Multileg instrument's individual leg security’s InstrRegistry. See InstrRegistry (543) field for description + + +600 +LegSymbol +String +Multileg instrument's individual security’s Symbol. See Symbol (55) field for description + + +601 +LegSymbolSfx +String +Multileg instrument's individual security’s SymbolSfx. See SymbolSfx (65) field for description + + +602 +LegSecurityID +String +Multileg instrument's individual security’s SecurityID. See SecurityID (48) field for description + + +603 +LegSecurityIDSource +String +Multileg instrument's individual security’s SecurityIDSource. See SecurityIDSource (22) field for description + + +604 +NoLegSecurityAltID +String +Multileg instrument's individual security’s NoSecurityAltID. See NoSecurityAltID (454) field for description + + +605 +LegSecurityAltID +String +Multileg instrument's individual security’s SecurityAltID. See SecurityAltID (455) field for description + + +606 +LegSecurityAltIDSource +String +Multileg instrument's individual security’s SecurityAltIDSource. See SecurityAltIDSource (456) field for description + + +607 +LegProduct +int +Multileg instrument's individual security’s Product. See Product (460) field for description + + +608 +LegCFICode +String +Multileg instrument's individual security’s CFICode. See CFICode (46) field for description + + +609 +LegSecurityType +String +Multileg instrument's individual security’s SecurityType. See SecurityType (67) field for description + + +610 +LegMaturityMonthYear +month-year +Multileg instrument's individual security’s MaturityMonthYear. See MaturityMonthYear (200) field for description + + +611 +LegMaturityDate +LocalMktDate +Multileg instrument's individual security’s MaturityDate. See MaturityDate (54) field for description + + +612 +LegStrikePrice +Price +Multileg instrument's individual security’s StrikePrice. See StrikePrice (202) field for description + + +613 +LegOptAttribute +char +Multileg instrument's individual security’s OptAttribute. See OptAttribute (206) field for description + + +614 +LegContractMultiplier +float +Multileg instrument's individual security’s ContractMultiplier. See ContractMultiplier (23) field for description + + +615 +LegCouponRate +Percentage +Multileg instrument's individual security’s CouponRate. See CouponRate (223) field for description + + +616 +LegSecurityExchange +Exchange +Multileg instrument's individual security’s SecurityExchange. See SecurityExchange (207) field for description + + +617 +LegIssuer +String +Multileg instrument's individual security’s Issuer. See Issuer (06) field for description + + +618 +EncodedLegIssuerLen +Length +Multileg instrument's individual security’s EncodedIssuerLen. See EncodedIssuerLen (348) field for description +619 + + +619 +EncodedLegIssuer +data +Multileg instrument's individual security’s EncodedIssuer. See EncodedIssuer (349) field for description + + +620 +LegSecurityDesc +String +Multileg instrument's individual security’s SecurityDesc. See SecurityDesc (07) field for description + + +621 +EncodedLegSecurityDescLen +Length +Multileg instrument's individual security’s EncodedSecurityDescLen. See EncodedSecurityDescLen (350) field for description +622 + + +622 +EncodedLegSecurityDesc +data +Multileg instrument's individual security’s EncodedSecurityDesc. See EncodedSecurityDesc (35) field for description + + +623 +LegRatioQty +float +The ratio of quantity for this individual leg relative to the entire multileg security. + + +624 +LegSide +char +The side of this individual leg (multileg security). See Side (54) field for description and values + + +625 +TradingSessionSubID +String +Optional market assigned sub identifier for a trading session. Usage is determined by market or counterparties. Used by US based futures markets to identify exchange specific execution time bracket codes as required by US market regulations. + + +626 +AllocType +int +Describes the specific type or purpose of an Allocation message (i.e. "Buyside Calculated") Valid values: = Calculated (includes MiscFees and NetMoney) 2 = Preliminary (without MiscFees and NetMoney) 3 = Sellside Calculated Using Preliminary (includes MiscFees and NetMoney) (Replaced) 4 = Sellside Calculated Without Preliminary (sent unsolicited by sellside, includes MiscFees and NetMoney) (Replaced) 5 = Ready-To-Book - Single Order 6 = Buyside Ready-To-Book - Combined Set of Orders (Replaced) 7 = Warehouse instruction 8 = Request to Intermediary (see Volume : "Glossary" for value definitions) *** SOME VALUES HAVE BEEN REPLACED - See "Replaced Features and Supported Approach" *** + + +627 +NoHops +NumInGroup +Number of HopCompID entries in repeating group. + + +628 +HopCompID +String +Assigned value used to identify the third party firm which delivered a specific message either from the firm which originated the message or from another third party (if multiple “hops” are performed). It is recommended that this value be the SenderCompID (49) of the third party. Applicable when messages are communicated/re-distributed via third parties which function as service bureaus or “hubs”. Only applicable if OnBehalfOfCompID (5) is being used. + + +629 +HopSendingTime +UTCTimestamp +Time that HopCompID (628) sent the message. It is recommended that this value be the SendingTime (52) of the message sent by the third party. Applicable when messages are communicated/re-distributed via third parties which function as service bureaus or “hubs”. Only applicable if OnBehalfOfCompID (5) is being used. + + +630 +HopRefID +SeqNum +Reference identifier assigned by HopCompID (628) associated with the message sent. It is recommended that this value be the MsgSeqNum (34) of the message sent by the third party. Applicable when messages are communicated/re-distributed via third parties which function as service bureaus or “hubs”. Only applicable if OnBehalfOfCompID (5) is being used. + + +631 +MidPx +Price +Mid price/rate + + +632 +BidYield +Percentage +Bid yield + + +633 +MidYield +Percentage +Mid yield + + +634 +OfferYield +Percentage +Offer yield + + +635 +ClearingFeeIndicator +String +Indicates type of fee being assessed of the customer for trade executions at an exchange. Applicable for futures markets only at this time. Valid Values (source CBOT, CME, NYBOT, and NYMEX): B = CBOE Member C = Non-member and Customer E = Equity Member and Clearing Member F = Full and Associate Member trading for own account and as floor Brokers H = 06.H and 06.J Firms I = GIM, IDEM and COM Membership Interest Holders L = Lessee and 06.F Employees M = All other ownership types = st year delegate trading for his own account 2 = 2nd year delegate trading for his own account 3 = 3rd year delegate trading for his own account 4 = 4th year delegate trading for his own account 5 = 5th year delegate trading for his own account 9 = 6th year and beyond delegate trading for his own account + + +636 +WorkingIndicator +Boolean +Indicates if the order is currently being worked. Applicable only for OrdStatus = “New”. For open outcry markets this indicates that the order is being worked in the crowd. For electronic markets it indicates that the order has transitioned from a contingent order to a market order. Valid values: Y = Order is currently being worked N = Order has been accepted but not yet in a working state + + +637 +LegLastPx +Price +Execution price assigned to a leg of a multileg instrument. See LastPx (3) field for description and values + + +638 +PriorityIndicator +int +Indicates if a Cancel/Replace has caused an order to lose book priority. Valid values: 0 = Priority Unchanged = Lost Priority as result of order change + + +639 +PriceImprovement +PriceOffset +Amount of price improvement. + + +640 +Price2 +Price +Price of the future part of a F/X swap order. See Price (44) for description. + + +641 +LastForwardPoints2 +PriceOffset +F/X forward points of the future part of a F/X swap order added to LastSpotRate (94). May be a negative value. + + +642 +BidForwardPoints2 +PriceOffset +Bid F/X forward points of the future portion of a F/X swap quote added to spot rate. May be a negative value. + + +643 +OfferForwardPoints2 +PriceOffset +Offer F/X forward points of the future portion of a F/X swap quote added to spot rate. May be a negative value. + + +644 +RFQReqID +String +RFQ Request ID – used to identify an RFQ Request. + + +645 +MktBidPx +Price +Used to indicate the best bid in a market + + +646 +MktOfferPx +Price +Used to indicate the best offer in a market + + +647 +MinBidSize +Qty +Used to indicate a minimum quantity for a bid. If this field is used the BidSize (34) field is interpreted as the maximum bid size + + +648 +MinOfferSize +Qty +Used to indicate a minimum quantity for an offer. If this field is used the OfferSize (35) field is interpreted as the maximum offer size. + + +649 +QuoteStatusReqID +String +Unique identifier for Quote Status Request. + + +650 +LegalConfirm +Boolean +Indicates that this message is to serve as the final and legal confirmation. Valid values: Y = Legal confirm N = Does not constitute a legal confirm + + +651 +UnderlyingLastPx +Price +The calculated or traded price for the underlying instrument that corresponds to a derivative. Used for transactions that include the cash instrument and the derivative. + + +652 +UnderlyingLastQty +Qty +The calculated or traded quantity for the underlying instrument that corresponds to a derivative. Used for transactions that include the cash instrument and the derivative. + + +653 +SecDefStatus +int +No longer used as of FIX 4.3. Included here for reference to prior versions. *** REPLACED FIELD - See "Replaced Features and Supported Approach" *** State of a security definition request made to a market. Useful for markets, such as derivatives markets, where market participants are permitted to define instruments for subsequent trading Valid values: 0 = Pending Approval = Approved (Accepted) 2 = Rejected 3 = Unauthorized request 4 = Invalid definition request + + +654 +LegRefID +String +Unique indicator for a specific leg. + + +655 +ContraLegRefID +String +Unique indicator for a specific leg for the ContraBroker (375). + + +656 +SettlCurrBidFxRate +float +Foreign exchange rate used to compute the bid “SettlCurrAmt” (9) from Currency (5) to SettlCurrency (20) + + +657 +SettlCurrOfferFxRate +float +Foreign exchange rate used to compute the offer “SettlCurrAmt” (9) from Currency (5) to SettlCurrency (20) + + +658 +QuoteRequestRejectReason +int +Reason Quote was rejected: Valid Values: = Unknown symbol (Security) 2 = Exchange(Security) closed 3 = Quote Request exceeds limit 4 = Too late to enter 5 = Invalid price 6 = Not authorized to request quote 7 = No match for inquiry 8 = No market for instrument 9 = No inventory 0 = Pass 99 = Other + + +659 +SideComplianceID +String +ID within repeating group of sides which is used to represent this transaction for compliance purposes (e.g. OATS reporting). + + +660 +AcctIDSource +int +Used to identify the source of the Account () code. This is especially useful if the account is a new account that the Respondent may not have setup yet in their system. Valid values: = BIC 2 = SID code 3 = TFM (GSPTA) 4 = OMGEO (AlertID) 5 = DTCC code 99 = Other (custom or proprietary) + + +661 +AllocAcctIDSource +int +Used to identify the source of the AllocAccount (79) code. See AcctIDSource (660) for valid values. + + +662 +BenchmarkPrice +Price +Specifies the price of the benchmark. + + +663 +BenchmarkPriceType +int +Identifies type of BenchmarkPrice (662). See PriceType (423) for valid values. + + +664 +ConfirmID +String +Message reference for Confirmation + + +665 +ConfirmStatus +int +Identifies the status of the Confirmation. Valid values: = Received 2 = Mismatched account 3 = Missing settlement instructions 4 = Confirmed 5 = Request rejected + + +666 +ConfirmTransType +int +Identifies the Confirmation transaction type. Valid values: 0 = New = Replace 2 = Cancel + + +667 +ContractSettlMonth +month-year +Specifies when the contract (i.e. MBS/TBA) will settle. + + +668 +DeliveryForm +int +Identifies the form of delivery. Valid values: = BookEntry [the default] 2 = Bearer + + +669 +LastParPx +Price +Last price expressed in percent-of-par. Conditionally required for Fixed Income trades when LastPx (3) is expressed in Yield, Spread, Discount or any other type. Usage: Execution Report and Allocation Report repeating executions block (from sellside). + + +670 +NoLegAllocs +NumInGroup +Number of Allocations for the leg + + +671 +LegAllocAccount +String +Allocation Account for the leg See AllocAccount (79) for description and valid values. + + +672 +LegIndividualAllocID +String +Reference for the individual allocation ticket See IndividualAllocID (467) for description and valid values. + + +673 +LegAllocQty +Qty +Leg allocation quantity. See AllocQty (80) for description and valid values. + + +674 +LegAllocAcctIDSource +String +The source of the LegAllocAccount (67) See AllocAcctIDSource (66) for description and valid values. + + +675 +LegSettlCurrency +Currency +Identifies settlement currency for the Leg. See SettlCurrency (20) for description and valid values + + +676 +LegBenchmarkCurveCurrency +Currency +LegBenchmarkPrice (679) currency See BenchmarkCurveCurrency (220) for description and valid values. + + +677 +LegBenchmarkCurveName +String +Name of the Leg Benchmark Curve. See BenchmarkCurveName (22) for description and valid values. + + +678 +LegBenchmarkCurvePoint +String +Identifies the point on the Leg Benchmark Curve. See BenchmarkCurvePoint (222) for description and valid values. + + +679 +LegBenchmarkPrice +Price +Used to identify the price of the benchmark security. See BenchmarkPrice (662) for description and valid values. + + +680 +LegBenchmarkPriceType +int +The price type of the LegBenchmarkPrice. See BenchmarkPriceType (663) for description and valid values. + + +681 +LegBidPx +Price +Bid price of this leg. See BidPx (32) for description and valid values. + + +682 +LegIOIQty +String +Leg-specific IOI quantity. See IOIQty (27) for description and valid values + + +683 +NoLegStipulations +NumInGroup +Number of leg stipulation entries + + +684 +LegOfferPx +Price +Offer price of this leg. See OfferPx (33) for description and valid values + + +685 +LegOrderQty +Qty +Quantity ordered of this leg. See OrderQty (38) for description and valid values + + +686 +LegPriceType +int +The price type of the LegBidPx (68) and/or LegOfferPx (684). See PriceType (423) for description and valid values + + +687 +LegQty +Qty +Quantity of this leg, e.g. in Quote dialog. See Quantity (53) for description and valid values + + +688 +LegStipulationType +String +For Fixed Income, type of Stipulation for this leg. See StipulationType (233) for description and valid values + + +689 +LegStipulationValue +String +For Fixed Income, value of stipulation. See StipulationValue (234) for description and valid values + + +690 +LegSwapType +int +For Fixed Income, used instead of LegQty (687) or LegOrderQty (685) to requests the respondent to calculate the quantity based on the quantity on the opposite side of the swap. Valid values: = Par For Par 2 = Modified Duration 4 = Risk 5 = Proceeds + + +691 +Pool +String +For Fixed Income, identifies MBS / ABS pool. + + +692 +QuotePriceType +int +Code to represent price type requested in Quote. Valid values: = percent (percent of par) 2 = per share (e.g. cents per share) 3 = fixed amount (absolute value) 4 = discount – percentage points below par 5 = premium – percentage points over par 6 = basis points relative to benchmark 7 = TED price 8 = TED yield 9 = Yield spread (swaps) 0 = Yield If the Quote Request is for a Swap values -8 apply to all legs. + + +693 +QuoteRespID +String +Message reference for Quote Response + + +694 +QuoteRespType +int +Identifies the type of Quote Response. Valid values: = Hit/Lift 2 = Counter 3 = Expired 4 = Cover 5 = Done Away 6 = Pass + + +695 +QuoteQualifier +char +Code to qualify Quote use See IOIQualifier (04) for description and valid values. + + +696 +YieldRedemptionDate +LocalMktDate +Date to which the yield has been calculated (i.e. maturity, par call or current call, pre-refunded date). + + +697 +YieldRedemptionPrice +Price +Price to which the yield has been calculated. + + +698 +YieldRedemptionPriceType +int +The price type of the YieldRedemptionPrice (697) See PriceType (423) for description and valid values. + + +699 +BenchmarkSecurityID +String +The identifier of the benchmark security, e.g. Treasury against Corporate bond. See SecurityID (tag 48) for description and valid values. + + +700 +ReversalIndicator +Boolean +Indicates a trade that reverses a previous trade. + + +701 +YieldCalcDate +LocalMktDate +Include as needed to clarify yield irregularities associated with date, e.g. when it falls on a non-business day. + + +702 +NoPositions +NumInGroup +Number of position entries. + + +703 +PosType +String +Used to identify the type of quantity that is being returned. Valid values: TQ = Transaction Quantity IAS = Intra-Spread Qty IES = Inter-Spread Qty FIN = End-of-Day Qty SOD = Start-of-Day Qty EX = Option Exercise Qty AS = Option Assignment TX = Transaction from Exercise TA = Transaction from Assignment PIT = Pit Trade Qty TRF = Transfer Trade Qty ETR = Electronic Trade Qty ALC = Allocation Trade Qty PA = Adjustment Qty ASF = As-of Trade Qty DLV = Delivery Qty TOT = Total Transaction Qty XM = Cross Margin Qty SPL = Integral Split + + +704 +LongQty +Qty +Long Quantity + + +705 +ShortQty +Qty +Short Quantity + + +706 +PosQtyStatus +int +Status of this position. Valid values: 0 = Submitted = Accepted 2 = Rejected + + +707 +PosAmtType +String +Type of Position amount Valid values: FMTM = Final Mark-to-Market Amount IMTM = Incremental Mark-to-Market Amount TVAR = Trade Variation Amount SMTM = Start-of-Day Mark-to-Market Amount PREM = Premium Amount CRES = Cash Residual Amount CASH = Cash Amount (Corporate Event) VADJ = Value Adjusted Amount + + +708 +PosAmt +Amt +Position amount + + +709 +PosTransType +int +Identifies the type of position transaction Valid values: = Exercise 2 = Do Not Exercise 3 = Position Adjustment 4 = Position Change Submission/Margin Disposition 5 = Pledge + + +710 +PosReqID +String +Unique identifier for the position maintenance request as assigned by the submitter + + +711 +NoUnderlyings +NumInGroup +Number of underlying legs that make up the security. + + +712 +PosMaintAction +int +Maintenance Action to be performed. Valid values: = New: used to increment the overall transaction quantity 2 = Replace: used to override the overall transaction quantity or specific add messages based on the reference id 3 = Cancel: used to remove the overall transaction or specific add messages based on reference id + + +713 +OrigPosReqRefID +String +Reference to the PosReqID (70) of a previous maintenance request that is being replaced or canceled. + + +714 +PosMaintRptRefID +String +Reference to a PosMaintRptID (72) from a previous Position Maintenance Report that is being replaced or canceled. + + +715 +ClearingBusinessDate +LocalMktDate +The "Clearing Business Date" referred to by this maintenance request. + + +716 +SettlSessID +String +Identifies a specific settlement session Examples: ITD = Intraday RTH = Regular Trading Hours ETH = Electronic Trading Hours + + +717 +SettlSessSubID +String +SubID value associated with SettlSessID (76) + + +718 +AdjustmentType +int +Type of adjustment to be applied, used for PCS & PAJ Valid values: 0 = Process request as Margin Disposition = Delta_plus 2 = Delta_minus 3 = Final + + +719 +ContraryInstructionIndicator +Boolean +Required to be set to true (Y) when a position maintenance request is being performed contrary to current money position. Required when an exercise of an out of the money position is requested or an abandonement (do not exercise ) for an in the money position. + + +720 +PriorSpreadIndicator +Boolean +Indicates if requesting a rollover of prior day’s spread submissions. + + +721 +PosMaintRptID +String +Unique identifier for this position report + + +722 +PosMaintStatus +int +Status of Position Maintenance Request Valid values: 0 = Accepted = Accepted with Warnings 2 = Rejected 3 = Completed 4 = Completed with Warnings + + +723 +PosMaintResult +int +Result of Position Maintenance Request. Valid values: 0 = Successful completion - no warnings or errors = Rejected 99 = Other 4000+ Reserved and available for bi-laterally agreed upon user-defined values + + +724 +PosReqType +int +Unique identifier for the position maintenance request as assigned by the submitter Valid values: 0 = Positions = Trades 2 = Exercises 3 = Assignments + + +725 +ResponseTransportType +int +Identifies how the response to the request should be transmitted. Valid values: 0 = Inband: transport the request was sent over (Default) = Out-of-Band: pre-arranged out of band delivery mechanism (i.e. FTP, HTTP, NDM, etc) between counterparties. Details specified via ResponseDestination (726). + + +726 +ResponseDestination +String +URI (Uniform Resource Identifier) for details) or other pre-arranged value. Used in conjunction with ResponseTransportType (725) value of Out-of-Band to identify the out-of-band destination. See "Appendix 6-B FIX Fields Based Upon Other Standards" + + +727 +TotalNumPosReports +int +Total number of Position Reports being returned. + + +728 +PosReqResult +int +Result of Request for Position Valid values: 0 = Valid Request = Invalid or unsupported Request 2 = No positions found that match criteria 3 = Not authorized to request positions 4 = Request for Position not supported 99=Other (use Text(58) in conjunction with this code for an explanation) 4000+ Reserved and available for bi-laterally agreed upon user-defined values + + +729 +PosReqStatus +int +Status of Request for Positions Valid values: 0 = Completed = Completed with Warnings 2 = Rejected + + +730 +SettlPrice +Price +Settlement price + + +731 +SettlPriceType +int +Type of settlement price Valid values: = Final 2 = Theoretical + + +732 +UnderlyingSettlPrice +Price +Underlying security’s SettlPrice. See SettlPrice (730) field for description + + +733 +UnderlyingSettlPriceType +int +Underlying security’s SettlPriceType. See SettlPriceType (73) field for description + + +734 +PriorSettlPrice +Price +Previous settlement price + + +735 +NoQuoteQualifiers +NumInGroup +Number of repeating groups of QuoteQualifiers (695). + + +736 +AllocSettlCurrency +Currency +Currency code of settlement denomination for a specific AllocAccount (79). + + +737 +AllocSettlCurrAmt +Amt +Total amount due expressed in settlement currency (includes the effect of the forex transaction) for a specific AllocAccount (79). + + +738 +InterestAtMaturity +Amt +Amount of interest (i.e. lump-sum) at maturity. + + +739 +LegDatedDate +LocalMktDate +The effective date of a new securities issue determined by its underwriters. Often but not always the same as the Issue Date and the Interest Accrual Date + + +740 +LegPool +String +For Fixed Income, identifies MBS / ABS pool for a specific leg of a multi-leg instrument. See Pool (69) for description and valid values. + + +741 +AllocInterestAtMaturity +Amt +Amount of interest (i.e. lump-sum) at maturity at the account-level. + + +742 +AllocAccruedInterestAmt +Amt +Amount of Accrued Interest for convertible bonds and fixed income at the allocation-level. + + +743 +DeliveryDate +LocalMktDate +Date of delivery. + + +744 +AssignmentMethod +char +Method under which assignment was conducted Valid values: R = Random P = ProRata + + +745 +AssignmentUnit +Qty +Quantity Increment used in performing assignment. + + +746 +OpenInterest +Amt +Open interest that was eligible for assignment. + + +747 +ExerciseMethod +char +Exercise Method used to in performing assignment. Valid values: A = Automatic M = Manual + + +748 +TotNumTradeReports +int +Total number of trade reports returned. + + +749 +TradeRequestResult +int +Result of Trade Request Valid values: 0 = Successful (Default) = Invalid or unknown instrument 2 = Invalid type of trade requested 3 = Invalid parties 4 = Invalid Transport Type requested 5 = Invalid Destination requested 8 = TradeRequestType not supported 9 = Unauthorized for Trade Capture Report Request 99 = Other 4000+ Reserved and available for bi-laterally agreed upon user-defined values + + +750 +TradeRequestStatus +int +Status of Trade Request. Valid values: 0 = Accepted = Completed 2 = Rejected + + +751 +TradeReportRejectReason +int +Reason Trade Capture Request was rejected. Valid values: 0 = Successful (Default) = Invalid party information 2 = Unknown instrument 3 = Unauthorized to report trades 4 = Invalid trade type 99 = Other 4000+ Reserved and available for bi-laterally agreed upon user-defined values + + +752 +SideMultiLegReportingType +int +Used to indicate if the side being reported on Trade Capture Report represents a leg of a multileg instrument or a single security. Valid Values: = Single Security (default if not specified) 2 = Individual leg of a multi-leg security 3 = Multi-leg security + + +753 +NoPosAmt +NumInGroup +Number of position amount entries. + + +754 +AutoAcceptIndicator +Boolean +Identifies whether or not an allocation has been automatically accepted on behalf of the Carry Firm by the Clearing House. + + +755 +AllocReportID +String +Unique identifier for Allocation Report message. + + +756 +NoNested2PartyIDs +NumInGroup +Number of Nested2PartyID (757), Nested2PartyIDSource (758), and Nested2PartyRole (759) entries + + +757 +Nested2PartyID +String +PartyID value within a "second instance" Nested repeating group. Same values as PartyID (448) + + +758 +Nested2PartyIDSource +char +PartyIDSource value within a "second instance" Nested repeating group. Same values as PartyIDSource (447) + + +759 +Nested2PartyRole +int +PartyRole value within a "second instance" Nested repeating group. Same values as PartyRole (452) + + +760 +Nested2PartySubID +String +PartySubID value within a "second instance" Nested repeating group. Same values as PartySubID (523) + + +761 +BenchmarkSecurityIDSource +String +Identifies class or source of the BenchmarkSecurityID (699) value. Required if BenchmarkSecurityID is specified. Same values as the SecurityIDSource (22) field + + +762 +SecuritySubType +String +Sub-type qualification/identification of the SecurityType (e.g. for SecurityType="REPO"). Example Values: General = General Collateral (for SecurityType=REPO) For SecurityType="MLEG" markets can provide the name of the option or futures strategy, such as Calendar, Vertical, Butterfly, etc. NOTE: Additional values may be used by mutual agreement of the counterparties + + +763 +UnderlyingSecuritySubType +String +Underlying security’s SecuritySubType. See SecuritySubType (762) field for description + + +764 +LegSecuritySubType +String +SecuritySubType of the leg instrument. See SecuritySubType (762) field for description + + +765 +AllowableOneSidednessPct +Percentage +The maximum percentage that execution of one side of a program trade can exceed execution of the other. + + +766 +AllowableOneSidednessValue +Amt +The maximum amount that execution of one side of a program trade can exceed execution of the other. + + +767 +AllowableOneSidednessCurr +Currency +The currency that AllowableOneSidednessValue (766) is expressed in if AllowableOneSidednessValue is used. + + +768 +NoTrdRegTimestamps +NumInGroup +Number of TrdRegTimestamp (769) entries + + +769 +TrdRegTimestamp +UTCTimestamp +Traded / Regulatory timestamp value. Use to store time information required by government regulators or self regulatory organizations (such as an exchange or clearing house). + + +770 +TrdRegTimestampType +int +Traded / Regulatory timestamp type. Valid values: = Execution Time 2 = Time In 3 = Time Out 4 = Broker Receipt 5 = Broker Execution Note of Applicability: values are required in US futures markets by the CFTC to support computerized trade reconstruction. (see Volume : "Glossary" for value definitions) + + +771 +TrdRegTimestampOrigin +String +Text which identifies the "origin" (i.e. system which was used to generate the time stamp) for the Traded / Regulatory timestamp value. + + +772 +ConfirmRefID +String +Reference identifier to be used with ConfirmTransType (666) = Replace or Cancel + + +773 +ConfirmType +int +Identifies the type of Confirmation message being sent. Valid values: = Status 2 = Confirmation 3 = Confirmation Request Rejected (reason can be stated in Text field) + + +774 +ConfirmRejReason +int +Identifies the reason for rejecting a Confirmation. Valid values: = Mismatched account 2 = Missing settlement instructions 99 = Other + + +775 +BookingType +int +Method for booking out this order. Used when notifying a broker that an order to be settled by that broker is to be booked out as an OTC derivative (e.g. CFD or similar). Valid values: 0 = Regular booking = CFD (Contract For Difference) 2 = Total return swap + + +776 +IndividualAllocRejCode +int +Identified reason for rejecting an individual AllocAccount (79) detail. Same values as AllocRejCode (88) + + +777 +SettlInstMsgID +String +Unique identifier for Settlement Instruction message. + + +778 +NoSettlInst +NumInGroup +Number of settlement instructions within repeating group. + + +779 +LastUpdateTime +UTCTimestamp +Timestamp of last update to data item (or creation if no updates made since creation). + + +780 +AllocSettlInstType +int +Used to indicate whether settlement instructions are provided on an allocation instruction message, and if not, how they are to be derived. Valid values: 0 = use default instructions = derive from parameters provided 2 = full details provided 3 = SSI db ids provided 4 = phone for instructions + + +781 +NoSettlPartyIDs +NumInGroup +Number of SettlPartyID (782), SettlPartyIDSource (783), and SettlPartyRole (784) entries + + +782 +SettlPartyID +String +PartyID value within a settlement parties component. Nested repeating group. Same values as PartyID (448) + + +783 +SettlPartyIDSource +char +PartyIDSource value within a settlement parties component. Same values as PartyIDSource (447) + + +784 +SettlPartyRole +int +PartyRole value within a settlement parties component. Same values as PartyRole (452) + + +785 +SettlPartySubID +String +PartySubID value within a settlement parties component. Same values as PartySubID (523) + + +786 +SettlPartySubIDType +int +Type of SettlPartySubID (785) value. Same values as PartySubIDType (803) + + +787 +DlvyInstType +char +Used to indicate whether a delivery instruction is used for securities or cash settlement. Valid values: S = securities C = cash + + +788 +TerminationType +int +Type of financing termination. Valid values: = Overnight 2 = Term 3 = Flexible 4 = Open + + +789 +NextExpectedMsgSeqNum +SeqNum +Next expected MsgSeqNum value to be received. + + +790 +OrdStatusReqID +String +Can be used to uniquely identify a specific Order Status Request message. + + +791 +SettlInstReqID +String +Unique ID of settlement instruction request message + + +792 +SettlInstReqRejCode +int +Identifies reason for rejection (of a settlement instruction request message). Valid values: 0 = unable to process request (e.g. database unavailable) = unknown account 2 = no matching settlement instructions found 99 = other + + +793 +SecondaryAllocID +String +Secondary allocation identifier. Unlike the AllocID (70), this can be shared across a number of allocation instruction or allocation report messages, thereby making it possible to pass an identifier for an original allocation message on multiple messages (e.g. from one party to a second to a third, across cancel and replace messages etc.). + + +794 +AllocReportType +int +Describes the specific type or purpose of an Allocation Report message Valid values: 3 = Sellside Calculated Using Preliminary (includes MiscFees and NetMoney) 4 = Sellside Calculated Without Preliminary (sent unsolicited by sellside, includes MiscFees and NetMoney) 5 = Warehouse recap\ 8 = Request to Intermediary + + +795 +AllocReportRefID +String +Reference identifier to be used with AllocTransType (7) = Replace or Cancel + + +796 +AllocCancReplaceReason +int +Reason for cancelling or replacing an Allocation Instruction or Allocation Report message Valid values: = Original details incomplete/incorrect +2 = Change in underlying order details +99 = Other + + +797 +CopyMsgIndicator +Boolean +Indicates whether or not this message is a drop copy of another message. + + +798 +AllocAccountType +int +Type of account associated with a confirmation or other trade-level message Valid values: = Account is carried on customer Side of Books 2 = Account is carried on non-Customer Side of books 3 = House Trader 4 = Floor Trader 6 = Account is carried on non-customer side of books and is cross margined 7 = Account is house trader and is cross margined 8 = Joint Backoffice Account (JBO) + + +799 +OrderAvgPx +Price +Average price for a specific order + + +800 +OrderBookingQty +Qty +Quantity of the order that is being booked out as part of an Allocation Instruction or Allocation Report message + + +801 +NoSettlPartySubIDs +NumInGroup +Number of SettlPartySubID (785) and SettlPartySubIDType (786) entries + + +802 +NoPartySubIDs +NumInGroup +Number of PartySubID (523)and PartySubIDType (803) entries + + +803 +PartySubIDType +int +Type of PartySubID (523) value Example values: = Firm 2 = Person 3 = System 4 = Application 5 = Full legal name of firm 6 = Postal address (inclusive of street address, location, and postal code) 7 = Phone number 8 = Email address 9 = Contact name 0 = Securities account number (for settlement instructions) = Registration number (for settlement instructions and confirmations) 2 = Registered address (for confirmation purposes) 3 = Regulatory status (for confirmation purposes) 4 = Registration name (for settlement instructions) 5 = Cash account number (for settlement instructions) 6 = BIC 7 = CSD participant/member code (e.g. Euroclear, DTC, CREST or Kassenverein number) 8 = Registered address 9 = Fund/account name 20 = Telex number 2 = Fax number 22 = Securities account name 23 = Cash account name 24 = Department 25 = Location / Desk 26 = Position Account Type 4000+ = Reserved and available for bi-laterally agreed upon user defined values + + +804 +NoNestedPartySubIDs +NumInGroup +Number of NestedPartySubID (545) and NestedPartySubIDType (805) entries + + +805 +NestedPartySubIDType +int +Type of NestedPartySubID (545) value. Same values as PartySubIDType (803) + + +806 +NoNested2PartySubIDs +NumInGroup +Number of Nested2PartySubID (760) and Nested2PartySubIDType (807) entries. Second instance of <NestedParties>. + + +807 +Nested2PartySubIDType +int +Type of Nested2PartySubID (760) value. Second instance of <NestedParties>. Same values as PartySubIDType (803) + + +808 +AllocIntermedReqType +int +Response to allocation to be communicated to a counterparty through an intermediary, i.e. clearing house. Used in conjunction with AllocType = "Request to Intermediary" and AllocReportType = "Request to Intermediary" Valid values: = Pending Accept 2 = Pending Release 3 = Pending Reversal 4 = Accept 5 = Block Level Reject 6 = Account Level Reject + + +809 +(Not Defined) +n/a +This field has not been defined. + + +810 +UnderlyingPx +Price +Underlying price associate with a derivative instrument. + + +811 +PriceDelta +float +Delta calculated from theoretical price + + +812 +ApplQueueMax +int +Used to specify the maximum number of application messages that can be queued bedore a corrective action needs to take place to resolve the queuing issue. + + +813 +ApplQueueDepth +int +Current number of application messages that were queued at the time that the message was created by the counterparty. + + +814 +ApplQueueResolution +int +Resolution taken when ApplQueueDepth (83) exceeds ApplQueueMax (82) or system specified maximum queue size. Valid values: 0 = No action taken = Queue flushed 2 = Overlay last 3 = End session + + +815 +ApplQueueAction +int +Action to take to resolve an application message queue (backlog). Valid values: 0 = No action taken = Queue flushed 2 = Overlay last 3 = End session + + +816 +NoAltMDSource +NumInGroup +Number of alternative market data sources + + +817 +AltMDSourceID +String +Session layer source for market data (For the standard FIX session layer, this would be the TargetCompID (56) where market data can be obtained). + + +818 +SecondaryTradeReportID +String +Secondary trade report identifier - can be used to associate an additional identifier with a trade. + + +819 +AvgPxIndicator +int +Average Pricing Indicator Valid values: 0 = No Average Pricing = Trade is part of an average price group identified by the TradeLinkID 2 = Last Trade in the average price group identified by the TradeLinkID + + +820 +TradeLinkID +String +Used to link a group of trades together. Useful for linking a group of trades together for average price calculations. + + +821 +OrderInputDevice +String +Specific device number, terminal number or station where order was entered + + +822 +UnderlyingTradingSessionID +String +Trading Session in which the underlying instrument trades + + +823 +UnderlyingTradingSessionSubID +String +Trading Session sub identifier in which the underlying instrument trades + + +824 +TradeLegRefID +String +Reference to the leg of a multileg instrument to which this trade refers + + +825 +ExchangeRule +String +Used to report any exchange rules that apply to this trade. Primarily intended for US futures markets. Certain trading practices are permitted by the CFTC, such as large lot trading, block trading, all or none trades. If the rules are used, the exchanges are required to indicate these rules on the trade. + + +826 +TradeAllocIndicator +int +Identifies how the trade is to be allocated Valid values: 0 = Allocation not required = Allocation required (give up trade) allocation information not provided (incomplete) 2 = Use allocation provided with the trade + + +827 +ExpirationCycle +int +Part of trading cycle when an instrument expires. Field is applicable for derivatives. Valid values: 0 = Expire on trading session close (default) = Expire on trading session open + + +828 +TrdType +int +Type of Trade: Valid values: 0 = Regular Trade = Block Trade 2 = EFP (Exchange for Physical) 3 = Transfer 4 = Late Trade 5 = T Trade 6 = Weighted Average Price Trade 7 = Bunched Trade 8 = Late Bunched Trade 9 =Prior Reference Price Trade 0 = After Hours Trade + + +829 +TrdSubType +int +Further qualification to the trade type + + +830 +TransferReason +String +Reason trade is being transferred + + +831 +AsgnReqID +String +Unique identifier for the Assignment Report Request + + +832 +TotNumAssignmentReports +int +Total Number of Assignment Reports being returned to a firm + + +833 +AsgnRptID +String +Unique identifier for the Assignment Report + + +834 +ThresholdAmount +PriceOffset +Amount that a position has to be in the money before it is exercised. + + +835 +PegMoveType +int +Describes whether peg is static or floats Valid Values 0 = Floating (default) = Fixed + + +836 +PegOffsetType +int +Type of Peg Offset value Valid Values 0 = Price (default) = Basis Points 2 = Ticks 3 = Price Tier / Level + + +837 +PegLimitType +int +Type of Peg Limit Valid Values 0 = Or better (default) - price improvement allowed = Strict – limit is a strict limit 2 = Or worse – for a buy the peg limit is a minimum and for a sell the peg limit is a maximum (for use for orders which have a price range) + + +838 +PegRoundDirection +int +If the calculated peg price is not a valid tick price, specifies whether to round the price to be more or less aggressive Valid Values = More aggressive – on a buy order round the price up round up to the nearest tick, on a sell round down to the nearest tick 2 = More passive – on a buy order round down to nearest tick on a sell order round up to nearest tick + + +839 +PeggedPrice +Price +The price the order is currently pegged at + + +840 +PegScope +int +The scope of the peg Valid values: = Local (Exchange, ECN, ATS) 2 = National 3 = Global 4 = National excluding local + + +841 +DiscretionMoveType +int +Describes whether discretionay price is static or floats Valid Values 0 = Floating (default) = Fixed + + +842 +DiscretionOffsetType +int +Type of Discretion Offset value Valid Values 0 = Price (default) = Basis Points 2 = Ticks 3 = Price Tier / Level + + +843 +DiscretionLimitType +int +Type of Discretion Limit Valid Values 0 = Or better (default) - price improvement allowed = Strict – limit is a strict limit 2 = Or worse – for a buy the discretion price is a minimum and for a sell the discretion price is a maximum (for use for orders which have a price range) + + +844 +DiscretionRoundDirection +int +If the calculated discretionary price is not a valid tick price, specifies whether to round the price to be more or less aggressive Valid Values = More aggressive – on a buy order round the price up round up to the nearest tick, on a sell round down to the nearest tick 2 = More passive – on a buy order round down to nearest tick on a sell order round up to nearest tick + + +845 +DiscretionPrice +Price +The current discretionary price of the order + + +846 +DiscretionScope +int +The scope of the discretion Valid values: = Local (Exchange, ECN, ATS) 2 = National 3 = Global 4 = National excluding local + + +847 +TargetStrategy +int +The target strategy of the order Example Values = VWAP 2 = Participate (i.e. aim to be x percent of the market volume) 3 = Mininize market impact 000+ = Reserved and available for bi-laterally agreed upon user defined values + + +848 +TargetStrategyParameters +String +Field to allow further specification of the TargetStrategy – usage to be agreed between counterparties + + +849 +ParticipationRate +Percentage +For a TargetStrategy=Participate order specifies the target particpation rate. For other order types this is a volume limit (i.e. do not be more than this percent of the market volume) + + +850 +TargetStrategyPerformance +float +For communication of the performance of the order versus the target strategy + + +851 +LastLiquidityInd +int +Indicator to identify whether this fill was a result of a liquidity provider providing or liquidity taker taking the liquidity. Applicable only for OrdStatus of Partial or Filled. Valid values: = Added Liquidity 2 = Removed Liquidity 3 = Liquidity Routed Out + + +852 +PublishTrdIndicator +Boolean +Indicates if a trade should be reported via a market reporting service. Valid values: Y = Report trade N = Do not report trade + + +853 +ShortSaleReason +int +Reason for short sale. Valid values: 0 = Dealer Sold Short = Dealer Sold Short Exempt 2 = Selling Customer Sold Short 3 = Selling Customer Sold Short Exempt 4 = Qualifed Service Representative (QSR) or Automatic Giveup (AGU) Contra Side Sold Short 5 = QSR or AGU Contra Side Sold Short Exempt + + +854 +QtyType +int +Type of quantity specified in a quantity field: Valid values: 0 = Units (shares, par, currency) = Contracts (if used - should specify ContractMultiplier (tag 23)) + + +855 +SecondaryTrdType +int +Additional TrdType (see tag 828) assigned to a trade by trade match system. + + +856 +TradeReportType +int +Type of Trade Report Valid values: 0 = Submit = Alleged 2 = Accept 3 = Decline 4 = Addendum 5 = No/Was 6 = Trade Report Cancel 7 = Locked In Trade Break + + +857 +AllocNoOrdersType +int +Indicates how the orders being booked and allocated by an Allocation Instruction or Allocation Report message are identified, i.e. by explicit definition in the NoOrders group or not. Value values: 0 = Not specified = Explicit list provided + + +858 +SharedCommission +Amt +Commission to be shared with a third party, e.g. as part of a directed brokerage commission sharing arrangement. + + +859 +ConfirmReqID +String +Unique identifier for a Confirmation Request message + + +860 +AvgParPx +Price +Used to express average price as percent of par (used where AvgPx field is expressed in some other way) + + +861 +ReportedPx +Price +Reported price (used to differentiate from AvgPx on a confirmation of a marked-up or marked-down principal trade) + + +862 +NoCapacities +NumInGroup +Number of repeating OrderCapacity entries. + + +863 +OrderCapacityQty +Qty +Quantity executed under a specific OrderCapacity (e.g. quantity executed as agent, quantity executed as principal) + + +864 +NoEvents +NumInGroup +Number of repeating EventType entries. + + +865 +EventType +int +Code to represent the type of event Valid values: = Put 2 = Call 3 = Tender 4 = Sinking Fund Call 99 = Other + + +866 +EventDate +LocalMktDate +Date of event + + +867 +EventPx +Price +Predetermined price of issue at event, if applicable + + +868 +EventText +String +Comments related to the event. + + +869 +PctAtRisk +Percentage +Percent at risk due to lowest possible call. + + +870 +NoInstrAttrib +NumInGroup +Number of repeating InstrAttribType entries. + + +871 +InstrAttribType +int +Code to represent the type of instrument attribute Valid values: = Flat (securities pay interest on a current basis but are traded without interest) 2 = Zero coupon 3 = Interest bearing (for Euro commercial paper when not issued at discount) 4 = No periodic payments 5 = Variable rate 6 = Less fee for put 7 = Stepped coupon 8 = Coupon period (if not semi-annual). Supply redemption date in the InstrAttribValue (872) field 9 = When [and if] issued 0 = Original issue discount = Callable, puttable 2 = Escrowed to Maturity 3 = Escrowed to redemption date – callable. Supply redemption date in the InstrAttribValue (872) field 4 = Prerefunded 5 = In default 6 = Unrated 7 = Taxable 8 = Indexed 9 = Subject to Alternative Minimum Tax 20 = Original issue discount price. Supply price in the InstrAttribValue (872) field 2 = Callable below maturity value 22 = Callable without notice by mail to holder unless registered 99 = Text. Supply the text of the attribute or disclaimer in the InstrAttribValue (872) field + + +872 +InstrAttribValue +String +Attribute value appropriate to the InstrAttribType (87) field. + + +873 +DatedDate +LocalMktDate +The effective date of a new securities issue determined by its underwriters. Often but not always the same as the Issue Date and the Interest Accrual Date + + +874 +InterestAccrualDate +LocalMktDate +The start date used for calculating accrued interest on debt instruments which are being sold between interest payment dates. Often but not always the same as the Issue Date and the Dated Date + + +875 +CPProgram +int +The program under which a commercial paper is issued Valid values: = 3(a)(3) 2 = 4(2) 99 = Other + + +876 +CPRegType +String +The registration type of a commercial paper issuance + + +877 +UnderlyingCPProgram +String +The program under which the underlying commercial paper is issued + + +878 +UnderlyingCPRegType +String +The registration type of the underlying commercial paper issuance + + +879 +UnderlyingQty +Qty +Unit amount of the underlying security (par, shares, currency, etc.) + + +880 +TrdMatchID +String +Identifier assigned to a trade by a matching system. + + +881 +SecondaryTradeReportRefID +String +Used to refer to a previous SecondaryTradeReportRefID when amending the transaction (cancel, replace, release, or reversal). + + +882 +UnderlyingDirtyPrice +Price +Price (percent-of-par or per unit) of the underlying security or basket. “Dirty” means it includes accrued interest + + +883 +UnderlyingEndPrice +Price +Price (percent-of-par or per unit) of the underlying security or basket at the end of the agreement. + + +884 +UnderlyingStartValue +Amt +Currency value attributed to this collateral at the start of the agreement + + +885 +UnderlyingCurrentValue +Amt +Currency value currently attributed to this collateral + + +886 +UnderlyingEndValue +Amt +Currency value attributed to this collateral at the end of the agreement + + +887 +NoUnderlyingStips +NumInGroup +Number of underlying stipulation entries + + +888 +UnderlyingStipType +String +Type of stipulation. Same values as StipulationType (233) + + +889 +UnderlyingStipValue +String +Value of stipulation. Same values as StipulationValue (234) + + +890 +MaturityNetMoney +Amt +Net Money at maturity if Zero Coupon and maturity value is different from par value + + +891 +MiscFeeBasis +int +Defines the unit for a miscellaneous fee. Value values: 0 = Absolute = Per unit 2 = Percentage + + +892 +TotNoAllocs +int +Total number of NoAlloc entries across all messages. Should be the sum of all NoAllocs in each message that has repeating NoAlloc entries related to the same AllocID or AllocReportID. Used to support fragmentation. + + +893 +LastFragment +Boolean +Indicates whether this message is the last in a sequence of messages for those messages that support fragmentation, such as Allocation Instruction, Mass Quote, Security List, Derivative Security List Valid values: Y = Last message N = Not last message + + +894 +CollReqID +String +Collateral Request Identifier + + +895 +CollAsgnReason +int +Reason for Collateral Assignment Value values: 0 = Initial = Scheduled 2 = Time Warning 3 = Margin Deficiency 4 = Margin Excess 5 = Forward Collateral Demand 6 = Event of default 7 = Adverse tax event + + +896 +CollInquiryQualifier +int +Collateral inquiry qualifiers: Value values: 0 = TradeDate = GC Instrument 2 = CollateralInstrument 3 = Substitution Eligible 4 = Not Assigned 5 = Partially Assigned 6 = Fully Assigned 7 = Outstanding Trades (Today < end date) + + +897 +NoTrades +NumInGroup +Number of trades in repeating group. + + +898 +MarginRatio +Percentage +The fraction of the cash consideration that must be collateralized, expressed as a percent. A MarginRatio of 02% indicates that the value of the collateral (after deducting for "haircut") must exceed the cash consideration by 2%. + + +899 +MarginExcess +Amt +Excess margin amount (deficit if value is negative) + + +900 +TotalNetValue +Amt +TotalNetValue is determined as follows: At the initial collateral assignment TotalNetValue is the sum of (UnderlyingStartValue * (-haircut)). In a collateral substitution TotalNetValue is the sum of (UnderlyingCurrentValue * (-haircut)). + + +901 +CashOutstanding +Amt +Starting consideration less repayments + + +902 +CollAsgnID +String +Collateral Assignment Identifier + + +903 +CollAsgnTransType +int +Collateral Assignment Transaction Type Value values: 0 = New = Replace 2 = Cancel 3 = Release 4 = Reverse + + +904 +CollRespID +String +Collateral Response Identifier + + +905 +CollAsgnRespType +int +Collateral Assignment Response Type Value values: 0 = Received = Accepted 2 = Declined 3 = Rejected + + +906 +CollAsgnRejectReason +int +Collateral Assignment Reject Reason Value values: 0 = Unknown deal (order / trade) = Unknown or invalid instrument 2 = Unauthorized transaction 3 = Insufficient collateral 4 = Invalid type of collateral 5 = Excessive substitution 99 = Other + + +907 +CollAsgnRefID +String +Collateral Assignment Identifier to which a transaction refers + + +908 +CollRptID +String +Collateral Report Identifier + + +909 +CollInquiryID +String +Collateral Inquiry Identifier + + +910 +CollStatus +int +Collateral Status Value values: 0 = Unassigned = Partially Assigned 2 = Assignment Proposed 3 = Assigned (Accepted) 4 = Challenged + + +911 +TotNumReports +int +Total number or reports returned in response to a request + + +912 +LastRptRequested +Boolean +Indicates whether this message is that last report message in response to a request, such as Order Mass Status Request. Y = Last message N = Not last message + + +913 +AgreementDesc +String +The full name of the base standard agreement, annexes and amendments in place between the principals applicable to a financing transaction. + + +914 +AgreementID +String +A common reference to the applicable standing agreement between the counterparties to a financing transaction. + + +915 +AgreementDate +LocalMktDate +A reference to the date the underlying agreement specified by AgreementID and AgreementDesc was executed. + + +916 +StartDate +LocalMktDate +Start date of a financing deal, i.e. the date the buyer pays the seller cash and takes control of the collateral + + +917 +EndDate +LocalMktDate +End date of a financing deal, i.e. the date the seller reimburses the buyer and takes back control of the collateral + + +918 +AgreementCurrency +Currency +Contractual currency forming the basis of a financing agreement and associated transactions. Usually, but not always, the same as the trade currency. + + +919 +DeliveryType +int +Identifies type of settlement 0 = “Versus. Payment”: Deliver (if Sell) or Receive (if Buy) vs. (Against) Payment = “Free”: Deliver (if Sell) or Receive (if Buy) Free 2 = Tri-Party 3 = Hold In Custody + + +920 +EndAccruedInterestAmt +Amt +Accrued Interest Amount applicable to a financing transaction on the End Date. + + +921 +StartCash +Amt +Starting dirty cash consideration of a financing deal, i.e. paid to the seller on the Start Date. + + +922 +EndCash +Amt +Ending dirty cash consideration of a financing deal. i.e. reimbursed to the buyer on the End Date. + + +923 +UserRequestID +String +Unique identifier for a User Request. + + +924 +UserRequestType +int +Indicates the action required by a User Request Message Valid values: = LogOnUser 2 = LogOffUser 3 = ChangePasswordForUser 4 = Request Individual User Status + + +925 +NewPassword +String +New Password or passphrase + + +926 +UserStatus +int +Indicates the status of a user Valid values: = Logged In 2 = Not Logged In 3 = User Not Recognised 4 = Password Incorrect 5 = Password Changed 6 = Other + + +927 +UserStatusText +String +A text description associated with a user status. + + +928 +StatusValue +int +Indicates the status of a network connection Valid values: = Connected 2 = Not connected – down expected up 3 = Not connected – down expected down 4 = In Process + + +929 +StatusText +String +A text description associated with a network status. + + +930 +RefCompID +String +Assigned value used to identify a firm. + + +931 +RefSubID +String +Assigned value used to identify specific elements within a firm. + + +932 +NetworkResponseID +String +Unique identifier for a network response. + + +933 +NetworkRequestID +String +Unique identifier for a network resquest. + + +934 +LastNetworkResponseID +String +Identifier of the previous Network Response message sent to a counterparty, used to allow incremental updates. + + +935 +NetworkRequestType +int +Indicates the type and level of details required for a Network Status Request Message Valid values: = Snapshot 2 = Subscribe 4 = Stop subscribing 8 = Level of detail, then NoCompID’s becomes required Boolean logic applies EG If you want to subscribe for changes to certain id’s then UserRequestType =0 (8+2), Snapshot for certain ID’s = 9 (8+) + + +936 +NoCompIDs +NumInGroup +Number of CompID entries in a repeating group. + + +937 +NetworkStatusResponseType +int +Indicates the type of Network Response Message. Valid values: = Full 2 = Incremental update + + +938 +NoCollInquiryQualifier +NumInGroup +Number of CollInquiryQualifier entries in a repeating group. + + +939 +TrdRptStatus +int +Trade Report Status Valid values: 0 = Accepted = Rejected + + +940 +AffirmStatus +int +Identifies the status of the ConfirmationAck. Valid values: = Received 2 = Confirm rejected, i.e. not affirmed 3 = Affirmed + + +941 +UnderlyingStrikeCurrency +Currency +Currency in which the strike price of an underlying instrument is denominated + + +942 +LegStrikeCurrency +Currency +Currency in which the strike price of a instrument leg of a multileg instrument is denominated + + +943 +TimeBracket +String +A code that represents a time interval in which a fill or trade occurred. Required for US futures markets. + + +944 +CollAction +int +Action proposed for an Underlying Instrument instance. Valid values: 0 = Retain = Add 2 = Remove + + +945 +CollInquiryStatus +int +Status of Collateral Inquiry Valid values: 0 = Accepted = Accepted with Warnings 2 = Completed 3 = Completed with Warnings 4 = Rejected + + +946 +CollInquiryResult +int +Result returned in response to Collateral Inquiry Valid values: 0 = Successful (Default) = Invalid or unknown instrument 2 = Invalid or unknown collateral type 3 = Invalid parties 4 = Invalid Transport Type requested 5 = Invalid Destination requested 6 = No collateral found for the trade specified 7 = No collateral found for the order specified 8 = Collateral Inquiry type not supported 9 = Unauthorized for collateral inquiry 99 = Other (further information in Text (58) field) 4000+ Reserved and available for bi-laterally agreed upon user-defined values + + +947 +StrikeCurrency +Currency +Currency in which the StrikePrice is denominated. + + +948 +NoNested3PartyIDs +NumInGroup +Number of Nested3PartyID (949), Nested3PartyIDSource (950), and Nested3PartyRole (95) entries + + +949 +Nested3PartyID +String +PartyID value within a "third instance" Nested repeating group. Same values as PartyID (448) + + +950 +Nested3PartyIDSource +char +PartyIDSource value within a "third instance" Nested repeating group. Same values as PartyIDSource (447) + + +951 +Nested3PartyRole +int +PartyRole value within a "third instance" Nested repeating group. Same values as PartyRole (452) + + +952 +NoNested3PartySubIDs +NumInGroup +Number of Nested3PartySubIDs (953) entries + + +953 +Nested3PartySubID +String +PartySubID value within a "third instance" Nested repeating group. Same values as PartySubID (523) + + +954 +Nested3PartySubIDType +int +PartySubIDType value within a "third instance" Nested repeating group. Same values as PartySubIDType (803) + + +955 +LegContractSettlMonth +month-year +Specifies when the contract (i.e. MBS/TBA) will settle. + + +956 +LegInterestAccrualDate +LocalMktDate +The start date used for calculating accrued interest on debt instruments which are being sold between interest payment dates. Often but not always the same as the Issue Date and the Dated Date + + diff --git a/resources/fix2csv.xsl b/resources/fix2csv.xsl new file mode 100644 index 0000000..2880b65 --- /dev/null +++ b/resources/fix2csv.xsl @@ -0,0 +1,9 @@ + + + + + + , + + + diff --git a/resources/fix2json.xsl b/resources/fix2json.xsl new file mode 100644 index 0000000..1f180b0 --- /dev/null +++ b/resources/fix2json.xsl @@ -0,0 +1,10 @@ + + + + + + "":"", + + + + diff --git a/resources/xmltransorm.sh b/resources/xmltransorm.sh new file mode 100644 index 0000000..386fa6b --- /dev/null +++ b/resources/xmltransorm.sh @@ -0,0 +1 @@ +xsltproc fix2json.xsl Fields44.xml |tr -d "\n"|tr -d " "|sed "s/,/,\n/g"