-
Notifications
You must be signed in to change notification settings - Fork 0
/
metodos_auxiliares_news.py
170 lines (132 loc) · 5.33 KB
/
metodos_auxiliares_news.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
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
import pandas as pd
import requests
import urllib
import time
import json
import sys
import os
import re
from datetime import date
from bs4 import BeautifulSoup
from twitter_api import TwitterClass
class HelperClassNews:
"""
Classe de métodos auxiliares
"""
def __init__(self):
# mapeamento de meses
self.dict_map_mes = {1: 'janeiro',
2: 'fevereiro',
3: 'março',
4: 'abril',
5: 'maio',
6: 'junho',
7: 'julho',
8: 'agosto',
9: 'setembro',
10: 'outubro',
11: 'novembro',
12: 'dezembro'
}
# dia atual
print (self.get_dia_atual())
# path atual
self.current_path = str(os.getcwd())
# arquivos auxiliares
path_json_parametros_news = os.path.join(self.current_path, "parametros_news.json")
# API do Twitter
self.twitter_api = TwitterClass()
# parâmetros globais
self.url_google_news = "https://news.google.com"
# lista de pesquisas
path_pesquisas = os.path.join(self.current_path, "pesquisas.csv")
self.lista_pesquisas = pd.read_csv(path_pesquisas, sep=';', encoding='utf-8', header=None)[0]
self.max_news_check = 5
self.max_publicacoes = 3
self.modulo = 'noticias'
def get_dia_atual(self):
'''
data de hoje
'''
# data de hoje
dia = date.today().strftime("%d")
mes = self.dict_map_mes[int(date.today().strftime("%m"))]
ano = date.today().strftime("%Y")
return f"{dia} de {mes} de {ano}"
def prepara_tweet(self, noticia, link):
'''
retorna tweet tratado
'''
return f"{self.twitter_api.get_inicio_post()}{noticia}\n\nFonte: {link}{self.twitter_api.get_fim_post()}"
def gera_url_google_news(self, url):
'''
Gera url google news
'''
return (self.url_google_news + '/search?q=' + url.replace(" ", "+") + "&hl=pt-BR")
def pesquisa_news(self):
'''
pesquisa notícias
'''
lista_news = []
for pesquisa in self.lista_pesquisas:
pesquisa = self.gera_url_google_news(pesquisa)
response = requests.get(pesquisa)
soup = BeautifulSoup(response.text, 'html.parser')
for index, result in enumerate(soup.select('.xrnccd')):
# interrompe execução
if index >= self.max_news_check:
break
# data da publicação
classe_regex = re.compile('.*WW6dff uQIVzc Sksgp.*')
data = result.find("time", {"class": classe_regex}).text
if ('hora' not in data.lower() and 'ontem' not in data.lower()):
continue
# noticia
noticia = (result.h3.a.text)
# link
link = "https://news.google.com" + result.h3.a['href'][1:]
url_long = requests.get(link).url
# coloca noticia e link na lista
lista_news.append([noticia, url_long])
return pd.DataFrame(lista_news, columns=['Noticia', 'Link'])
def publica_conteudo(self):
'''
verifica se tweet está ok e publica no Twitter
'''
# flag de publicação
if (self.twitter_api.get_status_twitter() != 1):
print ("Flag 0. Não posso publicar!")
return
# pesquisa notícias
df_news = self.pesquisa_news()
try:
if (len(df_news) == 0):
return
except:
return
# itera lista de noticias
contador_publicacoes = 0
for index in range(len(df_news['Noticia'])):
if (contador_publicacoes >= self.max_publicacoes):
break
try:
# cria o tweet
noticia = df_news.iloc[index]['Noticia']
link = df_news.iloc[index]['Link']
tweet = self.prepara_tweet(noticia, link)
# verifica se tweet está ok
if (self.twitter_api.verifica_tweet_pode_ser_publicado(tweet) and self.twitter_api.valida_tamanho_tweet(tweet)):
status = self.twitter_api.make_tweet(tweet=tweet,
modulo=self.modulo,
intent="noticias",
lista_atributos=[],
modo_operacao='padrao',
tweet_id=0)
if (status != 0):
print (tweet)
print ('Tweet publicado!')
contador_publicacoes+=1
time.sleep(60)
# erro
except Exception as e:
continue