This repository has been archived on 2022-06-28. You can view files and clone it, but cannot push or open issues or pull requests.
Yotter/app/routes.py

664 lines
26 KiB
Python
Raw Normal View History

2020-07-31 15:58:52 +05:30
from flask import render_template, flash, redirect, url_for, request, send_from_directory, Markup
2020-07-27 18:30:01 +05:30
from app.forms import LoginForm, RegistrationForm, EmptyForm, SearchForm, ChannelForm
from app.models import User, twitterPost, ytPost, Post, youtubeFollow, twitterFollow
2020-07-13 03:13:36 +05:30
from flask_login import login_user, logout_user, current_user, login_required
2020-08-16 18:50:05 +05:30
from flask import Flask, Response, stream_with_context
2020-07-14 21:15:29 +05:30
from requests_futures.sessions import FuturesSession
2020-08-30 02:05:29 +05:30
from werkzeug.datastructures import Headers
2020-07-14 21:15:29 +05:30
from concurrent.futures import as_completed
from werkzeug.utils import secure_filename
2020-08-17 14:32:18 +05:30
from youtube_search import YoutubeSearch
2020-07-13 03:13:36 +05:30
from werkzeug.urls import url_parse
from youtube_dl import YoutubeDL
2020-08-27 02:43:54 +05:30
from numerize import numerize
2020-08-16 18:50:05 +05:30
from bs4 import BeautifulSoup
2020-07-13 03:13:36 +05:30
from app import app, db
2020-08-30 02:05:29 +05:30
from re import findall
2020-07-13 03:13:36 +05:30
import random, string
2020-07-31 15:58:52 +05:30
import time, datetime
2020-07-13 03:13:36 +05:30
import feedparser
2020-07-13 20:06:45 +05:30
import requests
2020-08-30 13:35:16 +05:30
import bleach
2020-08-27 01:43:51 +05:30
import urllib
2020-07-27 18:30:01 +05:30
import json
import re
2020-07-13 20:06:45 +05:30
2020-08-30 04:45:48 +05:30
##########################
#### Config variables ####
##########################
NITTERINSTANCE = "https://nitter.net/" # Must be https://.../
YOUTUBERSS = "https://www.youtube.com/feeds/videos.xml?channel_id="
2020-08-30 04:46:51 +05:30
REGISTRATIONS = True
2020-07-13 03:13:36 +05:30
##########################
#### Global variables ####
##########################
ALLOWED_EXTENSIONS = {'json'}
2020-07-31 15:58:52 +05:30
#########################
#### Twitter Logic ######
#########################
2020-07-13 03:13:36 +05:30
@app.route('/')
@app.route('/index')
@login_required
def index():
2020-08-26 13:11:34 +05:30
return render_template('home.html')
@app.route('/twitter')
@login_required
def twitter():
2020-07-31 15:58:52 +05:30
start_time = time.time()
followingList = current_user.twitter_following_list()
followCount = len(followingList)
2020-07-13 03:13:36 +05:30
posts = []
avatarPath = "img/avatars/1.png"
2020-07-13 20:06:45 +05:30
form = EmptyForm()
posts.extend(getFeed(followingList))
posts.sort(key=lambda x: x.timeStamp, reverse=True)
2020-07-14 21:15:29 +05:30
if not posts:
profilePic = avatarPath
else:
profilePic = posts[0].userProfilePic
2020-07-31 15:58:52 +05:30
print("--- {} seconds fetching twitter feed---".format(time.time() - start_time))
2020-08-30 16:10:20 +05:30
return render_template('twitter.html', title='Yotter | Twitter', posts=posts, avatar=avatarPath, profilePic = profilePic, followedCount=followCount, form=form)
2020-07-13 03:13:36 +05:30
2020-07-13 20:06:45 +05:30
@app.route('/savePost/<url>', methods=['POST'])
@login_required
def savePost(url):
savedUrl = url.replace('~', '/')
r = requests.get(savedUrl)
html = BeautifulSoup(str(r.content), "lxml")
post = html.body.find('div', attrs={'class':'main-tweet'})
newPost = Post()
newPost.url = savedUrl
newPost.username = post.find('a','username').text.replace("@","")
newPost.body = post.find_all('div', attrs={'class':'tweet-content'})[0].text.encode('latin1').decode('unicode_escape').encode('latin1').decode('utf8')
newPost.timestamp = post.find_all('p', attrs={'class':'tweet-published'})[0].text.encode('latin1').decode('unicode_escape').encode('latin1').decode('utf8')
newPost.user_id = current_user.id
try:
db.session.add(newPost)
db.session.commit()
except:
flash("Post could not be saved. Either it was already saved or there was an error.")
2020-08-27 01:43:51 +05:30
return redirect(request.referrer)
2020-07-13 20:06:45 +05:30
@app.route('/saved')
@login_required
def saved():
savedPosts = current_user.saved_posts().all()
return render_template('saved.html', title='Saved', savedPosts=savedPosts)
@app.route('/deleteSaved/<id>', methods=['POST'])
@login_required
def deleteSaved(id):
savedPost = Post.query.filter_by(id=id).first()
db.session.delete(savedPost)
db.session.commit()
return redirect(url_for('saved'))
2020-07-13 03:13:36 +05:30
@app.route('/follow/<username>', methods=['POST'])
@login_required
def follow(username):
form = EmptyForm()
if form.validate_on_submit():
2020-08-24 19:01:56 +05:30
if followTwitterAccount(username):
flash("{} followed!".format(username))
return redirect(request.referrer)
2020-08-24 19:01:56 +05:30
def followTwitterAccount(username):
if isTwitterUser(username):
2020-08-24 19:01:56 +05:30
if not current_user.is_following_tw(username):
try:
follow = twitterFollow()
follow.username = username
follow.followers.append(current_user)
db.session.add(follow)
db.session.commit()
return True
except:
flash("Twitter: Couldn't follow {}. Already followed?".format(username))
return False
2020-07-13 03:13:36 +05:30
else:
flash("Something went wrong... try again")
return False
2020-07-13 03:13:36 +05:30
@app.route('/unfollow/<username>', methods=['POST'])
@login_required
def unfollow(username):
form = EmptyForm()
if form.validate_on_submit():
if twUnfollow(username):
flash("{} unfollowed!".format(username))
return redirect(request.referrer)
2020-07-13 03:13:36 +05:30
def twUnfollow(username):
try:
user = twitterFollow.query.filter_by(username=username).first()
db.session.delete(user)
2020-07-13 05:40:51 +05:30
db.session.commit()
except:
flash("There was an error unfollowing the user. Try again.")
return redirect(request.referrer)
2020-07-13 05:40:51 +05:30
@app.route('/following')
@login_required
def following():
form = EmptyForm()
followCount = len(current_user.twitter_following_list())
accounts = current_user.twitter_following_list()
return render_template('following.html', accounts = accounts, count = followCount, form = form)
2020-07-13 05:40:51 +05:30
@app.route('/search', methods=['GET', 'POST'])
@login_required
def search():
form = SearchForm()
if form.validate_on_submit():
user = form.username.data
2020-08-27 13:37:48 +05:30
results = twitterUserSearch(user)
2020-07-14 22:30:50 +05:30
if results:
2020-08-27 13:37:48 +05:30
return render_template('search.html', form = form, results = results)
2020-07-13 05:40:51 +05:30
else:
2020-07-14 22:30:50 +05:30
flash("User {} not found...".format(user))
2020-08-27 13:37:48 +05:30
return redirect(request.referrer)
2020-07-13 05:40:51 +05:30
else:
return render_template('search.html', form = form)
2020-08-27 15:37:59 +05:30
@app.route('/u/<username>')
2020-07-13 03:13:36 +05:30
@login_required
2020-08-27 15:37:59 +05:30
def u(username):
2020-08-27 01:43:51 +05:30
form = EmptyForm()
avatarPath = "img/avatars/{}.png".format(str(random.randint(1,12)))
user = getTwitterUserInfo(username)
if not user:
flash("This user is not on Twitter.")
2020-08-27 01:43:51 +05:30
return redirect(request.referrer)
2020-07-13 05:40:51 +05:30
2020-07-13 03:13:36 +05:30
posts = []
posts.extend(getPosts(username))
2020-07-14 21:15:29 +05:30
if not posts:
2020-08-27 01:43:51 +05:30
user['profilePic'] = avatarPath
return render_template('user.html', posts=posts, user=user, form=form)
2020-07-13 03:13:36 +05:30
2020-07-31 15:58:52 +05:30
#########################
#### Youtube Logic ######
#########################
@app.route('/youtube', methods=['GET', 'POST'])
2020-07-31 15:58:52 +05:30
@login_required
def youtube():
followCount = len(current_user.youtube_following_list())
2020-07-31 15:58:52 +05:30
start_time = time.time()
ids = current_user.youtube_following_list()
2020-08-16 18:50:05 +05:30
videos = getYoutubePosts(ids)
2020-07-31 15:58:52 +05:30
if videos:
videos.sort(key=lambda x: x.date, reverse=True)
2020-08-23 20:57:12 +05:30
print("--- {} seconds fetching youtube feed---".format(time.time() - start_time))
2020-08-30 16:10:20 +05:30
return render_template('youtube.html', title="Yotter | Youtube", videos=videos, followCount=followCount)
@app.route('/ytfollowing', methods=['GET', 'POST'])
@login_required
def ytfollowing():
form = EmptyForm()
channelList = current_user.youtube_following_list()
channelCount = len(channelList)
return render_template('ytfollowing.html', form=form, channelList=channelList, channelCount=channelCount)
2020-07-31 15:58:52 +05:30
@app.route('/ytsearch', methods=['GET', 'POST'])
@login_required
def ytsearch():
form = ChannelForm()
button_form = EmptyForm()
if form.validate_on_submit():
2020-08-17 14:32:18 +05:30
channels = []
videos = []
searchTerm = form.channelId.data
search = YoutubeSearch(searchTerm)
chnns = search.channels_to_dict()
vids = search.videos_to_dict()
for v in vids:
videos.append({
2020-08-23 00:26:04 +05:30
'channelName':v['channel'],
2020-08-17 14:32:18 +05:30
'videoTitle':v['title'],
'description':Markup(v['long_desc']),
'id':v['id'],
'videoThumb': v['thumbnails'][-1],
'channelUrl':v['url_suffix'],
2020-08-24 01:03:23 +05:30
'channelId': v['channelId'],
2020-08-17 14:32:18 +05:30
'views':v['views'],
'timeStamp':v['publishedText']
})
for c in chnns:
2020-08-27 02:43:54 +05:30
print(c)
2020-08-17 14:32:18 +05:30
channels.append({
'username':c['name'],
'channelId':c['id'],
'thumbnail':'https:{}'.format(c['thumbnails'][0]),
2020-08-27 02:43:54 +05:30
'subCount':c['suscriberCountText'].split(" ")[0]
2020-08-17 14:32:18 +05:30
})
return render_template('ytsearch.html', form=form, btform=button_form, channels=channels, videos=videos)
2020-07-31 15:58:52 +05:30
else:
return render_template('ytsearch.html', form=form)
@app.route('/ytfollow/<channelId>', methods=['POST'])
@login_required
def ytfollow(channelId):
form = EmptyForm()
if form.validate_on_submit():
r = followYoutubeChannel(channelId)
return redirect(request.referrer)
def followYoutubeChannel(channelId):
channelData = YoutubeSearch.channelInfo(channelId, False)
try:
2020-08-24 19:01:56 +05:30
if not current_user.is_following_yt(channelId):
follow = youtubeFollow()
follow.channelId = channelId
follow.channelName = channelData[0]['name']
follow.followers.append(current_user)
db.session.add(follow)
db.session.commit()
flash("{} followed!".format(channelData[0]['name']))
return True
else:
return False
except:
2020-08-24 19:01:56 +05:30
flash("Youtube: Couldn't follow {}. Already followed?".format(channelData[0]['name']))
return False
2020-07-31 15:58:52 +05:30
@app.route('/ytunfollow/<channelId>', methods=['POST'])
@login_required
def ytunfollow(channelId):
form = EmptyForm()
if form.validate_on_submit():
r = unfollowYoutubeChannel(channelId)
return redirect(request.referrer)
def unfollowYoutubeChannel(channelId):
2020-07-31 15:58:52 +05:30
try:
channel = youtubeFollow.query.filter_by(channelId=channelId).first()
2020-07-31 15:58:52 +05:30
db.session.delete(channel)
db.session.commit()
flash("{} unfollowed!".format(channel.channelName))
2020-07-31 15:58:52 +05:30
except:
flash("There was an error unfollowing the user. Try again.")
2020-08-23 21:06:00 +05:30
return redirect(request.referrer)
2020-07-31 15:58:52 +05:30
@app.route('/channel/<id>', methods=['GET'])
2020-08-27 15:37:59 +05:30
@app.route('/user/<id>', methods=['GET'])
@login_required
def channel(id):
2020-08-23 21:06:00 +05:30
form = ChannelForm()
button_form = EmptyForm()
data = requests.get('https://www.youtube.com/feeds/videos.xml?channel_id={id}'.format(id=id))
data = feedparser.parse(data.content)
2020-08-23 14:33:49 +05:30
channelData = YoutubeSearch.channelInfo(id)
return render_template('channel.html', form=form, btform=button_form, channel=channelData[0], videos=channelData[1])
2020-08-17 11:56:56 +05:30
@app.route('/watch', methods=['GET'])
2020-07-31 15:58:52 +05:30
@login_required
def watch():
id = request.args.get('v', None)
ydl = YoutubeDL()
2020-08-26 13:11:34 +05:30
data = ydl.extract_info(id, False)
if data['formats'][-1]['url'].find("manifest.googlevideo") > 0:
flash("Livestreams are not yet supported!")
return redirect(url_for('youtube'))
2020-07-31 15:58:52 +05:30
video = {
'title':data['title'],
2020-08-30 13:35:16 +05:30
'description':Markup(markupString(data['description'])),
'viewCount':data['view_count'],
'author':data['uploader'],
'authorUrl':data['uploader_url'],
2020-08-23 20:57:12 +05:30
'channelId': data['uploader_id'],
'id':id,
'averageRating': str((float(data['average_rating'])/5)*100)
2020-07-31 15:58:52 +05:30
}
2020-08-30 13:35:16 +05:30
print(video['description'])
2020-07-31 15:58:52 +05:30
return render_template("video.html", video=video)
2020-08-30 13:35:16 +05:30
def markupString(string):
string = string.replace("\n\n", "<br><br>").replace("\n", "<br>")
string = bleach.linkify(string)
string = string.replace("https://youtube.com/", "")
string = string.replace("https://www.youtube.com/", "")
string = string.replace("https://twitter.com/", "/u/")
print(request.url)
return string
2020-08-30 16:10:20 +05:30
## PROXY videos through Yotter server to the client.
2020-08-30 02:05:29 +05:30
@app.route('/stream', methods=['GET', 'POST'])
@login_required
def stream():
2020-08-30 02:05:29 +05:30
#This function proxies the video stream from GoogleVideo to the client.
id = request.args.get('v', None)
2020-08-30 02:05:29 +05:30
headers = Headers()
if(id):
ydl = YoutubeDL()
2020-08-17 14:48:00 +05:30
data = ydl.extract_info("{id}".format(id=id), download=False)
req = requests.get(data['formats'][-1]['url'], stream = True)
2020-08-30 02:05:29 +05:30
headers.add('Accept-Ranges','bytes')
headers.add('Content-Length', str(int(req.headers['Content-Length'])+1))
response = Response(req.iter_content(chunk_size=12*1024), mimetype=req.headers['Content-Type'], content_type=req.headers['Content-Type'], direct_passthrough=True, headers=headers)
#enable browser file caching with etags
response.cache_control.public = True
response.cache_control.max_age = int(60000)
return response
else:
2020-08-17 11:56:56 +05:30
flash("Something went wrong loading the video... Try again.")
return redirect(url_for('youtube'))
2020-08-30 02:05:29 +05:30
2020-07-31 15:58:52 +05:30
#########################
#### General Logic ######
#########################
@app.route('/login', methods=['GET', 'POST'])
def login():
if current_user.is_authenticated:
return redirect(url_for('index'))
form = LoginForm()
if form.validate_on_submit():
user = User.query.filter_by(username=form.username.data).first()
if user is None or not user.check_password(form.password.data):
flash('Invalid username or password')
return redirect(url_for('login'))
login_user(user, remember=form.remember_me.data)
next_page = request.args.get('next')
if not next_page or url_parse(next_page).netloc != '':
next_page = url_for('index')
return redirect(next_page)
return render_template('login.html', title='Sign In', form=form)
@app.route('/logout')
def logout():
logout_user()
return redirect(url_for('index'))
@app.route('/settings')
@login_required
def settings():
return render_template('settings.html')
@app.route('/export')
@login_required
#Export data into a JSON file. Later you can import the data.
def export():
a = exportData()
if a:
return send_from_directory('.', 'data_export.json', as_attachment=True)
else:
return redirect(url_for('error/405'))
def exportData():
2020-08-24 19:01:56 +05:30
twitterFollowing = current_user.twitter_following_list()
2020-07-31 15:58:52 +05:30
youtubeFollowing = current_user.youtube_following_list()
data = {}
data['twitter'] = []
data['youtube'] = []
for f in twitterFollowing:
data['twitter'].append({
'username': f.username
})
for f in youtubeFollowing:
data['youtube'].append({
'channelId': f.channelId
})
try:
with open('app/data_export.json', 'w') as outfile:
json.dump(data, outfile)
return True
except:
return False
@app.route('/importdata', methods=['GET', 'POST'])
@login_required
def importdata():
if request.method == 'POST':
# check if the post request has the file part
if 'file' not in request.files:
flash('No file part')
return redirect(request.url)
file = request.files['file']
# if user does not select file, browser also
# submit an empty part without filename
if file.filename == '':
flash('No selected file')
return redirect(request.url)
if file and allowed_file(file.filename):
2020-08-24 19:01:56 +05:30
importAccounts(file)
return render_template('settings.html')
return redirect(request.referrer)
2020-08-24 19:01:56 +05:30
def importAccounts(file):
filename = secure_filename(file.filename)
data = json.load(file)
for acc in data['twitter']:
r = followTwitterAccount(acc['username'])
for acc in data['youtube']:
r = followYoutubeChannel(acc['channelId'])
def allowed_file(filename):
return '.' in filename and filename.rsplit('.', 1)[1].lower() in ALLOWED_EXTENSIONS
2020-07-31 15:58:52 +05:30
@app.route('/register', methods=['GET', 'POST'])
def register():
if current_user.is_authenticated:
return redirect(url_for('index'))
form = RegistrationForm()
if form.validate_on_submit():
2020-08-27 13:45:20 +05:30
if User.query.filter_by(username=form.username.data).first():
flash("This username is taken! Try with another.")
return redirect(request.referrer)
2020-08-27 14:26:00 +05:30
2020-08-27 13:45:20 +05:30
user = User(username=form.username.data)
user.set_password(form.password.data)
db.session.add(user)
db.session.commit()
flash('Congratulations, you are now a registered user!')
return redirect(url_for('login'))
2020-08-30 04:45:48 +05:30
return render_template('register.html', title='Register', registrations=REGISTRATIONS, form=form)
2020-07-31 15:58:52 +05:30
@app.route('/error/<errno>')
def error(errno):
return render_template('{}.html'.format(str(errno)))
2020-07-13 03:13:36 +05:30
def getTimeDiff(t):
2020-08-27 02:43:54 +05:30
diff = datetime.datetime.now() - datetime.datetime(*t[:6])
2020-07-13 03:13:36 +05:30
if diff.days == 0:
2020-07-13 20:06:45 +05:30
if diff.seconds > 3599:
timeString = "{}h".format(int((diff.seconds/60)/60))
2020-07-13 03:13:36 +05:30
else:
2020-07-13 20:06:45 +05:30
timeString = "{}m".format(int(diff.seconds/60))
2020-07-13 03:13:36 +05:30
else:
timeString = "{}d".format(diff.days)
2020-07-13 05:40:51 +05:30
return timeString
def isTwitterUser(username):
2020-08-30 04:45:48 +05:30
response = requests.get('{instance}{user}/rss'.format(instance=NITTERINSTANCE, user=username))
2020-08-27 01:43:51 +05:30
if response.status_code == 404:
2020-07-13 05:40:51 +05:30
return False
return True
2020-08-27 13:37:48 +05:30
def twitterUserSearch(terms):
2020-08-28 03:26:14 +05:30
2020-08-30 04:45:48 +05:30
response = urllib.request.urlopen('{instance}search?f=users&q={user}'.format(instance=NITTERINSTANCE, user=urllib.parse.quote(terms))).read()
2020-08-27 13:37:48 +05:30
html = BeautifulSoup(str(response), "lxml")
results = []
if html.body.find('h2', attrs={'class':'timeline-none'}):
return False
else:
html = html.body.find_all('div', attrs={'class':'timeline-item'})
for item in html:
user = {
"fullName": item.find('a', attrs={'class':'fullname'}).getText().encode('latin_1').decode('unicode_escape').encode('latin_1').decode('utf8'),
"username": item.find('a', attrs={'class':'username'}).getText().encode('latin_1').decode('unicode_escape').encode('latin_1').decode('utf8'),
2020-08-30 04:45:48 +05:30
'avatar': "{i}{s}".format(i=NITTERINSTANCE, s=item.find('img', attrs={'class':'avatar'})['src'][1:])
2020-08-27 13:37:48 +05:30
}
results.append(user)
return results
2020-08-27 01:43:51 +05:30
def getTwitterUserInfo(username):
2020-08-30 04:45:48 +05:30
response = urllib.request.urlopen('{instance}{user}'.format(instance=NITTERINSTANCE, user=username)).read()
2020-08-27 01:43:51 +05:30
#rssFeed = feedparser.parse(response.content)
html = BeautifulSoup(str(response), "lxml")
if html.body.find('div', attrs={'class':'error-panel'}):
return False
else:
html = html.body.find('div', attrs={'class':'profile-card'})
2020-08-27 13:37:48 +05:30
if html.find('a', attrs={'class':'profile-card-fullname'}):
fullName = html.find('a', attrs={'class':'profile-card-fullname'}).getText().encode('latin1').decode('unicode_escape').encode('latin1').decode('utf8')
else:
fullName = None
if html.find('div', attrs={'class':'profile-bio'}):
profileBio = html.find('div', attrs={'class':'profile-bio'}).getText().encode('latin1').decode('unicode_escape').encode('latin1').decode('utf8')
else:
profileBio = None
2020-08-27 01:43:51 +05:30
user = {
2020-08-27 13:37:48 +05:30
"profileFullName":fullName,
"profileUsername":html.find('a', attrs={'class':'profile-card-username'}).string.encode('latin_1').decode('unicode_escape').encode('latin_1').decode('utf8'),
"profileBio":profileBio,
2020-08-27 01:43:51 +05:30
"tweets":html.find_all('span', attrs={'class':'profile-stat-num'})[0].string,
"following":html.find_all('span', attrs={'class':'profile-stat-num'})[1].string,
2020-08-27 02:43:54 +05:30
"followers":numerize.numerize(int(html.find_all('span', attrs={'class':'profile-stat-num'})[2].string.replace(",",""))),
2020-08-27 01:43:51 +05:30
"likes":html.find_all('span', attrs={'class':'profile-stat-num'})[3].string,
2020-08-30 04:45:48 +05:30
"profilePic":"{instance}{pic}".format(instance=NITTERINSTANCE, pic=html.find('a', attrs={'class':'profile-card-avatar'})['href'][1:])
2020-08-27 01:43:51 +05:30
}
return user
2020-07-14 21:15:29 +05:30
def getFeed(urls):
feedPosts = []
with FuturesSession() as session:
2020-08-30 04:45:48 +05:30
futures = [session.get('{instance}{user}'.format(instance=NITTERINSTANCE, user=u.username)) for u in urls]
2020-07-14 21:15:29 +05:30
for future in as_completed(futures):
2020-08-28 02:55:08 +05:30
res = future.result().content.decode('utf-8')
html = BeautifulSoup(res, "html.parser")
userFeed = html.find_all('div', attrs={'class':'timeline-item'})
if userFeed != []:
for post in userFeed[:-1]:
date_time_str = post.find('span', attrs={'class':'tweet-date'}).find('a')['title'].replace(",","")
time = datetime.datetime.now() - datetime.datetime.strptime(date_time_str, '%d/%m/%Y %H:%M:%S')
2020-08-28 03:26:14 +05:30
if time.days >= 11:
2020-08-27 01:43:51 +05:30
continue
2020-08-28 02:55:08 +05:30
2020-08-28 03:26:14 +05:30
if post.find('div', attrs={'class':'pinned'}):
if post.find('div', attrs={'class':'pinned'}).find('span', attrs={'icon-pin'}):
continue
2020-07-14 21:15:29 +05:30
newPost = twitterPost()
2020-08-28 02:55:08 +05:30
newPost.op = post.find('a', attrs={'class':'username'}).text
newPost.twitterName = post.find('a', attrs={'class':'fullname'}).text
newPost.timeStamp = datetime.datetime.strptime(date_time_str, '%d/%m/%Y %H:%M:%S')
newPost.date = post.find('span', attrs={'class':'tweet-date'}).find('a').text
newPost.content = Markup(post.find('div', attrs={'class':'tweet-content'}))
2020-07-14 21:15:29 +05:30
2020-08-28 02:55:08 +05:30
if post.find('div', attrs={'class':'retweet-header'}):
newPost.username = post.find('div', attrs={'class':'retweet-header'}).find('div', attrs={'class':'icon-container'}).text
2020-07-14 21:15:29 +05:30
newPost.isRT = True
else:
2020-08-28 02:55:08 +05:30
newPost.username = newPost.op
2020-07-14 21:15:29 +05:30
newPost.isRT = False
2020-08-28 02:55:08 +05:30
2020-08-30 04:45:48 +05:30
newPost.profilePic = NITTERINSTANCE+post.find('a', attrs={'class':'tweet-avatar'}).find('img')['src'][1:]
newPost.url = NITTERINSTANCE + post.find('a', attrs={'class':'tweet-link'})['href'][1:]
2020-08-28 02:55:08 +05:30
if post.find('div', attrs={'class':'quote'}):
newPost.isReply = True
quote = post.find('div', attrs={'class':'quote'})
if quote.find('div', attrs={'class':'quote-text'}):
newPost.replyingTweetContent = Markup(quote.find('div', attrs={'class':'quote-text'}))
if quote.find('a', attrs={'class':'still-image'}):
2020-08-30 04:45:48 +05:30
newPost.replyAttachedImg = NITTERINSTANCE+quote.find('a', attrs={'class':'still-image'})['href'][1:]
2020-08-28 02:55:08 +05:30
newPost.replyingUser=quote.find('a', attrs={'class':'username'}).text
post.find('div', attrs={'class':'quote'}).decompose()
if post.find('div', attrs={'class':'attachments'}):
if not post.find(class_='quote'):
if post.find('div', attrs={'class':'attachments'}).find('a', attrs={'class':'still-image'}):
2020-08-30 04:45:48 +05:30
newPost.attachedImg = NITTERINSTANCE + post.find('div', attrs={'class':'attachments'}).find('a')['href'][1:]
2020-07-14 21:15:29 +05:30
feedPosts.append(newPost)
return feedPosts
def getPosts(account):
avatarPath = "img/avatars/{}.png".format(str(random.randint(1,12)))
posts = []
#Gather profile info.
2020-08-30 04:45:48 +05:30
rssFeed = feedparser.parse('{instance}{user}/rss'.format(instance=NITTERINSTANCE, user=account))
#Gather posts
if rssFeed.entries != []:
for post in rssFeed.entries:
newPost = twitterPost()
newPost.username = rssFeed.feed.title.split("/")[1].replace(" ", "")
newPost.twitterName = rssFeed.feed.title.split("/")[0]
newPost.date = getTimeDiff(post.published_parsed)
newPost.timeStamp = datetime.datetime(*post.published_parsed[:6])
newPost.op = post.author
try:
newPost.userProfilePic = rssFeed.channel.image.url
except:
newPost.profilePicture = ""
2020-07-19 14:35:50 +05:30
newPost.url = post.link
newPost.content = Markup(post.description)
if "Pinned" in post.title.split(":")[0]:
newPost.isPinned = True
if "RT by" in post.title:
newPost.isRT = True
newPost.profilePic = ""
else:
newPost.isRT = False
try:
newPost.profilePic = rssFeed.channel.image.url
except:
newPost.profilePic = avatarPath
posts.append(newPost)
2020-07-27 18:30:01 +05:30
return posts
2020-08-16 18:50:05 +05:30
def getYoutubePosts(ids):
2020-07-27 18:30:01 +05:30
videos = []
with FuturesSession() as session:
futures = [session.get('https://www.youtube.com/feeds/videos.xml?channel_id={id}'.format(id=id.channelId)) for id in ids]
2020-07-27 18:30:01 +05:30
for future in as_completed(futures):
resp = future.result()
rssFeed=feedparser.parse(resp.content)
for vid in rssFeed.entries:
time = datetime.datetime.now() - datetime.datetime(*vid.published_parsed[:6])
if time.days >= 15:
continue
2020-08-30 13:35:16 +05:30
2020-08-16 18:50:05 +05:30
video = ytPost()
2020-07-27 18:30:01 +05:30
video.date = vid.published_parsed
video.timeStamp = getTimeDiff(vid.published_parsed)
video.channelName = vid.author_detail.name
2020-08-23 20:57:12 +05:30
video.channelId = vid.yt_channelid
2020-07-27 18:30:01 +05:30
video.channelUrl = vid.author_detail.href
2020-08-16 18:50:05 +05:30
video.id = vid.yt_videoid
2020-07-27 18:30:01 +05:30
video.videoTitle = vid.title
video.videoThumb = vid.media_thumbnail[0]['url']
video.views = vid.media_statistics['views']
2020-08-16 18:50:05 +05:30
video.description = vid.summary_detail.value
2020-07-27 18:30:01 +05:30
video.description = re.sub(r'^https?:\/\/.*[\r\n]*', '', video.description[0:120]+"...", flags=re.MULTILINE)
videos.append(video)
2020-08-27 02:43:54 +05:30
return videos