forked from je-suis-tm/web-scraping
-
Notifications
You must be signed in to change notification settings - Fork 0
/
LME.py
153 lines (105 loc) · 4.24 KB
/
LME.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
# -*- coding: utf-8 -*-
#this is a script to store scraped content into database
#if we scrape a lot of websites or simply scrape a website everyday
#we will end up with a huge amount of data
#it is essential to create a data warehouse to keep everything organized
import sqlite3
import requests
import pandas as pd
from io import BytesIO
import re
#say if we wanna get the trader commitment report of lme from the link below
# https://www.lme.com/en-GB/Market-Data/Reports-and-data/Commitments-of-traders#tabIndex=1
#when we select aluminum and we will be redirected to a new link
# https://www.lme.com/en-GB/Market-Data/Reports-and-data/Commitments-of-traders/Aluminium
#if we try to view page source, we will find nothing in html parse tree
#what do we do?
#here is a very common scenario in web scraping
#we simply right click and select inspect element
#we will have to monitor the traffic one by one to identify where the report comes from
#as usual, i have done it for you
def get_download_link():
download_link='https://www.lme.com/api/Lists/DownloadLinks/%7B02E29CA4-5597-42E7-9A22-59BB73AE8F6B%7D'
#there are quite a few pages of reports
#for simplicity, we only care about the latest report
#note that the page counting starts from 0
session=requests.Session()
response = session.get(download_link,
params={"currentPage": 0})
#the response is a json file
#i assume you should be familiar with json now
#if not, plz check the link below
# https://github.com/je-suis-tm/web-scraping/blob/master/CME2.py
url_list=response.json()['content_items']
return url_list
#once we find out where the download link is
#we can get the actual report
def get_report(url_list):
prefix='https://www.lme.com'
url=url_list[0]['Url']
session=requests.Session()
response = session.get(prefix+url)
#we also get the date of the data from url
date=pd.to_datetime(re.search(r"\d{4}/\d{2}/\d{2}",url).group())
return response.content,date
#
def etl(content,date):
#the first seven rows are annoying headers
#we simply skip them
df = pd.ExcelFile(BytesIO(content)).parse('AH', skiprows=7)
#assume we only want positions of investment funds
#lets do some etl
df['Unnamed: 0'].fillna(method='ffill',
inplace=True)
col=list(df.columns)
for i in range(1,len(col)):
if 'Unnamed' in col[i]:
col[i]=col[i-1]
df.columns=col
del df['Notation of the position quantity']
df.dropna(inplace=True)
output=df['Investment Funds'][df['Unnamed: 0']=='Number of Positions']
output.columns=['long','short']
output=output.melt(value_vars=['long','short'],
var_name='position',
value_name='value')
output['type']=df['LOTS'].drop_duplicates().tolist()*2
output['date']=date
return output
#this function is to insert data into sqlite3 database
#i will not go into details for sql grammar
#for pythoners, sql is a piece of cake
#go check out the following link for sql
# https://www.w3schools.com/sql/
def database(df):
#plz make sure u have created the database and the table to proceed
#to create a table in database, first two lines are the same as below
#just add a few more lines
#c.execute("""CREATE TABLE lme (position TEXT, value FLOAT, type TEXT, date DATE);""")
#conn.commit()
#conn.close()
#to see what it looks like in the database
#use microsoft access or toad or just pandas
#db=pd.read_sql("""SELECT * FROM lme""",conn)
conn = sqlite3.connect('database.db')
c = conn.cursor()
#insert data
for i in range(len(df)):
try:
c.execute("""INSERT INTO lme VALUES (?,?,?,?)""",df.iloc[i,:])
conn.commit()
print('Updating...')
except Exception as e:
print(e)
#always need to close it
conn.close()
print('Done.')
return
#
def main():
url_list=get_download_link()
content,date=get_report(url_list)
output=etl(content,date)
database(output)
if __name__ == "__main__":
main()