main.py 41 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903
  1. from fastapi import FastAPI,Cookie, Depends, Query, status,File, UploadFile,Request,Response,HTTPException
  2. from fastapi.templating import Jinja2Templates
  3. from fastapi.responses import HTMLResponse, RedirectResponse, JSONResponse
  4. from pydantic import BaseModel
  5. from typing import List, Optional
  6. from os.path import isfile, isdir, join
  7. import threading
  8. import zhtts
  9. import os
  10. import urllib
  11. import requests
  12. from bs4 import BeautifulSoup
  13. from PIL import Image,ImageDraw,ImageFont
  14. import pyttsx3
  15. import rpyc
  16. import random
  17. import time
  18. import math
  19. import hashlib
  20. import re
  21. import asyncio
  22. import urllib.request
  23. from fastapi.responses import FileResponse
  24. from fastapi.middleware.cors import CORSMiddleware
  25. import dataset
  26. from datetime import datetime, timedelta
  27. from util.swap_face import swap_face
  28. from fastapi.staticfiles import StaticFiles
  29. import shutil
  30. import io
  31. from first import first
  32. from passlib.context import CryptContext
  33. from jose import JWTError, jwt
  34. from fastapi_jwt_auth import AuthJWT
  35. from fastapi_jwt_auth.exceptions import AuthJWTException
  36. from fastapi.security import OAuth2PasswordBearer, OAuth2PasswordRequestForm
  37. import models
  38. import pymysql
  39. import mailer
  40. from moviepy.editor import VideoFileClip
  41. import traceback
  42. import logging
  43. import gSlide
  44. import aiofiles
  45. import json
  46. import util.user
  47. pymysql.install_as_MySQLdb()
  48. app = FastAPI()
  49. mode = 'run'
  50. app.add_middleware(
  51. CORSMiddleware,
  52. allow_origins=["*"],
  53. allow_credentials=True,
  54. allow_methods=["*"],
  55. allow_headers=["*"],
  56. )
  57. SECRET_KEY = "df2f77bd544240801a048bd4293afd8eeb7fff3cb7050e42c791db4b83ebadcd"
  58. ALGORITHM = "HS256"
  59. ACCESS_TOKEN_EXPIRE_DAYS = 5
  60. pwd_context = CryptContext(schemes=["bcrypt"], deprecated="auto")
  61. app.mount("/static", StaticFiles(directory="static"), name="static")
  62. app.mount("/static/img", StaticFiles(directory="static/img"), name="static/img")
  63. app.mount("/templates", StaticFiles(directory="templates"), name="templates")
  64. templates = Jinja2Templates(directory="templates")
  65. oauth2_scheme = OAuth2PasswordBearer(tokenUrl="token")
  66. tmp_video_dir = '../OpenshotService/tmp_video/'
  67. tmp_avatar_dir = '../../face_swap/tmp_avatar/' #change source face path here
  68. resource_server = 'www.choozmo.com:8168/'
  69. resource_folder = '/var/www/html/'
  70. video_sub_folder = 'ai_anchor_video/'
  71. avatar_sub_folder = 'swap_save/'
  72. tmp_img_sub_folder = 'tmp_img/'
  73. pttx_sub_folder = 'tmp_pttx/'
  74. img_upload_folder = '/var/www/html/'+tmp_img_sub_folder
  75. video_dest = '/var/www/html/'+video_sub_folder
  76. avatar_dest = '/var/www/html/'+avatar_sub_folder
  77. pttx_dest = '/var/www/html/'+pttx_sub_folder
  78. # @app.get("/index2")
  79. # async def index2():
  80. # return FileResponse('static/index2.html')
  81. @app.get("/index_eng")
  82. async def index2():
  83. return FileResponse('static/index_eng.html')
  84. # home page
  85. @app.get("/index", response_class=HTMLResponse)
  86. async def get_home_page(request: Request, response: Response):
  87. return templates.TemplateResponse("index.html", {"request": request, "response": response})
  88. @app.get("/", response_class=HTMLResponse)
  89. async def get_home_page(request: Request, response: Response):
  90. return templates.TemplateResponse("index.html", {"request": request, "response": response})
  91. @app.get("/make_video")
  92. async def get_home_page(request: Request, response: Response, Authorize: AuthJWT = Depends()):
  93. try:
  94. Authorize.jwt_required()
  95. except Exception as e:
  96. print(e)
  97. return {'msg':{'eng':'Please login first','zh':'請先登入帳號'}}
  98. current_user = Authorize.get_jwt_subject()
  99. return templates.TemplateResponse("make_video.html", {"request": request, "response": response})
  100. @app.get("/make_video_long", response_class=HTMLResponse)
  101. async def get_home_page(request: Request, response: Response, Authorize: AuthJWT = Depends()):
  102. try:
  103. Authorize.jwt_required()
  104. except Exception as e:
  105. print(e)
  106. return {'msg':{'eng':'Please login first','zh':'請先登入帳號'}}
  107. current_user = Authorize.get_jwt_subject()
  108. return templates.TemplateResponse("make_video_long.html", {"request": request, "response": response})
  109. @app.get("/make_video_slide", response_class=HTMLResponse)
  110. async def make_video_slide(request: Request, response: Response, Authorize: AuthJWT = Depends()):
  111. try:
  112. Authorize.jwt_required()
  113. except Exception as e:
  114. print(e)
  115. return {'msg':{'eng':'Please login first','zh':'請先登入帳號'}}
  116. current_user = Authorize.get_jwt_subject()
  117. return templates.TemplateResponse("make_video_slide.html", {"request": request, "response": response})
  118. @app.post('/user_profile', response_class=HTMLResponse)
  119. async def user_profile(token: str = Depends(oauth2_scheme)):
  120. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  121. user_id = get_user_id(token)
  122. user_obj = first(db.query('SELECT * FROM users where id ="'+str(user_id)+'"'))
  123. if user_obj is None:
  124. raise HTTPException(
  125. status_code=status.HTTP_401_UNAUTHORIZED,
  126. detail="Missing token",
  127. headers={"WWW-Authenticate": "Bearer"},
  128. )
  129. video_num = str(first(db.query('SELECT COUNT(*) FROM history_input WHERE user_id ='+str(user_obj['id'])))['COUNT(*)'])
  130. total_sec = str(first(db.query('SELECT SUM(duration) FROM history_input where user_id='+str(user_obj['id'])))['SUM(duration)'])
  131. left_sec = user_obj['left_time']
  132. video_info_list = []
  133. statement = 'SELECT * FROM history_input WHERE user_id='+str(user_obj['id'])+' ORDER BY timestamp DESC LIMIT 50'
  134. for row in db.query(statement):
  135. video_info_list.append({'id':row['id'],'title':row['name'],'duration':row['duration'],'url':row['link'],'time_stamp':row['timestamp'].strftime("%m/%d/%Y, %H:%M:%S")})
  136. dic_return = {'user_info':{'id':user_id,'userName':user_obj['username'],'email':user_obj['email'],'video_num':video_num,'total_sec':total_sec,'left_sec':user_obj['left_time']},'video_info':video_info_list}
  137. str_return = json.dumps(dic_return)
  138. return str_return
  139. @app.post('/edit_profile')
  140. async def edit_profile(userModel : models.UserProfile ,token: str = Depends(oauth2_scheme)):
  141. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  142. print(token)
  143. user_id = get_user_id(token)
  144. print(user_id)
  145. user_obj = next(iter(db.query('SELECT * FROM users where id ="'+str(user_id)+'"')))
  146. user_obj['email'] = userModel.email
  147. db['users'].update(user_obj,['id'])
  148. return {'msg':'ok'}
  149. # login & register page
  150. @app.get("/login", response_class=HTMLResponse)
  151. async def get_login_and_register_page(request: Request):
  152. return templates.TemplateResponse("login.html", {"request": request})
  153. @app.post("/login")
  154. async def login_for_access_token(request: Request, form_data: OAuth2PasswordRequestForm = Depends(), Authorize: AuthJWT = Depends()):
  155. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  156. user = authenticate_user(form_data.username, form_data.password)
  157. if not user:
  158. raise HTTPException(
  159. status_code=status.HTTP_401_UNAUTHORIZED,
  160. detail="Incorrect username or password",
  161. headers={"WWW-Authenticate": "Bearer"},
  162. )
  163. access_token_expires = timedelta(days=ACCESS_TOKEN_EXPIRE_DAYS)
  164. access_token = create_access_token(
  165. data={"sub": user.username}, expires_delta=access_token_expires
  166. )
  167. table = db['users']
  168. user.token = access_token
  169. table.update(dict(user), ['username'])
  170. expires = timedelta(days=ACCESS_TOKEN_EXPIRE_DAYS)
  171. access_token = Authorize.create_access_token(subject=user.username, expires_time=expires)
  172. refresh_token = Authorize.create_refresh_token(subject=user.username, expires_time =expires)
  173. Authorize.set_access_cookies(access_token)
  174. Authorize.set_refresh_cookies(refresh_token)
  175. #return templates.TemplateResponse("index.html", {"request": request, "msg": 'Login'})
  176. if util.user.email_veri_pass(form_data.username):
  177. return {"access_token": access_token, "token_type": "bearer",'veri':'ok'}
  178. else:
  179. return {"access_token": access_token, "token_type": "bearer",'veri':'fail'}
  180. @app.post("/token")
  181. async def access_token(form_data: OAuth2PasswordRequestForm = Depends(), Authorize: AuthJWT = Depends()):
  182. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  183. user = authenticate_user(form_data.username, form_data.password)
  184. if not user:
  185. raise HTTPException(
  186. status_code=status.HTTP_401_UNAUTHORIZED,
  187. detail="Incorrect username or password",
  188. headers={"WWW-Authenticate": "Bearer"},
  189. )
  190. access_token_expires = timedelta(days=ACCESS_TOKEN_EXPIRE_DAYS)
  191. access_token = create_access_token(
  192. data={"sub": user.username}, expires_delta=access_token_expires
  193. )
  194. return {"access_token": access_token, "token_type": "bearer"}
  195. #前後端分離完全實現後拔除
  196. @app.post("/register_old")
  197. async def register_old(request: Request):
  198. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  199. user = models.User(**await request.form())
  200. user_obj = first(db.query('SELECT * FROM users where username ="'+str(user.username)+'"'))
  201. if user_obj == None:
  202. id = user_register(user)
  203. if type(id) is int:
  204. code = str(time.time()).replace('.','')
  205. db['register_veri_code'].insert({'code':code,'user_id':id})
  206. mailer.register_verify('請至點擊網址驗證 : https://www.choozmo.com:8887/verify_email?code='+code, user.email)
  207. return {'msg':{'eng':'Register success! Please login at previous page','zh':'註冊成功! 請回到上頁登入帳號'}}
  208. else :
  209. return {'msg':'error'}
  210. #return templates.TemplateResponse("make_video.html", {"request": request, "success": True},status_code=status.HTTP_302_FOUND)
  211. #return templates.TemplateResponse("login.html", {'request': request,"success": True}, status_code=status.HTTP_302_FOUND)
  212. else:
  213. return {'msg':{'eng':user.username+' is duplicated user name try another','zh':user.username+'重複,請更改'}}
  214. @app.post("/register")
  215. async def register(request: models.register_req):
  216. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  217. user_obj = first(db.query('SELECT * FROM users where username ="'+str(request.username)+'"'))
  218. if user_obj == None:
  219. id = user_register(request)
  220. if type(id) is int:
  221. code = str(time.time()).replace('.','')
  222. db['register_veri_code'].insert({'code':code,'user_id':id})
  223. mailer.register_verify('請至點擊網址驗證 : https://www.choozmo.com:8887/verify_email?code='+code, request.email)
  224. return {'msg':{'eng':'Register success! Please login at previous page','zh':'註冊成功! 請回到上頁登入帳號'}}
  225. else :
  226. return {'msg':'error'}
  227. else:
  228. return {'msg':{'eng':user.username+' is duplicated user name try another','zh':user.username+'重複,請更改'}}
  229. @app.get('/logout')
  230. def logout(request: Request, Authorize: AuthJWT = Depends()):
  231. Authorize.jwt_required()
  232. Authorize.unset_jwt_cookies()
  233. return {"msg": "ok"}
  234. @app.get('/verify_email')
  235. async def verify_email(code):
  236. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  237. veri_obj = first(db.query('SELECT * FROM register_veri_code where code ="'+str(code)+'"'))
  238. if veri_obj != None:
  239. db['register_veri_code'].delete(code=code)
  240. return {"msg": "ok"}
  241. @app.get("/reset_pwd_page_email")
  242. async def reset_pwd_page():
  243. return FileResponse('static/reset_pwd_email.html')
  244. @app.get("/reset_pwd_page")
  245. async def reset_pwd_page():
  246. return FileResponse('static/reset_pwd.html')
  247. @app.get('/send_reset_pwd')
  248. async def send_reset_pwd(user_id,email):
  249. code = str(time.time()).replace('.','')
  250. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  251. db['reset_pw_code'].insert({'code':code,'user_id':user_id,'email':email})
  252. msg = '請至點擊網址以重設密碼 : https://www.choozmo.com:8887/reset_pwd_page 通行碼為 '+ code
  253. print(msg)
  254. msg =msg.encode(encoding='utf-8')
  255. print(msg)
  256. print(type(user_id))
  257. if int(user_id) != -1:
  258. print('print at first place')
  259. print(user_id)
  260. user_dict = next(iter(db.query('SELECT * FROM users where id ="'+str(user_id)+'"')))
  261. else:
  262. user_id = util.user.get_id_by_email(email)
  263. print(user_id)
  264. user_dict = next(iter(db.query('SELECT * FROM users where id ="'+str(user_id)+'"')))
  265. mailer.send(msg, user_dict['email'])
  266. return {'msg':'ok'}
  267. @app.post('/reset_pwd')
  268. async def reset_password(req :models.reset_pwd):
  269. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  270. print(req.code)
  271. veri_obj = next(iter(db.query('SELECT * FROM reset_pw_code where code ="'+str(req.code)+'"')))
  272. print(veri_obj['user_id'])
  273. user_id = util.user.get_id_by_email(veri_obj['email'])
  274. print(user_id)
  275. db.query('UPDATE users SET password = '+'"'+get_password_hash(req.password)+'" where id ='+str(user_id))
  276. if veri_obj != None:
  277. db['reset_pw_code'].delete(code=req.code)
  278. return {"msg": "ok"}
  279. @app.get("/gen_avatar")
  280. async def avatar():
  281. return FileResponse('static/gen_avatar.html')
  282. @app.post("/swapFace")
  283. async def swapFace(req:models.swap_req):
  284. if 'http' not in req.imgurl:
  285. req.imgurl= 'http://'+req.imgurl
  286. try:
  287. im = Image.open(requests.get(req.imgurl, stream=True).raw)
  288. im= im.convert("RGB")
  289. except:
  290. return {'msg':"無法辨別圖片網址"+req.imgurl}
  291. name_hash = str(time.time()).replace('.','')
  292. x = threading.Thread(target=gen_avatar, args=(name_hash,req.imgurl))
  293. x.start()
  294. return {'msg':'ok'}
  295. @app.post("/uploadfile/")
  296. async def create_upload_file(file: UploadFile = File(...)):
  297. img_name = str(time.time()).replace('.','')
  298. try:
  299. if file.content_type=='video/mp4':
  300. async with aiofiles.open(img_upload_folder+img_name+'.mp4', 'wb') as out_file:
  301. content = await file.read()
  302. await out_file.write(content)
  303. return {"msg": resource_server+tmp_img_sub_folder+img_name+'.mp4'}
  304. else:
  305. contents = await file.read()
  306. image = Image.open(io.BytesIO(contents))
  307. image= image.convert("RGB")
  308. image.save(img_upload_folder+img_name+'.jpg')
  309. return {"msg": resource_server+tmp_img_sub_folder+img_name+'.jpg'}
  310. except Exception as e:
  311. logging.error(traceback.format_exc())
  312. return {'msg':'檔案無法使用'}
  313. @app.post("/upload_pttx/")
  314. async def upload_pttx(file: UploadFile = File(...)):
  315. try:
  316. if "_" in file.filename:
  317. return {'msg':'檔案無法使用檔名不能含有"_"符號'}
  318. else:
  319. pttx_name = file.filename+'_'+str(time.time()).replace('.','')
  320. with open(pttx_dest+pttx_name, "wb+") as file_object:
  321. file_object.write(file.file.read())
  322. return {"msg": resource_server+pttx_sub_folder+pttx_name}
  323. except Exception as e:
  324. logging.error(traceback.format_exc())
  325. return {'msg':'檔案無法使用'}
  326. @app.post("/make_anchor_video_gSlide")
  327. async def make_anchor_video_gSlide(req:models.gSlide_req,token: str = Depends(oauth2_scheme)):
  328. if req.url_type == 0:
  329. name, text_content, image_urls = gSlide.parse_slide_url(req.slide_url,eng=False)
  330. else :
  331. filename = req.slide_url.replace(resource_server+pttx_sub_folder,resource_folder+pttx_sub_folder)
  332. name, text_content, image_urls = gSlide.parse_pttx_url(filename,img_upload_folder,resource_server+tmp_img_sub_folder,eng=False)
  333. if len(image_urls) != len(text_content):
  334. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  335. for idx in range(len(image_urls)):
  336. if 'http' not in image_urls[idx]:
  337. image_urls[idx] = 'http://'+image_urls[idx]
  338. if req.multiLang==0:
  339. for txt in text_content:
  340. if re.search('[a-zA-Z]', txt) !=None:
  341. print('語言錯誤')
  342. return {'msg':'輸入字串不能包含英文字!'}
  343. if re.search(',', txt) !=None:
  344. print('包含非法符號')
  345. return {'msg':'輸入不能含有,符號'}
  346. name_hash = str(time.time()).replace('.','')
  347. for imgu in image_urls:
  348. try:
  349. if get_url_type(imgu) =='video/mp4':
  350. r=requests.get(imgu)
  351. else:
  352. im = Image.open(requests.get(imgu, stream=True).raw)
  353. im= im.convert("RGB")
  354. except:
  355. return {'msg':"無法辨別圖片網址"+imgu}
  356. user_id = get_user_id(token)
  357. proto_req = models.request_normal()
  358. proto_req.text_content = text_content
  359. proto_req.name = name
  360. proto_req.image_urls = image_urls
  361. proto_req.avatar = req.avatar
  362. proto_req.multiLang = req.multiLang
  363. video_id = save_history(proto_req,name_hash,user_id)
  364. x = threading.Thread(target=gen_video_queue, args=(name_hash,name, text_content, image_urls,int(req.avatar),req.multiLang,video_id,user_id))
  365. x.start()
  366. return {"msg":"製作影片需要時間,請您耐心等候,成果會傳送至LINE群組中"}
  367. @app.post("/make_anchor_video_long")
  368. async def make_anchor_video_long(req:models.request,token: str = Depends(oauth2_scheme)):
  369. left_tag = [m.start() for m in re.finditer('{', req.text_content[0])]
  370. if len(req.image_urls) != len(left_tag):
  371. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  372. for idx in range(len(req.image_urls)):
  373. if 'http' not in req.image_urls[idx]:
  374. req.image_urls[idx] = 'http://'+req.image_urls[idx]
  375. if req.multiLang==0:
  376. for txt in req.text_content:
  377. if re.search('[a-zA-Z]', txt) !=None:
  378. print('語言錯誤')
  379. return {'msg':'輸入字串不能包含英文字!'}
  380. if re.search(',', txt) !=None:
  381. print('包含非法符號')
  382. return {'msg':'輸入不能含有,符號'}
  383. name_hash = str(time.time()).replace('.','')
  384. for imgu in req.image_urls:
  385. try:
  386. if get_url_type(imgu) =='video/mp4':
  387. r=requests.get(imgu)
  388. else:
  389. im = Image.open(requests.get(imgu, stream=True).raw)
  390. im= im.convert("RGB")
  391. except:
  392. return {'msg':"無法辨別圖片網址"+imgu}
  393. user_id = get_user_id(token)
  394. video_id = save_history(req,name_hash,user_id)
  395. x = threading.Thread(target=gen_video_long_queue, args=(name_hash,req.name, req.text_content, req.image_urls,int(req.avatar),req.multiLang,video_id,user_id))
  396. x.start()
  397. return {"msg":"ok"}
  398. @app.post("/make_anchor_video")
  399. async def make_anchor_video(req:models.request,token: str = Depends(oauth2_scheme)):
  400. if len(req.image_urls) != len(req.text_content):
  401. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  402. for idx in range(len(req.image_urls)):
  403. if 'http' not in req.image_urls[idx]:
  404. req.image_urls[idx] = 'http://'+req.image_urls[idx]
  405. if req.multiLang==0:
  406. for txt in req.text_content:
  407. if re.search('[a-zA-Z]', txt) !=None:
  408. print('語言錯誤')
  409. return {'msg':'輸入字串不能包含英文字!'}
  410. if re.search(',', txt) !=None:
  411. print('包含非法符號')
  412. return {'msg':'輸入不能含有,符號'}
  413. name_hash = str(time.time()).replace('.','')
  414. for imgu in req.image_urls:
  415. try:
  416. if get_url_type(imgu) =='video/mp4':
  417. r=requests.get(imgu)
  418. else:
  419. im = Image.open(requests.get(imgu, stream=True).raw)
  420. im= im.convert("RGB")
  421. except:
  422. return {'msg':"無法辨別圖片網址"+imgu}
  423. user_id = get_user_id(token)
  424. video_id = save_history(req,name_hash,user_id)
  425. x = threading.Thread(target=gen_video_queue, args=(name_hash,req.name, req.text_content, req.image_urls,int(req.avatar),req.multiLang,video_id,user_id))
  426. x.start()
  427. return {'msg':'ok'}
  428. @app.post("/make_anchor_video_eng")
  429. async def make_anchor_video_eng(req:models.request_eng,token: str = Depends(oauth2_scheme)):
  430. if len(req.image_urls) != len(req.sub_titles) or len(req.sub_titles) != len(req.text_content):
  431. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  432. for idx in range(len(req.image_urls)):
  433. if 'http' not in req.image_urls[idx]:
  434. req.image_urls[idx] = 'http://'+req.image_urls[idx]
  435. name_hash = str(time.time()).replace('.','')
  436. for imgu in req.image_urls:
  437. try:
  438. if get_url_type(imgu) =='video/mp4':
  439. r=requests.get(imgu)
  440. else:
  441. im = Image.open(requests.get(imgu, stream=True).raw)
  442. im= im.convert("RGB")
  443. except:
  444. return {'msg':"無法辨別圖片網址"+imgu}
  445. user_id = get_user_id(token)
  446. video_id = save_history(req,name_hash, user_id)
  447. x = threading.Thread(target=gen_video_queue_eng, args=(name_hash,req.name, req.text_content, req.image_urls,req.sub_titles,int(req.avatar),video_id))
  448. x.start()
  449. return {"msg":"ok"}
  450. @app.post("/save_draft")
  451. async def save_draft(req:models.video_draft,token: str = Depends(oauth2_scheme)):
  452. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  453. user_id = get_user_id(token)
  454. txt_content_seperate_by_dot = ''
  455. for txt in req.text_content:
  456. txt_content_seperate_by_dot += txt+","
  457. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  458. img_urls_seperate_by_dot = ''
  459. for iurl in req.image_urls:
  460. img_urls_seperate_by_dot += iurl+","
  461. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  462. time_stamp = datetime.fromtimestamp(time.time())
  463. time_stamp = time_stamp.strftime("%Y-%m-%d %H:%M:%S")
  464. if req.id==-1:
  465. pk = db['draft'].insert({'title':req.title,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot
  466. ,'user_id':user_id,'avatar':req.avatar,'multiLang':req.multiLang,'time_stamp':time_stamp})
  467. else:
  468. db['draft'].update({'id':req.id,'title':req.title,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot
  469. ,'user_id':user_id,'avatar':req.avatar,'multiLang':req.multiLang,'time_stamp':time_stamp},['id'])
  470. return {'msg':'ok'}
  471. @app.post('/draft_list')
  472. async def draft_list(token: str = Depends(oauth2_scheme)):
  473. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  474. user_id = get_user_id(token)
  475. statement = 'SELECT * FROM draft WHERE user_id='+str(user_id)+' ORDER BY time_stamp DESC LIMIT 50'
  476. logs = []
  477. for row in db.query(statement):
  478. logs.append({'id':row['id'],'title':row['title'],'avatar':row['avatar'],'mulitLang':row['multiLang']
  479. ,'text_content':row['text_content'].split(','),'image_urls':row['image_urls'].split(',')})
  480. return logs
  481. @app.post('/del_draft')
  482. async def del_draft(id_obj:models.id_obj,token: str = Depends(oauth2_scheme)):
  483. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  484. user_id = get_user_id(token)
  485. statement = 'SELECT * FROM draft WHERE user_id="'+str(user_id)+'" and id ="'+id_obj.id+'"'
  486. if first(db.query(statement)) is not None:
  487. db['draft'].delete(id=id)
  488. else:
  489. return {'msg':'wrong id'}
  490. return {'msg':'ok'}
  491. @app.get("/history_input_old")
  492. async def history_input_old(request: Request, Authorize: AuthJWT = Depends()):
  493. Authorize.jwt_required()
  494. current_user = Authorize.get_jwt_subject()
  495. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  496. user_id = first(db.query('SELECT * FROM users where username="' + current_user +'"'))['id']
  497. statement = 'SELECT * FROM history_input WHERE user_id="'+str(user_id)+'" ORDER BY timestamp DESC LIMIT 50'
  498. logs = []
  499. for row in db.query(statement):
  500. logs.append({'id':row['id'],'name':row['name'],'text_content':row['text_content'].split(','),'link':row['link'],'image_urls':row['image_urls'].split(',')})
  501. return logs
  502. @app.post("/history_input")
  503. async def history_input(token: str = Depends(oauth2_scheme)):
  504. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  505. user_id = get_user_id(token)
  506. user_obj = first(db.query('SELECT * FROM users where id ="'+str(user_id)+'"'))
  507. statement = 'SELECT * FROM history_input WHERE user_id="'+str(user_id)+'" ORDER BY timestamp DESC LIMIT 50'
  508. logs = []
  509. for row in db.query(statement):
  510. logs.append({'id':row['id'],'name':row['name'],'text_content':row['text_content'].split(','),'link':row['link'],'image_urls':row['image_urls'].split(',')})
  511. return logs
  512. @AuthJWT.load_config
  513. def get_config():
  514. return models.Settings()
  515. @app.exception_handler(AuthJWTException)
  516. def authjwt_exception_handler(request: Request, exc: AuthJWTException):
  517. return JSONResponse(
  518. status_code=exc.status_code,
  519. content={"detail": exc.message}
  520. )
  521. def get_user_id(token):
  522. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  523. credentials_exception = HTTPException(
  524. status_code=status.HTTP_401_UNAUTHORIZED,
  525. detail="Could not validate credentials",
  526. headers={"WWW-Authenticate": "Bearer"},
  527. )
  528. try:
  529. payload = jwt.decode(token, SECRET_KEY, algorithms=[ALGORITHM])
  530. username: str = payload.get("sub")
  531. if username is None:
  532. raise credentials_exception
  533. token_data = models.TokenData(username=username)
  534. except JWTError:
  535. raise credentials_exception
  536. user = get_user(username=token_data.username)
  537. if user is None:
  538. raise credentials_exception
  539. user_id = first(db.query('SELECT * FROM users where username="' + user.username+'"'))['id']
  540. return user_id
  541. def check_user_exists(username):
  542. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  543. if int(next(iter(db.query('SELECT COUNT(*) FROM AI_anchor.users WHERE username = "'+username+'"')))['COUNT(*)']) > 0:
  544. return True
  545. else:
  546. return False
  547. def get_user(username: str):
  548. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  549. if not check_user_exists(username): # if user don't exist
  550. return False
  551. user_dict = next(
  552. iter(db.query('SELECT * FROM AI_anchor.users where username ="'+username+'"')))
  553. user = models.User(**user_dict)
  554. return user
  555. def user_register(user):
  556. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  557. table = db['users']
  558. user.password = get_password_hash(user.password)
  559. id = table.insert(dict(user))
  560. return id
  561. def get_password_hash(password):
  562. return pwd_context.hash(password)
  563. def verify_password(plain_password, hashed_password):
  564. return pwd_context.verify(plain_password, hashed_password)
  565. def authenticate_user(username: str, password: str):
  566. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  567. if not check_user_exists(username): # if user don't exist
  568. return False
  569. user_dict = next(iter(db.query('SELECT * FROM AI_anchor.users where username ="'+username+'"')))
  570. user = models.User(**user_dict)
  571. if not verify_password(password, user.password):
  572. return False
  573. return user
  574. def create_access_token(data: dict, expires_delta):
  575. to_encode = data.copy()
  576. expire = datetime.utcnow() + expires_delta
  577. to_encode.update({"exp": expire})
  578. encoded_jwt = jwt.encode(to_encode, SECRET_KEY, algorithm=ALGORITHM)
  579. return encoded_jwt
  580. def save_history(req,name_hash,user_id):
  581. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  582. log_table = db['history_input']
  583. txt_content_seperate_by_dot = ''
  584. for txt in req.text_content:
  585. txt_content_seperate_by_dot += txt+","
  586. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  587. img_urls_seperate_by_dot = ''
  588. for iurl in req.image_urls:
  589. img_urls_seperate_by_dot += iurl+","
  590. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  591. time_stamp = datetime.fromtimestamp(time.time())
  592. time_stamp = time_stamp.strftime("%Y-%m-%d %H:%M:%S")
  593. pk = log_table.insert({'name':req.name,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot
  594. ,'user_id':user_id,'link':'www.choozmo.com:8168/'+video_sub_folder+name_hash+'.mp4','timestamp':time_stamp})
  595. return pk
  596. def get_url_type(url):
  597. req = urllib.request.Request(url, method='HEAD', headers={'User-Agent': 'Mozilla/5.0'})
  598. r = urllib.request.urlopen(req)
  599. contentType = r.getheader('Content-Type')
  600. return contentType
  601. def notify_group(msg):
  602. glist=['7vilzohcyQMPLfAMRloUawiTV4vtusZhxv8Czo7AJX8','WekCRfnAirSiSxALiD6gcm0B56EejsoK89zFbIaiZQD','1dbtJHbWVbrooXmQqc4r8OyRWDryjD4TMJ6DiDsdgsX','HOB1kVNgIb81tTB4Ort1BfhVp9GFo6NlToMQg88vEhh']
  603. for gid in glist:
  604. headers = {"Authorization": "Bearer " + gid,"Content-Type": "application/x-www-form-urlencoded"}
  605. r = requests.post("https://notify-api.line.me/api/notify",headers=headers, params={"message": msg})
  606. def gen_video_long_queue(name_hash,name,text_content, image_urls,avatar,multiLang,video_id,user_id):
  607. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  608. time_stamp = datetime.fromtimestamp(time.time()).strftime("%Y-%m-%d %H:%M:%S")
  609. txt_content_seperate_by_dot = ''
  610. for txt in text_content:
  611. txt_content_seperate_by_dot += txt+","
  612. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  613. img_urls_seperate_by_dot = ''
  614. for iurl in image_urls:
  615. img_urls_seperate_by_dot += iurl+","
  616. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  617. db['video_queue'].insert({'name_hash':name_hash,'name':name,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot,'multiLang':multiLang,'avatar':avatar,'timestamp':time_stamp})
  618. while True:
  619. if first(db.query('SELECT * FROM video_queue_status'))['status'] == 1:#only one row in this table, which is the id 1 one
  620. print('another process running, leave loop')#1 means already running
  621. break
  622. if first(db.query('SELECT COUNT(1) FROM video_queue'))['COUNT(1)'] == 0:
  623. print('all finish, leave loop')
  624. break
  625. top1 = first(db.query('SELECT * FROM video_queue'))
  626. try:
  627. # if True:
  628. db.query('UPDATE video_queue_status SET status = 1;')
  629. c = rpyc.connect("localhost", 8858)
  630. c._config['sync_request_timeout'] = None
  631. remote_svc = c.root
  632. my_answer = remote_svc.call_video_gen(top1['name_hash'],top1['name'],top1['text_content'].split(','), top1['image_urls'].split(','),top1['multiLang'],top1['avatar']) # method call
  633. shutil.copy(tmp_video_dir+top1['name_hash']+'.mp4',video_dest+top1['name_hash']+'.mp4')
  634. os.remove(tmp_video_dir+top1['name_hash']+'.mp4')
  635. vid_duration = VideoFileClip(video_dest+top1['name_hash']+'.mp4').duration
  636. user_obj = first(db.query('SELECT * FROM users where id ="'+str(user_id)+'"'))
  637. line_token = user_obj['line_token'] # aa
  638. left_time = user_obj['left_time']
  639. email = user_obj['email']
  640. print('left_time is '+str(left_time))
  641. db.query('UPDATE history_input SET duration ='+str(vid_duration)+' WHERE id='+str(video_id)+';')
  642. if left_time is None:
  643. left_time = 5*60
  644. if left_time < vid_duration:
  645. msg = '您本月額度剩下'+str(left_time)+'秒,此部影片有'+str(vid_duration)+'秒, 若要繼續產生影片請至 192.168.1.106:8887/confirm_add_value?name_hash='+name_hash+' 加值'
  646. print(msg)
  647. msg =msg.encode(encoding='utf-8')
  648. mailer.send_left_not_enough(msg, email)
  649. #notify_line_user(msg, line_token)
  650. notify_group(name+":帳號餘額不足,請至email查看詳細資訊")
  651. else:
  652. left_time = left_time - vid_duration
  653. db.query('UPDATE users SET left_time ='+str(left_time)+' WHERE id='+str(user_id)+';')
  654. notify_group(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4")
  655. #notify_line_user(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4", line_token)
  656. except Exception as e:
  657. logging.error(traceback.format_exc())
  658. print('video generation error')
  659. notify_group('長影片錯誤-測試')
  660. db['video_queue'].delete(id=top1['id'])
  661. db.query('UPDATE video_queue_status SET status = 0')
  662. def gen_video_queue(name_hash,name,text_content, image_urls,avatar,multiLang,video_id,user_id):
  663. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  664. time_stamp = datetime.fromtimestamp(time.time()).strftime("%Y-%m-%d %H:%M:%S")
  665. txt_content_seperate_by_dot = ''
  666. for txt in text_content:
  667. txt_content_seperate_by_dot += txt+","
  668. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  669. img_urls_seperate_by_dot = ''
  670. for iurl in image_urls:
  671. img_urls_seperate_by_dot += iurl+","
  672. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  673. db['video_queue'].insert({'name_hash':name_hash,'name':name,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot,'multiLang':multiLang,'avatar':avatar,'timestamp':time_stamp})
  674. while True:
  675. if first(db.query('SELECT * FROM video_queue_status'))['status'] == 1:#only one row in this table, which is the id 1 one
  676. print('another process running, leave loop')#1 means already running
  677. break
  678. if first(db.query('SELECT COUNT(1) FROM video_queue'))['COUNT(1)'] == 0:
  679. print('all finish, leave loop')
  680. break
  681. top1 = first(db.query('SELECT * FROM video_queue'))
  682. try:
  683. # if True:
  684. db.query('UPDATE video_queue_status SET status = 1;')
  685. c = rpyc.connect("localhost", 8858)
  686. c._config['sync_request_timeout'] = None
  687. remote_svc = c.root
  688. my_answer = remote_svc.call_video(top1['name_hash'],top1['name'],top1['text_content'].split(','), top1['image_urls'].split(','),top1['multiLang'],top1['avatar']) # method call
  689. shutil.copy(tmp_video_dir+top1['name_hash']+'.mp4',video_dest+top1['name_hash']+'.mp4')
  690. os.remove(tmp_video_dir+top1['name_hash']+'.mp4')
  691. vid_duration = VideoFileClip(video_dest+top1['name_hash']+'.mp4').duration
  692. user_obj = first(db.query('SELECT * FROM users where id ="'+str(user_id)+'"'))
  693. line_token = user_obj['line_token'] # aa
  694. left_time = user_obj['left_time']
  695. email = user_obj['email']
  696. print('left_time is '+str(left_time))
  697. db.query('UPDATE history_input SET duration ='+str(vid_duration)+' WHERE id='+str(video_id)+';')
  698. if left_time is None:
  699. left_time = 5*60
  700. if left_time < vid_duration:
  701. msg = '您本月額度剩下'+str(left_time)+'秒,此部影片有'+str(vid_duration)+'秒, 若要繼續產生影片請至 192.168.1.106:8887/confirm_add_value?name_hash='+name_hash+' 加值'
  702. print(msg)
  703. msg =msg.encode(encoding='utf-8')
  704. mailer.send_left_not_enough(msg, email)
  705. notify_group(msg)
  706. #notify_line_user(msg, line_token)
  707. else:
  708. left_time = left_time - vid_duration
  709. db.query('UPDATE users SET left_time ='+str(left_time)+' WHERE id='+str(user_id)+';')
  710. notify_group(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4")
  711. #notify_line_user(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4", line_token)
  712. except Exception as e:
  713. logging.error(traceback.format_exc())
  714. print('video generation error')
  715. notify_group('影片錯誤')
  716. db['video_queue'].delete(id=top1['id'])
  717. db.query('UPDATE video_queue_status SET status = 0')
  718. def gen_video_queue_eng(name_hash,name,text_content, image_urls,sub_titles,avatar,video_id):
  719. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  720. time_stamp = datetime.fromtimestamp(time.time()).strftime("%Y-%m-%d %H:%M:%S")
  721. txt_content_seperate_by_dot = ''
  722. for txt in text_content:
  723. txt_content_seperate_by_dot += txt+","
  724. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  725. img_urls_seperate_by_dot = ''
  726. for iurl in image_urls:
  727. img_urls_seperate_by_dot += iurl+","
  728. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  729. subtitles_seperate_by_dot = ''
  730. for sub in sub_titles:
  731. subtitles_seperate_by_dot += sub+","
  732. subtitles_seperate_by_dot = subtitles_seperate_by_dot[:-1]
  733. db['video_queue'].insert({'name_hash':name_hash,'name':name,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot,'subtitles':subtitles_seperate_by_dot,'avatar':avatar,'timestamp':time_stamp})
  734. while True:
  735. if first(db.query('SELECT * FROM video_queue_status'))['status'] == 1:#only one row in this table, which is the id 1 one
  736. print('another process running, leave loop')
  737. break
  738. if first(db.query('SELECT COUNT(1) FROM video_queue'))['COUNT(1)'] == 0:
  739. print('all finish, leave loop')
  740. break
  741. top1 = first(db.query('SELECT * FROM video_queue'))
  742. try:
  743. db.query('UPDATE video_queue_status SET status = 1;')
  744. c = rpyc.connect("localhost", 8858)
  745. c._config['sync_request_timeout'] = None
  746. remote_svc = c.root
  747. my_answer = remote_svc.call_video_eng(top1['name_hash'],top1['name'],top1['text_content'].split(','), top1['image_urls'].split(','),top1['subtitles'].split(','),top1['avatar']) # method call
  748. shutil.copy(tmp_video_dir+top1['name_hash']+'.mp4',video_dest+top1['name_hash']+'.mp4')
  749. os.remove(tmp_video_dir+top1['name_hash']+'.mp4')
  750. notify_group(name+"(ENG)的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4")
  751. except:
  752. print('video generation error')
  753. notify_group('影片錯誤')
  754. db['video_queue'].delete(id=top1['id'])
  755. db.query('UPDATE video_queue_status SET status = 0')
  756. def gen_avatar(name_hash, imgurl):
  757. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  758. db['avatar_queue'].insert({'name_hash':name_hash,'imgurl':imgurl})
  759. while True:
  760. statement = 'SELECT * FROM avatar_service_status'#only one row in this table, which is the id 1 one
  761. status = -1
  762. for row in db.query(statement):
  763. status = row['status']
  764. if status == 1:
  765. print('leave process loop')
  766. break
  767. statement = 'SELECT * FROM avatar_queue'
  768. works = []
  769. for row in db.query(statement):
  770. works.append({'id':row['id'],'name_hash':row['name_hash'],'imgurl':row['imgurl']})
  771. if len(works)==0:
  772. print('leave process loop')
  773. break
  774. try:
  775. statement = 'UPDATE avatar_service_status SET status = 1 WHERE id=1;'
  776. db.query(statement)
  777. name_hash = works[0]['name_hash']
  778. imgurl = works[0]['imgurl']
  779. c = rpyc.connect("localhost", 8868)
  780. c._config['sync_request_timeout'] = None
  781. remote_svc = c.root
  782. my_answer = remote_svc.call_avatar(name_hash,imgurl) # method call
  783. shutil.copy(tmp_avatar_dir+name_hash+'.mp4',avatar_dest+name_hash+'.mp4')
  784. os.remove(tmp_avatar_dir+name_hash+'.mp4')
  785. except:
  786. print('gen error')
  787. notify_group('無法辨識人臉')
  788. db['avatar_queue'].delete(id=works[0]['id'])
  789. statement = 'UPDATE avatar_service_status SET status = 0 WHERE id=1;' #only one row in this table, which id 1 one
  790. db.query(statement)
  791. def call_voice(text):
  792. print(text)
  793. print(len(text))
  794. print(type(text))
  795. c = rpyc.connect("localhost", 8858)
  796. c._config['sync_request_timeout'] = None
  797. remote_svc = c.root
  798. my_answer = remote_svc.make_speech(text) # method call
  799. src_path = '/home/ming/AI_Anchor/OpenshotService/speech.mp3'
  800. shutil.copy(src_path,'/home/ming/speech.mp3')
  801. os.remove(src_path)
  802. class text_in(BaseModel):
  803. text: str
  804. @app.post("/make_voice")
  805. async def make_voice(in_text:text_in):
  806. x = threading.Thread(target=call_voice, args=(in_text.text,))
  807. x.start()