- Notifications
You must be signed in to change notification settings - Fork121
Simple algorithmic stock and option trading for Node.js.
License
torreyleonard/algotrader
Folders and files
Name | Name | Last commit message | Last commit date | |
---|---|---|---|---|
Repository files navigation
- Extensive broker library
- Easily place orders
- Retrieve past orders
- Query a users portfolio
- Supported brokers:
- Robinhood
- TDAmeritrade (in progress)
- Oanda (in progress)
- If you'd like to have another broker supported, submit an issue or a pull request
- Data library
- Real time quote data streaming for cryptocurrency, forex, equities
- Get data on bids, asks, last price, and more from the Yahoo Finance API
- Stream news headlines along with quotes
- Up-to-date options data
- Easily find stocks for various queries
- Retrieve the day's top gainers
- Retrieve the day's top losers
- Get stocks by highest (abnormal) volume
- Get options contracts by highest open interest
- And more
- Get up to the minute breaking headlines
- Get technical indicators from AlphaVantage
- SMA, EMA, RSI, etc.
- Get fundamentals and balance sheet data (in progress)
- Assets, debt, liabilities, revenue, earnings, etc.
- Real time quote data streaming for cryptocurrency, forex, equities
- Algorithm library (in progress)
- Create algorithms that will automatically place trades based on your criteria
- Backtest algorithms on past market data
- Paper (simulated) trade your algorithm to see how it performs in real time
- Support for many third-party APIs
- Getting Started
- Broker Library
- Algorithm Library
- Data Library
- Further Notes
- Join our Discord:https://discord.gg/DWFWBPn
- Get answers to questions or help us deal with open issues.
- Tell us about how you're using Algotrader!
Using NPM, you can install Algotrader using the following console command:npm i algotrader --save
Once Algotrader is installed, you can import it into your Node.js project.
constalgotrader=require('algotrader');
After, you can instantiate any Algotrader library like so:
constRobinhood=algotrader.Robinhood;constData=algotrader.Data;constAlgorithm=algotrader.Algorithm;// in progress
First, you'll need to create a newUser
instance and authenticate them.
constrobinhood=require('algotrader').Robinhood;constUser=robinhood.User;constoptions={doNotSaveToDisk:false,// If the `save` method should not store the user login info to disk (file)serializedUserFile:null// File to where the serialized user login info can be saved};constmyUser=newUser("username","password",options);myUser.authenticate().then(()=>{// User was authenticated}).catch(error=>{// Either the request failed, or Robinhood responded with an error.// (Ex: you don't have internet access or your user credentials were incorrect)})
Personally, I either store user data as an array in a.json
file, then require it into the class, (insecure) or ask for the user's credentials in the console. You should handle this sensitive data in a way that you're comfortable with.
Note: providing a password in the User constructor is optional. You can also pass it toUser.authenticate()
as the first parameter like so:
constmyUser=newUser("username");// Or with options:// const myUser = new User("username", null, options);myUser.authenticate("password").then(()=>{// User was authenticated});
If it is not provided at all, you will be prompted via CLI.
Algotrader now supports multi-factor authentication. So, if you have this enabled on your account (which is a good idea by the way), you'll be prompted to enter the six-digit code after login. If you run a trading script with this library automatically and have MFA enabled, it may be worth your while to utilize a telecom API (possible through Twilio?) to have the code programmatically retrieved (see below).
The MFA prompt will appear like so:
To enter the code programmatically, you can pass a function toUser.authenticate()
that returns a promise containing the MFA code in a six-character string. For example:
functiongetMFA(){returnnewPromise((resolve,reject)=>{// Get the code hereconstmfa="123456"resolve(mfa);})}// Note: the first parameter here is 'password' and is only required if you are re-authenticating// an expired user or if you did not provide a password in the User constructor.myUser.authenticate(null,getMFA).then(()=>{// User was authenticated})
In order to reduce time logging in, you can save an authenticated user to disk and load it into memory for subsequent requests. If you're using multi-factor authentication, I definitely recommend this- it really saves a lot of time and energy.
After you've logged in (see above), you can run the following:
constauthenticatedUser;authenticatedUser.save().then(()=>{// The user data was saved to:// project/node_modules/algotrader/objects/broker/robinhood/User.json// This filepath can be configured in the options parameter in `User` constructor});
Note that your password will never be saved to disk. Keep this in mind when having to re-authenticate.
Once saved, you can easily login like so:
constrobinhood=require('algotrader').Robinhood;constUser=robinhood.User;User.load().then(myUser=>{myUser.isAuthenticated();// Boolean - see below}).catch(error=>{// Make sure to always catch possible errors. You'll need to re-authenticate here.// - Possible errors: user session has expired, a saved user does not exist.if(error){// Re-auth here and save if desired.}});
However, authentication tokens issued by Robinhood expire after 24 hours. Version 1.4.5 takes this into account andUser.isAuthenticated()
will returnfalse
if the token has expired. Make sure to check for this and re-authenticate if necessary. When re-authenticating, you will need to provide a password either through CLI or when callingUser.authenticate()
as the first parameter.
If you need to save and retrieve the user login info to somewhere else (like a Database, specially useful to keep your service stateless), you can use:
constoptions={doNotSaveToDisk:true};constauthenticatedUser=newUser("username","password",options);// ...authenticatedUser.save().then((serializedUser)=>{// You can store `serializedUser` to where you want, like a Database});// ...constserializedUser='';// Get this value from your storageUser.load(serializedUser).then(myUser=>{myUser.isAuthenticated();// Boolean - see below}).catch(error=>{// Make sure to always catch possible errors. You'll need to re-authenticate here.// - Possible errors: user session has expired, a saved user does not exist.if(error){// Re-auth here and save if desired.}});
There are a good amount of query functions that you can run on the user's portfolio. Using yourUser
instance, you can grab the portfolio usingUser.getPortfolio
which returns a newPortfolio
object.
myUser.getPortfolio().then(myPortfolio=>{// Algotrader retrieved the user's portfolio// You can find information on specific symbolsletmyTeslaShares=myPortfolio.getQuantity("TSLA");// Returns the quantity of shares you own in the given symbol: 10letbestDayEver=myPortfolio.getPurchaseDate("SHLD");// Returns the date (Date object) you purchased the given symbol: 2007-04-17// You can find information on the entire portfolioletmySymbols=myPortfolio.getSymbols();// Returns an array of all symbols in the user's portfolio: ['FB', 'AMZN', 'NFLX', 'GOOG']letmyMoneyMakers=myPortfolio.getQuantityGreaterThan(50);// Returns an array of all positions greater than the given amount: [Object]// Along with much more. See the link below to visit the Robinhood portfolio documentation.}).catch(error=>{// Either the request failed, or Robinhood responded with an error.// (Ex: you don't have internet access or your user credentials were incorrect)})
For documentation on all portfolio functions, visit theRobinhood Library Docs.
Note: the portfolio object does not return a user's open option positions. See the options section below for details.
Placing an order will require instances of theUser
,Instrument
,Quote
, andOrder
classes.
All orders first require that you grab a newInstrument
object which represents, in most cases, a stock or ETF. You can also grab the object from yourPortfolio
. Then, Robinhood requires that you also submit the stock's market price in the order, so you should retrieve aQuote
from them on viaInstrument
object (the origin of the quote doesn't matter, as long as it contains accurate pricing information- so, the quote returned from theStream
class would also work). You'll then create an object with this and other necessary information to pass as a parameter to a newOrder
.
The object should contain the following:
Instrument
- The Robinhood instrument you would like to place an order for.Quote
- An updated quote containing the last sale price for the given instrument.type
limit
- The lowest price to accept in a buy, the highest price in a sellmarket
- Order executes at the current bid/ask price
timeInForce
GFD
- Good for the day (cancels at market close)GTC
- Good-til-cancelled (active until you cancel it)IOC
- Immediate or cancel (possibly deprecated by Robinhood)OPG
- Market/limit on open (possibly deprecated by Robinhood)
trigger
immediate
- The order is active as soon as it's placedstop
- The order won't be active until the market price crossed your stop price
stopPrice
- If
trigger = stop
, this must be specified
- If
quantity
- How many shares should be bought / sold
side
buy
sell
extendedHours
boolean
- Whether the order should be allowed to execute when exchanges are closed
overrideDayTradeCheck
boolean
- Whether to override Pattern Day Trader protection (this should definitely be false)
With this in mind, you can place a simple market order for ten shares of Twitter like so:
// ES6Instrument.getBySymbol("TWTR").then(asynctwtrInstrument=>{// As of ~01/15/19, Robinhood requires an authenticated user to fetch a quote.// Working with Algotrader version > 1.4.3, thanks @Gillinghammer!lettwtrQuote=awaittwtrInstrument.getQuote(user);constmyOrder=newOrder(user,{instrument:twtrInstrument,quote:twtrQuote,type:"market",timeInForce:"gfd",trigger:"immediate",quantity:10,side:"buy"});myOrder.submit().then(res=>{// Order was successful}).catch(error=>{// Either the request failed, or Robinhood responded with an error.// (Ex: you don't have internet access or your balance was insufficient)});});
For documentation on all order functions, visit theRobinhood Library Docs.
Receiving open option positions and placing option orders varies slightly from stocks. These actions will require theOptionInstrument
andOptionOrder
classes.
Here is an example for how to query an option chain and place an order for an individual option. SeeOptionOrder
documentation for details on new order parameters.
constInstrument=algotrader.Robinhood.Instrument;constOptionInstrument=algotrader.Robinhood.OptionInstrument;constOptionOrder=algotrader.Robinhood.OptionOrder;asyncfunctiongains(user){// First, we'll get the instrument that corresponds to the symbol TLRY.consttlry=awaitInstrument.getBySymbol('TLRY');// Next, we'll fetch an option chain containing puts for the upcoming expiration date.// This will return an array of OptionInstruments. See the example in the next section below.constchain=awaitOptionInstrument.getChain(user,tlry,'put');// Now that we have the option chain, we'll need to find which OptionInstrument to trade// based on its strike price and expiration date. See the example below for how to sort them.// For now, we'll just take the first option contract in the array.constoptionToBuy=chain[0];// Finally, we can create and place an order like so:letorder=newOptionOrder(user,{side:'buy',type:'limit',// Note: Robinhood does not allow market buy ordersprice:'',timeInForce:'gtc',quantity:1,option:optionToBuy});order.submit().then(executedOrder=>{// Success!console.log(executedOrder);}).catch(error=>console.error(error));}
Represented as an array of OptionInstruments, option chains provide you with all of the tradable contracts for a specific option instrument and expiration date. They are fetched usingOptionInstrument.getChain
and used for anOptionOrder.
Below is an example of a single element from within the array:
[OptionInstrument{url:'https://api.robinhood.com',tradability:'tradable',strikePrice:121,state:'active',type:'put',symbol:'TLRY',minTicks:{cutoff_price:'3.00',below_tick:'0.01',above_tick:'0.05'},instrumentURL:'https://api.robinhood.com/options/instruments/28c3224d-3aa3-428c-aa78-7e0f5a4d01a0/',ids:{chain:'c49063f0-557b-44b7-aeef-11fbc6a51243',option:'28c3224d-3aa3-428c-aa78-7e0f5a4d01a0'},dates:{expiration:2019-02-01T00:00:00.000Z,created:2019-01-18T03:08:31.325Z,updated:2019-01-18T03:08:31.325Z}}, ...
Here is an example of how you would sort an option chain by strike price and expiration date. For this example, we'll get a quote, the options chain, and option expiration dates and use that data buy the nearest in-the-money call.
constmoment=require('moment');constqqq=awaitInstrument.getBySymbol('QQQ');constquote=awaitqqq.getQuote(user);constchain=awaitOptionInstrument.getChain(user,qqq,'call');constexpirations=awaitOptionInstrument.getExpirations(user,qqq);// Returns an array of expiration dates [ 2019-02-01T00:00:00.000Z, 2019-02-08T00:00:00.000Z, ...constnextExpiration=moment(expirations[0]);letoptionsExpiringNext=[];chain.forEach(option=>{letthisExpiration=moment(option.getExpiration());if(thisExpiration.isSame(nextExpiration)){optionsExpiringNext.push(option);}});
For scheduling tasks, running backtests, and paper-trading, the algorithm library should be more than useful.
Using theScheduler
class, you'll be able to define exactly when you want a function to run using the following methods:
Scheduler.onMarketOpen(offset, f)
- Runs every morning when the NYSE opens. (Typically 9:30 AM EST)
- Offset is in milliseconds and can be positive (after) or negative (before).
Scheduler.onMarketClose(offset, f)
- Runs every afternoon when the NYSE closes. (Typically 4:00 PM EST)
- Offset is in milliseconds and can be positive (after) or negative (before).
Scheduler.every(minutes, extended, f)
- Runs every
x
minutes during market hours or during typical extended trading hours. (9 AM EST - 6 PM EST)
- Runs every
Here's an easy example that runs a function 5 minutes before the market opens and another one every 30 minutes during regular trading hours:
constScheduler=algotrader.Algorithm.Scheduler;Scheduler.onMarketOpen(-5*60000,()=>{// Function to run five minutes before the market opens});Scheduler.every(30,false,()=>{// Function to run every 1/2 hour});
For documentation on all Scheduler functions, visit theAlgorithm Library Docs.
The data library allows you to retrieve a ton of data on the market as a whole and individual stocks or options. This uses the Yahoo Finance and Alpha Vantage APIs and additional support for other free API's will be added in the future.
I'll only add a few examples here, but for the full documentation visit theData Library Docs.
To stream live quotes from Yahoo Finance, you'll need an array of symbols that you want to monitor. If you only need data on one, just fill the array with that single symbol. TheStream
class is an extension of the Node EventEmitter, so you can either use.on()
or.pipe()
like other events.
Once the stream starts, a data object for each symbol is immediately received. You will then begin to get real time updates. Note that the data objects streamed by Yahoo aren't always of the same format, so make sure to have a check forundefined
each time you access a key in the object.
constStream=algotrader.Data.Stream;constmyStream=newStream(["PG","DPS","ULTA","DIN","ETSY"]);myStream.start();myStream.on('quote',quote=>{// Returns a single Quote object. See the link below for documentation on Quotes.}).on('response',res=>{// Returns a response object from the request module. Useful for debugging.}).on('error',error=>{// Returns an error if the stream failed to start.});
For documentation on Quotes, visit theGlobal Docs.
Not only can you stream quotes, but you can include news articles using the built-inNews Library. This is useful for reacting to breaking headlines with pre-determined trades (for example, earnings reports or FOMC results). To do this, just add a second parameter (an object) tonew Stream()
as shown below.
constmyStreamWithNews=newStream(["JPM","COST","FDX"],{news:true,// Tells the streamer to also include newsallHeadlines:true,// If true, all U.S. headlines will be sent in the stream. If false, only news pertaining to the given symbols will be outputted.newsApiKey:"newsApiKeyGoesHere"// Your API key from NewsAPI.org. See the link below for documentation on News.});myStreamWithNews.start();myStreamWithNews.on('quote',quote=>{// Returns a single Quote object. See the link below for documentation on Quotes.}).on('news',news=>{// Returns a single News object. See the link below for documentation on News.}).on('response',res=>{// Returns a response object from the request module. Useful for debugging.}).on('error',error=>{// Returns an error if the stream failed to start.});
For documentation on News, visit theData Library Docs.
You can also instruct the stream class to fire events from IEX. You'll first want to find the streaming endpoint that contains the data you want to query. For the most part, you'll want to usetops,
deep,
andlast.
Find them allhere.
conststreamWithIEX=newStream(["PG","DIN","ULTA"],{iex:true,iexType:"tops"});streamWithIEX.on('iex',iex=>{// Returns an object described here: https://iextrading.com/developer/docs/#iex-market-data});
For documentation on IEX, visit theData Library Docs.
Providing free access to real time and historical market data along with advanced technical analysis, Alpha Vantage has proven to be very helpful when it comes to analyzing stock activity. The only caveat is that, during market hours, their servers can occasionally take a while to respond. But aside from that, you won't find a more well equipped API for free.
To use Algotrader's built-in Alpha Vantage library, you'll first need to grab a free API keyhere. After the key is displayed on the page, you can copy it to your program and instantiate a new AlphaVantage object like so:
constAlphaVantage=algotrader.Data.AlphaVantage;constav=newAlphaVantage("myApiKey");
After, you can access any of the information provided in theirdocumentation easily.
// Get real time intraday price informationav.timeSeriesIntraday("AAPL","1min").then(array=>{// Returns an array of Quote objects for every minute since market openarray.forEach(quote=>{console.log(quote.getOpen());// 174.78console.log(quote.getVolume());// 13523});});// Get relative strength indexav.rsi("AAPL","daily",14,"close").then(array=>{// Returns an array of objects representing the RSI on each dayarray.forEach(rsi=>{// { date: 2017-11-17T00:00:00.000Z, RSI: '57.3707' }});});
For documentation on all Alpha Vantage functions, visit theData Library Docs.
IEX is a stock exchange founded in 2012 with the goal of creating "fairer markets." True to this goal, they've created a public API for use by everyone, not just institutions that can afford a massive monthly payment for data. Thanks to many factors, such as trading arbitrage, their quotes are the same (if not off by a fraction of a basis point) as the NYSE's and Nasdaq's nearly 100% of the time, even with their low volume comparatively. With that being said, below are a few examples of ways you can access their quote data and corporate financial information. For a full list of IEX queries, visit theData Library Docs.
constIEX=algotrader.Data.IEX;// Returns a quote objectIEX.getQuote("CSX").then(quote=>{// Quote {// symbol: 'CSX',// date: 2018-05-04T20:00:00.251Z,// source: 'IEX',// price:// { last: 59.97,// open: 58.69,// high: 60.41,// low: 58.575,// close: 59.97,// volume: 4186069},// dom: { bids: [], asks: [] }, - This was written while the market was closed. While the market is open, DOM elements are supported in the Quote object.// meta: undefined,// original: undefined}});// Returns an array of fiscal reports dating back 5 yearsIEX.getFinancials("AVGO").then(financials=>{// [ { reportDate: '2018-01-31',// grossProfit: 2643000000,// costOfRevenue: 2684000000,// operatingRevenue: 5327000000,// totalRevenue: 5327000000,// operatingIncome: 1088000000,// netIncome: 6230000000,// researchAndDevelopment: 925000000,// operatingExpense: 1555000000,// currentAssets: 11220000000,// totalAssets: 54544000000,// totalLiabilities: 28643000000,// currentCash: 7076000000,// currentDebt: 117000000,// totalCash: 7076000000,// totalDebt: 17592000000,// shareholderEquity: 25901000000,// cashChange: -4128000000,// cashFlow: 1685000000,// operatingGainsLosses: null},});// Returns company name, EPS, divided, short interest, 52-week high/low, percent change, EBITDA, and more.IEX.getStats("HD").then(stats=>{// For full output see https://iextrading.com/developer/docs/#key-stats});
You can even grab a company's logo with:
IEX.getLogo("MMM").then(logoURL=>{// https://storage.googleapis.com/iex/api/logos/MMM.png});
Output:
For documentation on IEX queries, visit theData Library Docs.
By market cap, the Nasdaq is the second largest global stock exchange behind only the NYSE. They offer a paid subscription for real time streaming, but Algotrader makes use of their public data repository via FTP. Below is an example of how to retrieve an array of all securities listed on their exchange. For a full list of Nasdaq queries, visit theData Library Docs.
constNasdaq=algotrader.Data.Nasdaq;Nasdaq.getListings().then(array=>{// [// {// Symbol: 'AABA',// 'Security Name': 'Altaba Inc. - Common Stock',// 'Market Category': 'Q',// 'Test Issue': 'N',// 'Financial Status': 'N',// 'Round Lot Size': '100',// ETF: 'N',// NextShares: 'N'// },// {// Symbol: 'AAL',// 'Security Name': 'American Airlines Group, Inc. - Common Stock',// 'Market Category': 'Q',// 'Test Issue': 'N',// 'Financial Status': 'N',// 'Round Lot Size': '100',// ETF: 'N',// NextShares: 'N'// },// ... and thousands more});
For documentation on Nasdaq queries, visit theData Library Docs.
Using the Yahoo Finance and Robinhood APIs, you can easily find stocks based on certain criteria.
Here are a few examples:
constQuery=algotrader.Data.Query;Query.getEarnings(1).then(array=>{// Returns an array of companies that are reporting their earnings within the next '1' day.// [// {// symbol: 'NFLX',// instrument: 'https://api.robinhood.com/instruments/81733743-965a-4d93-b87a-6973cb9efd34/',// year: 2018,// quarter: 1,// eps: { estimate: '0.6400', actual: null },// report: { date: '2018-04-16', timing: 'pm', verified: true },// call:// { datetime: '2018-04-16T22:00:00Z',// broadcast_url: 'http://mmm.wallstreethorizon.com/u.asp?u=152320',// replay_url: null}// },// ... and more});Query.search("Nordstrom").then(array=>{// Returns an array of matching stocks, options, ETF's, and others.// [// { symbol: 'JWN',// name: 'Nordstrom, Inc.',// exch: 'NYQ',// type: 'S',// exchDisp: 'NYSE',// typeDisp: 'Equity'},// { symbol: 'JWN180420C00045000',// name: 'JWN Apr 2018 call 45.000',// exch: 'OPR',// type: 'O',// exchDisp: 'OPR',// typeDisp: 'Option'},// ... and more});Query.getTopGainers(5).then(array=>{// Returns an array of objects each containing information on the five best performing stocks.// You can also use .getTopLosers(count)});Query.getHighestVolume(5).then(array=>{// Returns an array of objects each containing information on five of today's stocks with the highest volume.});
For documentation on all functions of the Query class, visit theData Library Docs.
Thanks to bothNews API and Yahoo Finance, you can get breaking news headlines and various articles on either specific companies or the market or world as a whole.
First you'll want to create a reference to the News class:const News = algotrader.Data.News;
You can then use either Yahoo Finance or News API to retrieve news articles, but it's easier to find exactly what you're looking for with the latter.
For Yahoo Finance, simply do the following:
News.getFromYahoo("AAPL").then(array=>{// Returns an array of news articles for the given symbol// [// News {// title: 'Amazon and Walmart Battle for Control of Flipkart',// description: 'The world's largest retailer and its online counterpart compete on many fronts, but the fight for India's largest online retailer may be one of the most important.',// date: 2018-04-15T15:45:00.000Z,// source: undefined,// author: undefined,// url: 'https://finance.yahoo.com/news/amazon-walmart-battle-control-flipkart-154500760.html?.tsrc=rss'},// News {// title: 'President Trump is considering rejoining the Trans Pacific Partnership trade deal',// description: 'President Trump is opening the door to rejoining the Trans Pacific Partnership trade deal. Yahoo Finance’s Jen Rogers and Rick Newman look at the implications.',// date: 2018-04-13T14:40:56.000Z,// source: undefined,// author: undefined,// url: 'https://finance.yahoo.com/video/president-trump-considering-rejoining-trans-144056381.html?.tsrc=rss'},// ... and more});
You'll notice that Yahoo Finance does not provide the author or the source and only links back to their website.
With News API, you'll get many more options on what articles to return. However, you'll need a free API key in order to use their service.Register for one here. You can then get either breaking/recent headlines or search for all articles matching your query.
Each News API query must contain an object with at least one query option. Possible parameters for the two functions are:
getHeadlines(apiKey, object)
q
- Keywords or phrases to search for.category
- Possible options: business, entertainment, general, health, science, sports, technology (Cannot be mixed with sources parameter)country
- The 2-letter ISO 3166-1 code of the country you want to get headlines for. (Cannot be mixed with sources parameter)sources
- A comma-separated string of identifiers (maximum 20) for the news sources or blogs you want headlines from. (Cannot be mixed with country parameter)pageSize
- The number of results to return per page. 20 is the default, 100 is the maximum.page
- Use this to page through the results.
getAll(apiKey, object)
q
- Keywords or phrases to search for.sources
- A comma-separated string of identifiers (maximum 20) for the news sources or blogs you want headlines from.domains
- A comma-separated string of domains (eg bbc.co.uk, techcrunch.com, engadget.com) to restrict the search to.from
- A date object for the oldest allowed article.to
- A date object for the newest allowed article.language
- Possible options: ar, de, en, es, fr, he, it, nl, no, pt, ru, se, ud, zhsortBy
- Possible options: relevancy, popularity, publishedAt (newest)pageSize
- The number of results to return per page. 20 is the default, 100 is the maximum.page
- Use this to page through the results.
Here is an example query for U.S. articles relating to usinggetHeadlines(apiKey, object)
:
News.getHeadlines("myApiKey",{country:"us",category:"business"}).then(array=>{// Returns an array of News objects related to U.S. business.// [// News {// title: 'Two black men were arrested waiting at a Starbucks. Now the company, police are on the defensive.',// description: 'The backlash is a dramatic turn from efforts to craft the company as a progressive corporate leader that values “diversity and inclusion.”',// date: 2018-04-15T15:22:22.000Z,// source: 'The Washington Post',// author: null,// url: 'https://www.washingtonpost.com/news/business/wp/2018/04/15/two-black-men-were-arrested-waiting-at-a-starbucks-now-the-company-police-are-on-the-defensive/'},// News {// title: 'Zillow surprises investors by buying up homes',// description: 'Real estate platform Zillow changed up its business model this week, announcing that it plans to purchase and sell homes in Las Vegas and Phoenix. Zillow will be working with Berkshire Hathaway and Coldwell Banker to make offers on homes before it finds a buy…',// date: 2018-04-15T00:27:56.000Z,// source: 'TechCrunch',// author: 'Katie Roof',// url: 'https://techcrunch.com/2018/04/14/zillow-surprises-investors-by-buying-up-homes/'}// ... and more});
TheNews Class provides a few functions that you can run to easily retrieve information you need, such asnews.getTitle()
,news.getDate()
, andnews.getDescription().
You can also download the full article from the source:
news.getArticle().then(html=>{// This will return raw HTML from the source. You'll have to parse it yourself if you want to read the entire article, but typically the description - news.getDescription() - is sufficient.});
For documentation on all News functions, visit theData Library Docs.
You should ensure that all promises are provided acatch
function in case they are rejected. In order to help with debugging, theError.toString()
method is modified in Algotrader's library. If you don't choose to use this you can continue to simply print the error.
For example:
myOrder.submit().then(res=>{// Order was successful}).catch(error=>{console.error(error.toString())});
This would print something similar to the image below, providing the response code and error message(s) from Robinhood. This is a larger error, so keep in mind that most of these would be on one line.
However, if you don't like this and want to keep your errors uniform, you can simply useconsole.error(error)
withouttoString().
As you can probably see from the images, it's much appreciated if you report unexpected errors as a new Issue on GitHub. Not only can you get help resolving the error if it's an isolated incident, but it also helps fix bugs in future updates.
You can report errorshere.
About
Simple algorithmic stock and option trading for Node.js.