On May 25, 2018, Judy Woodruff interviewed Marc Short, White House Director Of Legislative Affairs, on the PBS Newshour. The video and transcript can be found at this link. At 2:43 in the video, Marc Short states the following:
And, lastly, in April, we had the largest surplus on record in American history. That is a result of the growth and the revenues coming into the federal government because of the tax plan.
A Washington Times article similarly reported the record surplus. It starts:
The federal government took in a record tax haul in April en route to its biggest-ever monthly budget surplus, the Congressional Budget Office said, as a surging economy left Americans with more money in their paychecks — and this more to pay to Uncle Sam.
All told the government collected \$515 billion and spent \$297 billion, for a total monthly surplus of \$218 billion. That swamped the previous monthly record of \$190 billion, set in 2001.
However, the article went on to give more perspective than Marc Short, stating:
April is always a strong month for government finances, with taxpayers filing their returns for the previous year and settling up what they owe, even as expenditures often dip for the month.
But this year was particularly strong, with receipts jumping 13 percent compared to a year ago.
Following is Python code which reads the Monthly Treasury Statements for the current issue and previous issues and plots the monthly receipts, oulays, and surplus/deficit starting in October of 2014.
# Monthly Treasury Statement (MTS) - Current Issue:
# https://www.fiscal.treasury.gov/fsreports/rpt/mthTreasStmt/current.htm (before 11/30/2018)
# https://www.fiscal.treasury.gov/reports-statements/mts/current.html (new)
# Monthly Treasury Statement (MTS) - Previous Issues:
# https://www.fiscal.treasury.gov/fsreports/rpt/mthTreasStmt/backissues.htm (before 11/30/2018)
# https://www.fiscal.treasury.gov/reports-statements/mts/previous.html (new)
import pandas as pd
import matplotlib.pyplot as plt
%matplotlib inline
import datetime
pd.set_option('display.width', 120)
#pd.set_option('max_rows', 200)
# START OF VARIABLES TO UPDATE
month_index_last = 12 # 10 = July
year_last = 2019
yrmo_last = '1909'
moyr_last = '0919'
# variable for debts
month_last = 9
debt_filename_last = 'mtsdebts_1704_1909.csv'
debt_filename_all = 'mtsdebts_1503_1909.csv'
# (Note: manually update Jupyter URL and last month in final note below)
# END OF VARIABLES TO UPDATE
savefig_recout = "mts" + yrmo_last + "recout12m.png"
savefig_rec = "mts" + yrmo_last + "rec12m.png"
savefig_recoth = "mts" + yrmo_last + "recoth12m.png"
savefig_def = "mts" + yrmo_last + "def12m.png"
xlabel_last = "Source: Monthly Treasury Statements (see http://econdataus.com/mts" + yrmo_last + ".html"
# For 1018, had to change extention from .xls to .xlsx
#xlsx_files_last = "https://www.fiscal.treasury.gov/files/reports-statements/mts/mts" + moyr_last + ".xlsx"
# For 0319, had to change extention from .xlsx to .xls - UPDATE IF NEEDED
# For 0419, had to change extention from .xls to .xlsx - UPDATE IF NEEDED
xlsx_files_last = "https://www.fiscal.treasury.gov/files/reports-statements/mts/mts" + moyr_last + ".xlsx"
xlsx_files_yr = [
'https://www.fiscal.treasury.gov/files/reports-statements/mts/mts0915.xls',
'https://www.fiscal.treasury.gov/files/reports-statements/mts/mts0916.xls',
'https://www.fiscal.treasury.gov/files/reports-statements/mts/mts0917.xls',
'https://www.fiscal.treasury.gov/files/reports-statements/mts/mts0918.xls',
xlsx_files_last
]
def joinyear(year):
iyr = year - 2015
#print("BEFORE "+xlsx_files_yr[iyr])
xx = pd.read_excel(xlsx_files_yr[iyr], sheet_name='Table 7', index_col=0, skiprows=4)
#print(" AFTER "+xlsx_files_yr[iyr])
if year < 2099: # fix required for mts1118.xls # was 2019
xx = xx.iloc[[0,1,3,4,5,6,7,8,9,10,99,102], 0:12]
else:
#xx = xx.iloc[[0,1,3,4,5,6,7,8,9,10,97,100], 0:12]
xx = xx.iloc[[0,1,3,4,5,6,7,8,9,10,98,101], 0:12] # UPDATE for mts0319.xls
years = [year-1,year-1,year-1,year,year,year,year,year,year,year,year,year]
months = ['10','11','12','01','02','03','04','05','06','07','08','09']
#months = [10,11,12,1,2,3,4,5,6,7,8,9]
for i in range(0,12):
years[i] = str(years[i])+"-"+months[i]+"-01"
xx.columns = pd.to_datetime(years)
xx.index = ['Individual','Corporation','Employment','Unemployment','Other Retirement',
'Excise','Estate','Customs','Miscellaneous','Total Receipts','Total Outlays','Surplus/Deficit']
if year >= year_last:
xx = xx.iloc[:, 0:month_index_last]
#print(xx)
return(xx)
def joinyears(start_year, end_year):
yy = joinyear(2015)
for year in range(start_year+1, end_year+1):
yy = yy.join(joinyear(year))
return(yy.T)
def dofilter(ff, numeric=True, rollingsum=False, normalize=False, divisor=1000):
#print(yy)
#print(yy.T)
first = 0
for i in range(0,len(ff.columns)):
#print(ff.iloc[:,i]) #DEBUG
if (numeric):
ff.iloc[:,i] = ff.iloc[:,i].str.replace(',','').astype(int)
if (rollingsum):
ff.iloc[:,i] = ff.iloc[:,i].rolling(window=12).sum()
first = 11
if (normalize):
ff.iloc[:,i] = ff.iloc[:,i] - ff.iloc[first,i]
ff.iloc[:,i] = ff.iloc[:,i]/divisor
#yy = yy.T
#yy = yy.iloc[:,9:]
return(ff)
yy0 = joinyears(2015, year_last) # year_last gives error
yy = yy0.copy()
zz = dofilter(yy)
defs = zz.iloc[:,9:]
print('U.S. TREASURY RECEIPTS, OUTLAYS, AND DEFICITS: Monthly Amount ($billions)')
print(defs)
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
ax.plot(defs)
ax.set_title('U.S. TREASURY RECEIPTS, OUTLAYS, AND DEFICITS: Monthly Amount')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(defs.columns)
The reason for starting in October of 2014 is that this date is the start of fiscal year 2015, the first year for which the Treasury has spreadsheets posted on its site. In any event, the above plot clearly shows that receipts and surpluses peak in April of every year, presumedly due to taxpayers filing their returns. The plot also shows that the prior two months appeared to have had the largest monthly deficits since at least October of 2014. In fact, a ZeroHedge article mentions that the "March budget deficit of \$208.7 billion was 18% higher than \$176.2BN deficit recorded last March, and was the biggest March budget deficit in US history."
In order to factor in the periodic surpluses and deficits that occur over each year, it makes sense to look at the 12-month rolling sum of these values. That is done in the following Python code and the resulting plot.
yy = yy0.copy()
zz = dofilter(yy, rollingsum=True, normalize=True)
dd = zz.iloc[:,9:]
print('U.S. TREASURY RECEIPTS, OUTLAYS, AND DEFICITS: Change in 12-Month Rolling Sum ($billions)')
print(dd.iloc[11:,:])
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
ax.plot(dd)
ax.set_title('U.S. TREASURY RECEIPTS, OUTLAYS, AND DEFICITS: Change in 12-Month Rolling Sum')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(dd.columns)
fig.savefig(savefig_recout)
As can be seen, the 12-month rolling sum of receipts has increased by about \$54 billion since Trump took office. However, yearly outlays have increased by about \$248 billion, causing the yearly deficit to increase by about \$194 billion.
Focusing on the receipts, the following Python code plots the 12-month rolling sum of the three largest contributors to receipts. Those are individual income taxes, corporation income taxes, and employment taxes. Employment taxes consist chiefly of payroll taxes.
yy = yy0.copy()
zz = dofilter(yy, rollingsum=True, normalize=True)
dd = zz.iloc[:,0:3]
oo = zz.iloc[:,3:9]
dd.is_copy = False # avoids warning
dd['Other'] = oo.sum(axis=1, skipna=False)
print('SOURCES OF U.S. TREASURY RECEIPTS: Change in 12-Month Rolling Sum ($billions)')
print(dd.iloc[11:,:])
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
ax.plot(dd)
ax.set_title('SOURCES OF U.S. TREASURY RECEIPTS: Change in 12-Month Rolling Sum')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(dd.columns)
fig.savefig(savefig_rec)
As can be seen, yearly individual income tax receipts have risen about \$124 billion under Trump. Yearly employment tax receipts have risen about \$34 billion and yearly corporation tax receipts have dropped about \$94 billion. It is interesting to note that most of the drop in corporation tax receipts have occurred since the passage of the Tax Cuts and Jobs Act of 2017 so that may be the most visible effect of the tax bill on receipts. The surge in individual tax receipts likely has little to do with the tax bill since the taxes paid in April are based on the prior tax law. Regarding individual tax receipts, the Washington Times article does say the following:
Analysts said they’ll have a better idea of what’s behind the surge as more information rolls in, but for now said it looks like individual taxpayers are paying more because they have higher incomes.
“Those payments were mostly related to economic activity in 2017 and may reflect stronger-than-expected income growth in that year,” the analysts said in their monthly budget review. “Part of the strength in receipts also may reflect larger-than-anticipated payments for economic activity in 2018. The reasons for the added revenues will be better understood as more detailed information becomes available later this year.”
In any event, the following Python code shows the 12-month rolling sum of the other contributors to receipts.
yy = yy0.copy()
zz = dofilter(yy, rollingsum=True, normalize=True)
dd = zz.iloc[:,3:9]
print('OTHER SOURCES OF U.S. TREASURY RECEIPTS: Change in 12-Month Rolling Sum ($billions)')
print(dd.iloc[11:,:])
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
ax.plot(dd)
ax.set_title('OTHER SOURCES OF U.S. TREASURY RECEIPTS: Change in 12-Month Rolling Sum')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(dd.columns)
fig.savefig(savefig_recoth)
As can be seen, yearly receipts from excise taxes have risen about \$3 billion, customs taxes have risen about \$7 billion, and yearly miscellaneous receipts have fallen about \$20 billion since Trump took office. Adding that to the \$124 billion gain in individual tax receipts, \$34 billion gain in employment tax receipts, and \$94 billion loss in corporation tax receipts gives a total gain of about \$54 billion for all receipts, same as was shown in the second plot above.
The CBO Monthly Budget Review for April 2018, referenced by the Washington Times article as mentioned above, starts as follows:
The federal budget deficit was \$382 billion for the first seven months of fiscal year 2018, the Congressional Budget Office estimates, \$37 billion more than the shortfall recorded during the same period last year. Revenues and outlays were higher, by 4 percent and 5 percent, respectively, than they were during the first seven months of fiscal year 2017.
Hence, despite the increase in receipts, the deficit is continuing to grow. The following Python code plots the increase the 12-month rolling sum of the deficit.
yy = yy0.copy()
zz = dofilter(yy, rollingsum=True)
dd = zz.iloc[:,[11]]
print('U.S. TREASURY SURPLUS/DEFICIT(-): 12-Month Rolling Sum ($billions)')
print(dd.iloc[11:,:])
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
ax.plot(dd)
ax.set_title('U.S. TREASURY SURPLUS/DEFICIT(-): 12-Month Rolling Sum')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(dd.columns)
fig.savefig(savefig_def)
As can be seen, the annual deficit has increased from just under \$600 billion per year when Trump took office to nearly \$800 billion per year now. In fact, a CNBC article describes it as follows:
The deficit jumped to \$779 billion, \$113 billion or 17 percent higher than the previous fiscal period, according to a statement from Treasury Secretary Steven Mnuchin and Office of Management and Budget Director Mick Mulvaney. It was larger than any year since 2012, when it topped \$1 trillion. The budget shortfall rose to 3.9 percent of U.S. gross domestic product.
The referenced statement from Steven Mnuchin and Mick Mulvaney contains the following table:
Budget in billions of $ | Receipts | Outlays | Deficit |
---|---|---|---|
FY 2017 Actual | 3,315 | 3,981 | -666 |
Percentage of GDP | 17.2% | 20.7% | 3.5% |
FY 2018 Estimates: | |||
2019 Budget | 3,340 | 4,173 | -833 |
2019 Mid-Session Review | 3,322 | 4,171 | -849 |
FY 2018 Actual | 3,329 | 4,108 | -779 |
Percentage of GDP | 16.5% | 20.3% | 3.9% |
As can be seen, both receipts and outlays increased from the prior year though receipts just increased slightly. However, the table shows that both receipts and outlays decreased as a percentage of GDP. In fact, the statement itself states:
As a percentage of GDP, receipts equaled 16.5 percent, 0.7 percentage point lower than in FY 2017 and 0.9 percentage point below the average over the last 40 years.
Also, the Congressional Budget Office's Monthly Budget Review for September 2018 states the following:
The federal budget deficit was \$782 billion in fiscal year 2018, the Congressional Budget Office estimates, \$116 billion more than the shortfall recorded in fiscal year 2017. As was the case last year, this year’s outlays were affected by shifts in the timing of certain payments that otherwise would have been due on a weekend. If not for those shifts, the deficit for the year would have been \$826 billion—\$162 billion larger than last year’s amount.
This shifting of payments was caused by the fact that October 1, 2017 was on a Sunday. For this reason, certain payments scheduled for that day had to be shifted to Friday, September 29 of the prior fiscal year. On the other hand, October 1, 2018 was on a Monday so no payments had to be shifted this year. In fact, this is the reason that the 12-month rolling sum for the deficit decreased sharply from \$890 billion to \$779 billion. For this month, September of 2017 (which had those additional shifted outlays) was dropped and September of 2018 (which had normal outlays) was added. As seen in the second graph above, this caused a drop in annual outlays and deficits. However, since outlays were shifted from FY2018 to FY2017 (but not from FY2019 to FY2018) this causes the FY2018 deficit to be lower by the amount of the shifted payments.
In any case, the record surplus in April does not appear to signify anything more than the fact that 2017 had relatively strong economic growth. Contrary to Marc Short's statement, it doesn't appear to have much, if anything, to do with the tax bill that was passed at the end of 2016. On the contrary, the fact that receipts are below their 40-year average, even in a good economy, suggests that the tax cuts have much to do with why the deficit is continuing to grow.
On February 13, 2019, CNSNews.com released a story titled \$1,665,484,000,000: Feds Collect Record Individual Income Taxes in Calendar 2018--as Debt Climbed \$1,481,349,159,596.80. It states:
At the same time the Treasury was collecting record individual income taxes, the federal debt was climbing from \$20,492,746,546,193.75 at the close of 2017 to \$21,974,095,705,790.55 at the close of 2018. That was a one-year increase of \$1,481,349,159,596.80.
In order to verify these numbers, the following code takes data from the Monthly Treasury Statements since September of 2014.
import pandas as pd
import matplotlib.pyplot as plt
%matplotlib inline
from pathlib import Path
def joinyear6(month, year):
yr = year % 100
smo = ['00','01','02','03','04','05','06','07','08','09','10','11','12']
filetype = '.xls'
if year <= 2015 and month <= 4:
filetype = '.xlsx'
if year == 2016 and month == 2:
filetype = '.xlsx'
if year == 2018 and month == 7:
filetype = '.xlsx'
if year == 2018 and month >= 10:
filetype = '.xlsx'
if year == 2019 and month <= 2: # UPDATE IF NEEDED
filetype = '.xlsx'
if year == 2019 and month >= 4: # UPDATE IF NEEDED
filetype = '.xlsx'
filepath = "https://www.fiscal.treasury.gov/files/reports-statements/mts/mts"+smo[month]+str(yr)+filetype
print("BEFORE "+filepath)
if year < 2017:
xx = pd.read_excel(filepath, sheet_name='Table 6', index_col=0, skiprows=6)
elif year == 2017 and month <= 3:
xx = pd.read_excel(filepath, sheet_name='Table 6', index_col=0, skiprows=6)
elif year == 2018 and month == 11:
xx = pd.read_excel(filepath, sheet_name='Table 6', index_col=0, skiprows=6)
elif year >= 2019 and month >= 2 and month <=3: # Debt Held by the Public on line 12 -> skiprows=6
xx = pd.read_excel(filepath, sheet_name='Table 6', index_col=0, skiprows=6)
else: # Debt Held by the Public on line 11 -> skiprows=5 - UPDATE IF NEEDED
xx = pd.read_excel(filepath, sheet_name='Table 6', index_col=0, skiprows=5)
#print(xx)
#print(" AFTER "+filepath)
xx = xx.iloc[4:7, 5]
xx[0] = int(xx[0].replace(',',''))/1000
xx[1] = int(xx[1].replace(',',''))/1000
xx[2] = int(xx[2].replace(',',''))/1000
xx.index = ['Public','Intragov','Gross']
dd = pd.DataFrame(xx).T
dd.index = [str(year)+"-"+smo[month]+"-01"] # set index to date
#print(dd) #DEBUG
return(dd)
def joinyears6(start_month, start_year, end_month, end_year):
month = start_month
year = start_year
yy = joinyear6(month, year)
month = month + 1
if month > 12:
month = 1
year = year + 1
while year < end_year or (year == end_year and month <= end_month):
xx = joinyear6(month, year)
yy = yy.append(xx)
month = month + 1
if month > 12:
month = 1
year = year + 1
return(yy)
filename = 'mtsdebts_1409_1502.csv'
print("BEFORE "+filename)
zz = pd.read_csv(filename, index_col=0)
filename = 'mtsdebts_1503_1612.csv'
csvfile = Path(filename)
if csvfile.is_file():
print("BEFORE "+filename)
yy = pd.read_csv(filename, index_col=0)
else:
yy = joinyears6(3, 2015, 12, 2016)
yy.to_csv(filename)
zz = zz.append(yy)
filename = 'mtsdebts_1701_1703.csv'
print("BEFORE "+filename)
yy = pd.read_csv(filename, index_col=0)
zz = zz.append(yy)
#filename = 'mtsdebts_1704_1812.csv'
filename = debt_filename_last
csvfile = Path(filename)
if csvfile.is_file():
print("BEFORE "+filename)
yy = pd.read_csv(filename, index_col=0)
else:
#yy = joinyears6(4, 2017, 12, 2018)
yy = joinyears6(4, 2017, month_last, year_last)
yy.to_csv(filename)
zz = zz.append(yy)
zz.index = pd.to_datetime(zz.index)
#zz.to_csv('mtsdebts_1503_1812.csv')
zz.to_csv(debt_filename_all)
#zz = pd.read_html(filepath) # for html format
#print(zz)
#print(zz.info())
The following table and graph of the Monthly Treasury Statement numbers show the increase in the national debt to the end of 2018.
print('U.S. DEBT HELD BY THE PUBLIC AND GROSS DEBT ($billions)')
zz0 = zz
zz0 = zz0.drop('Intragov', 1)
print(zz0)
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
colors = ['C0','C3']
#ax.plot(zz0)
zz0[:].plot(ax = ax, color=colors)
ax.set_title('U.S. DEBT HELD BY THE PUBLIC AND GROSS DEBT')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(zz0.columns)
savefig_debts = "mts" + yrmo_last + "debts.png"
fig.savefig(savefig_debts)
As can be seen above, the gross federal debt rose to nearly \$22 trillion at the end of 2018. This is the "federal debt" referenced in the CNSNews.com article. Also shown is the Debt Held by the Public which rose to over \$16 trillion. The difference between these to measures of the debt is the Intragovernmental Holdings. This is described on Wikipedia as follows:
In the United States, intragovernmental holdings are primarily composed of the Medicare Trust Fund, the Social Security Trust Fund, and Federal Financing Bank securities. A small amount of marketable securities are held by government accounts.
An interesting thing apparent in the graph is how the debt totals went flat for most of 2015 and 2017. This was caused by the debt ceiling, explained by this article as follows:
On March 15, 2015, the nation reached the debt ceiling of \$18.113 trillion. In response, the Treasury Secretary stopped issuing new debt. He took extraordinary measures to keep the debt from exceeding the limit. For example, he stopped payments to federal employee retirement funds. He also sold investments held by those funds. He kept the debt under the limit until Congress passed the Bipartisan Budget Act of 2015 on November 15. The ceiling remained suspended until March 15, 2017. That means the Treasury Department could not allow the statutory debt limit to go one penny higher than the \$19.808 trillion it was on that day.
Treasury kept the debt under that ceiling until September 8, 2017.
As explained earlier in that article, that was the day that "President Trump signed a bill increasing the debt ceiling to December 8, 2017".
The following graph looks at the 12-month rolling change in these debts, along with the 12-month rolling sum of the deficit shown earlier.
zzdiff = zz.diff()
zzdiff = -zzdiff.iloc[1:,]
zzdiff['Deficit'] = defs.iloc[0:,2]
zzrs = zzdiff.rolling(window=12).sum()
zzrs = zzrs.iloc[11:,]
#print(zz)
#print(zzdiff)
print('U.S. DEBTS AND DEFICIT: 12-Month Rolling Change ($billions)')
print(zzrs)
fig, ax = plt.subplots(1, 1, figsize=(12, 8))
colors = ['C0','C2','C3','C1']
#ax.plot(zzrs)
#zzrs[['Public','Intragov','Gross','Deficit']].plot(ax = ax, color=colors)
zzrs[:].plot(ax = ax, color=colors)
ax.set_title('U.S. DEBTS AND DEFICIT: 12-Month Rolling Change')
ax.set_xlabel(xlabel_last)
ax.set_ylabel('Billions of Dollars')
ax.grid(zorder=0)
ax.legend(zzrs.columns)
savefig_debts12m = "mts" + yrmo_last + "debts12m.png"
fig.savefig(savefig_debts12m)
As can be seen in the table and graph above, the 12-month changes in the public and gross debts were generally larger (negatively) than the 12-month rolling sum of the deficit. However, the change in the debts reached a minimum in October of 2015 and August of 2017. Non-coincidently, these were the final months of the debt crises after which the debts caught up and continued their prior trends. Since it's been well over a year since the 2017 debt ceiling crisis ended, the latest 12-month rolling changes should not be much affected by it. It's not surprising that the change in the gross federal debt is larger since it includes intergovernmental debt. However, it does seem strange that the change in the Debt Held by the Public is so much larger, at over \$1.287 trillion. This would seem to merit further investigation.
In any event, one likely factor in the increasing debts and deficits is the Tax Cuts and Jobs Act of 2017. The [aforementioned CNSNews.com article] (https://www.cnsnews.com/news/article/terence-p-jeffrey/1665484000000-feds-collect-record-individual-income-taxes-calendar) concluded:
Even as inflation-adjusted individual income taxes increased from calendar year 2017 to calendar year 2018, total federal tax collections declined.
In calendar 2017, total federal tax collections in constant December 2018 dollars were \$3,407,503,740,000. In calendar year 2018, they were \$3,330,470,000,000—a decline of \$77,033,740,000 from 2017.
Corporation income tax collections declined significantly from calendar year 2017 to calendar year 2018. In calendar 2017, the Treasury collected \$290,978,980,000 in corporation income taxes (in constant December 2018 dollars). In calendar 2018, the Treasury collected \$195,790,000,000 in corporation income taxes—a drop of \$95,188,980,000.
That was a decline in corporation income tax revenue of 32.7 percent.
Note: The Jupyter Notebook from which this post is generated can be found at http://econdataus.com/mts1909.ipynb. It is identical to the one at http://econdataus.com/mts1804.ipynb except that data on the debt was added in December 2018 and it has been updated through September 2019. Links to additional Jupyter Notebooks can be found at http://econdataus.com/jupyter.html.