I am trying to extract stock symbols (3rd column) from the table in below screener:
https://chartink.com/screener/2-short-trend and pass them on to a dataframe.
Due to my limited knowledge, I have hit a wall and can not move past it.
My code is:
JavaScript
x
8
1
from requests_html import HTMLSession
2
session = HTMLSession()
3
response = session.get('https://chartink.com/screener/2-short-trend')
4
response.html.render()
5
6
for result in response.html.xpath('//*[@id="DataTables_Table_0"]/tbody/tr/td/a[1]'):
7
print(f'{result.text}n')
8
Output:
JavaScript
1
14
14
1
Mahindra & Mahindra Limited
2
3
M&M
4
5
P&F
6
7
Apollo Tyres Limited
8
9
APOLLOTYRE
10
11
P&F
12
13
.
14
I just need stock symbols: M&M, APOLLOTYRE etc., and passed into a dataframe.
Can someone pls guide.
Advertisement
Answer
Bit of a quick fix, but you could use a counter assuming that the relevant output is the second result for every company. Something like the below:
JavaScript
1
19
19
1
from requests_html import HTMLSession
2
import pandas as pd
3
4
session = HTMLSession()
5
response = session.get('https://chartink.com/screener/2-short-trend')
6
response.html.render()
7
8
i = 1
9
symbols = []
10
for result in response.html.xpath('//*[@id="DataTables_Table_0"]/tbody/tr/td/a[1]'):
11
print(f'{result.text}n')
12
if i == 2:
13
symbols.append(result.text)
14
i -= 2
15
else:
16
i += 1
17
18
df = pd.DataFrame({"Symbol": symbols})
19
I structured i to trigger appending the result to a symbols list at the position where the symbol is iterated over and then a dataframe is created using the output. Using that code gave me a dataframe with the 5 symbols from your link.