main.py 31 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701
  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 typing import List, Optional
  5. from os.path import isfile, isdir, join
  6. import threading
  7. import os
  8. import requests
  9. from bs4 import BeautifulSoup
  10. import asyncio
  11. import urllib.request
  12. from fastapi.responses import FileResponse
  13. from fastapi.middleware.cors import CORSMiddleware
  14. import dataset
  15. from datetime import datetime, timedelta
  16. from fastapi.staticfiles import StaticFiles
  17. import shutil
  18. import io
  19. import pymysql
  20. pymysql.install_as_MySQLdb()
  21. app = FastAPI()
  22. app.add_middleware(
  23. CORSMiddleware,
  24. allow_origins=["*"],
  25. allow_credentials=True,
  26. allow_methods=["*"],
  27. allow_headers=["*"],
  28. )
  29. '''
  30. 資料表: agent_form
  31. 欄位:
  32. cellphone (手機)
  33. customer_note (備註)
  34. '''
  35. # 取得資料庫連線
  36. def get_db_connection():
  37. # 測試機 DB
  38. db = dataset.connect('mysql://hhh7796hhh:lYmWsu^ujcA1@hhh-v57-cluster.cluster-cmab1ctkglka.ap-northeast-2.rds.amazonaws.com:3306/stage?charset=utf8mb4')
  39. # 正式機 DB
  40. # db = dataset.connect('mysql://hhh7796hhh:lYmWsu^ujcA1@hhh-v57-cluster.cluster-cmab1ctkglka.ap-northeast-2.rds.amazonaws.com:3306/xoops?charset=utf8mb4')
  41. return db
  42. # 檢查已登錄過的客戶手機號碼
  43. @app.get("/check")
  44. async def checkCellphone(cellphone: str = '0975-516-501'):
  45. # 手機號碼清單
  46. cellphone_list = cellphone.split("\n")
  47. cellphone_list = "','".join(cellphone_list)
  48. # cellphone_list = cellphone.replace("\n", ",")
  49. # cellphone_list = cellphone_list
  50. print ('cellphone_list = ' + cellphone_list)
  51. # 取得資料庫連線
  52. db = get_db_connection()
  53. # 取得手機號碼資料
  54. q = "SELECT * \
  55. FROM agent_form \
  56. WHERE cellphone IN ('" + cellphone_list + "')"
  57. count = len(list(db.query(q)))
  58. if count == 0: # 無手機號碼資料
  59. print('無手機號碼資料資料')
  60. return {"count": 0, "msg": "無手機號碼資料"}
  61. else:
  62. # 既有手機號碼資料
  63. cellphone_list = []
  64. for r1 in db.query(q):
  65. print('手機號碼: ' + r1['cellphone'] + ' 資料已存在')
  66. cellphone_list.append(r1['cellphone'])
  67. return {"count": count, "cellphone": cellphone_list}
  68. # checkCellphone('0975-516-501')
  69. # 批次檢查已登錄過的客戶手機號碼
  70. '''
  71. # @app.get("/index2")
  72. # async def index2():
  73. # return FileResponse('static/index2.html')
  74. @app.get("/index_eng")
  75. async def index2():
  76. return FileResponse('static/index_eng.html')
  77. # home page
  78. @app.get("/index", response_class=HTMLResponse)
  79. async def get_home_page(request: Request, response: Response):
  80. return templates.TemplateResponse("index.html", {"request": request, "response": response})
  81. @app.get("/", response_class=HTMLResponse)
  82. async def get_home_page(request: Request, response: Response):
  83. return templates.TemplateResponse("index.html", {"request": request, "response": response})
  84. @app.get("/make_video", response_class=HTMLResponse)
  85. async def get_home_page(request: Request, response: Response, Authorize: AuthJWT = Depends()):
  86. try:
  87. Authorize.jwt_required()
  88. except Exception as e:
  89. print(e)
  90. return '請先登入帳號'
  91. current_user = Authorize.get_jwt_subject()
  92. return templates.TemplateResponse("make_video.html", {"request": request, "response": response})
  93. @app.get("/make_video_long", response_class=HTMLResponse)
  94. async def get_home_page(request: Request, response: Response, Authorize: AuthJWT = Depends()):
  95. try:
  96. Authorize.jwt_required()
  97. except Exception as e:
  98. print(e)
  99. return '請先登入帳號'
  100. current_user = Authorize.get_jwt_subject()
  101. return templates.TemplateResponse("make_video_long.html", {"request": request, "response": response})
  102. @app.get("/make_video_slide", response_class=HTMLResponse)
  103. async def make_video_slide(request: Request, response: Response, Authorize: AuthJWT = Depends()):
  104. try:
  105. Authorize.jwt_required()
  106. except Exception as e:
  107. print(e)
  108. return '請先登入帳號'
  109. current_user = Authorize.get_jwt_subject()
  110. return templates.TemplateResponse("make_video_slide.html", {"request": request, "response": response})
  111. @app.get('/user_profile', response_class=HTMLResponse)
  112. def protected(request: Request, Authorize: AuthJWT = Depends()):
  113. Authorize.jwt_required()
  114. current_user = Authorize.get_jwt_subject()
  115. return current_user
  116. # login & register page
  117. @app.get("/login", response_class=HTMLResponse)
  118. async def get_login_and_register_page(request: Request):
  119. return templates.TemplateResponse("login.html", {"request": request})
  120. @app.post("/login")
  121. async def login_for_access_token(request: Request, form_data: OAuth2PasswordRequestForm = Depends(), Authorize: AuthJWT = Depends()):
  122. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  123. user = authenticate_user(form_data.username, form_data.password)
  124. if not user:
  125. raise HTTPException(
  126. status_code=status.HTTP_401_UNAUTHORIZED,
  127. detail="Incorrect username or password",
  128. headers={"WWW-Authenticate": "Bearer"},
  129. )
  130. access_token_expires = timedelta(minutes=ACCESS_TOKEN_EXPIRE_MINUTES)
  131. access_token = create_access_token(
  132. data={"sub": user.username}, expires_delta=access_token_expires
  133. )
  134. table = db['users']
  135. user.token = access_token
  136. table.update(dict(user), ['username'])
  137. access_token = Authorize.create_access_token(subject=user.username)
  138. refresh_token = Authorize.create_refresh_token(subject=user.username)
  139. Authorize.set_access_cookies(access_token)
  140. Authorize.set_refresh_cookies(refresh_token)
  141. #return templates.TemplateResponse("index.html", {"request": request, "msg": 'Login'})
  142. return {"access_token": access_token, "token_type": "bearer"}
  143. @app.post("/token")
  144. async def access_token(form_data: OAuth2PasswordRequestForm = Depends(), Authorize: AuthJWT = Depends()):
  145. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  146. user = authenticate_user(form_data.username, form_data.password)
  147. if not user:
  148. raise HTTPException(
  149. status_code=status.HTTP_401_UNAUTHORIZED,
  150. detail="Incorrect username or password",
  151. headers={"WWW-Authenticate": "Bearer"},
  152. )
  153. access_token_expires = timedelta(minutes=ACCESS_TOKEN_EXPIRE_MINUTES)
  154. access_token = create_access_token(
  155. data={"sub": user.username}, expires_delta=access_token_expires
  156. )
  157. return {"access_token": access_token, "token_type": "bearer"}
  158. @app.post("/register")
  159. async def register(request: Request):
  160. user = models.User(**await request.form())
  161. user_register(user)
  162. return templates.TemplateResponse("login.html", {'request': request,"success": True}, status_code=status.HTTP_302_FOUND)
  163. @app.get('/user_profile', response_class=HTMLResponse)
  164. def protected(request: Request, Authorize: AuthJWT = Depends()):
  165. Authorize.jwt_required()
  166. current_user = Authorize.get_jwt_subject()
  167. return current_user
  168. @app.get('/logout')
  169. def logout(request: Request, Authorize: AuthJWT = Depends()):
  170. Authorize.jwt_required()
  171. Authorize.unset_jwt_cookies()
  172. return {"msg": "Successfully logout"}
  173. @app.get("/gen_avatar")
  174. async def avatar():
  175. return FileResponse('static/gen_avatar.html')
  176. @app.post("/swapFace")
  177. async def swapFace(req:models.swap_req):
  178. if 'http' not in req.imgurl:
  179. req.imgurl= 'http://'+req.imgurl
  180. try:
  181. im = Image.open(requests.get(req.imgurl, stream=True).raw)
  182. im= im.convert("RGB")
  183. except:
  184. return {'msg':"無法辨別圖片網址"+req.imgurl}
  185. name_hash = str(time.time()).replace('.','')
  186. x = threading.Thread(target=gen_avatar, args=(name_hash,req.imgurl))
  187. x.start()
  188. return {'msg':'人物生成中,請稍候'}
  189. @app.post("/uploadfile/")
  190. async def create_upload_file(file: UploadFile = File(...)):
  191. img_name = str(time.time()).replace('.','')
  192. try:
  193. if file.content_type=='video/mp4':
  194. async with aiofiles.open(img_upload_folder+img_name+'.mp4', 'wb') as out_file:
  195. content = await file.read()
  196. await out_file.write(content)
  197. return {"msg": 'www.choozmo.com:8168/'+tmp_img_sub_folder+img_name+'.mp4'}
  198. else:
  199. contents = await file.read()
  200. image = Image.open(io.BytesIO(contents))
  201. image= image.convert("RGB")
  202. image.save(img_upload_folder+img_name+'.jpg')
  203. return {"msg": 'www.choozmo.com:8168/'+tmp_img_sub_folder+img_name+'.jpg'}
  204. except Exception as e:
  205. logging.error(traceback.format_exc())
  206. return {'msg':'檔案無法使用'}
  207. @app.post("/make_anchor_video_gSlide")
  208. async def make_anchor_video_gSlide(req:models.gSlide_req,token: str = Depends(oauth2_scheme)):
  209. name, text_content, image_urls = gSlide.parse_slide_url(req.slide_url,eng=False)
  210. if len(image_urls) != len(text_content):
  211. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  212. for idx in range(len(image_urls)):
  213. if 'http' not in image_urls[idx]:
  214. image_urls[idx] = 'http://'+image_urls[idx]
  215. if req.multiLang==0:
  216. for txt in text_content:
  217. if re.search('[a-zA-Z]', txt) !=None:
  218. print('語言錯誤')
  219. return {'msg':'輸入字串不能包含英文字!'}
  220. name_hash = str(time.time()).replace('.','')
  221. for imgu in image_urls:
  222. try:
  223. if get_url_type(imgu) =='video/mp4':
  224. r=requests.get(imgu)
  225. else:
  226. im = Image.open(requests.get(imgu, stream=True).raw)
  227. im= im.convert("RGB")
  228. except:
  229. return {'msg':"無法辨別圖片網址"+imgu}
  230. user_id = get_user_id(token)
  231. proto_req = models.request_normal()
  232. proto_req.text_content = text_content
  233. proto_req.name = name
  234. proto_req.image_urls = image_urls
  235. proto_req.avatar = req.avatar
  236. proto_req.multiLang = req.multiLang
  237. save_history(proto_req,name_hash,user_id)
  238. x = threading.Thread(target=gen_video_queue, args=(name_hash,name, text_content, image_urls,int(req.avatar),req.multiLang,user_id))
  239. x.start()
  240. return {"msg":"製作影片需要時間,請您耐心等候,成果會傳送至LINE群組中"}
  241. @app.post("/make_anchor_video_long")
  242. async def make_anchor_video_long(req:models.request,token: str = Depends(oauth2_scheme)):
  243. if len(req.image_urls) != len(req.text_content):
  244. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  245. for idx in range(len(req.image_urls)):
  246. if 'http' not in req.image_urls[idx]:
  247. req.image_urls[idx] = 'http://'+req.image_urls[idx]
  248. if req.multiLang==0:
  249. for txt in req.text_content:
  250. if re.search('[a-zA-Z]', txt) !=None:
  251. print('語言錯誤')
  252. return {'msg':'輸入字串不能包含英文字!'}
  253. name_hash = str(time.time()).replace('.','')
  254. for imgu in req.image_urls:
  255. try:
  256. if get_url_type(imgu) =='video/mp4':
  257. r=requests.get(imgu)
  258. else:
  259. im = Image.open(requests.get(imgu, stream=True).raw)
  260. im= im.convert("RGB")
  261. except:
  262. return {'msg':"無法辨別圖片網址"+imgu}
  263. user_id = get_user_id(token)
  264. save_history(req,name_hash,user_id)
  265. x = threading.Thread(target=gen_video_long_queue, args=(name_hash,req.name, req.text_content, req.image_urls,int(req.avatar),req.multiLang,user_id))
  266. x.start()
  267. return {"msg":"ok"}
  268. @app.post("/make_anchor_video")
  269. async def make_anchor_video(req:models.request,token: str = Depends(oauth2_scheme)):
  270. if len(req.image_urls) != len(req.text_content):
  271. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  272. for idx in range(len(req.image_urls)):
  273. if 'http' not in req.image_urls[idx]:
  274. req.image_urls[idx] = 'http://'+req.image_urls[idx]
  275. if req.multiLang==0:
  276. for txt in req.text_content:
  277. if re.search('[a-zA-Z]', txt) !=None:
  278. print('語言錯誤')
  279. return {'msg':'輸入字串不能包含英文字!'}
  280. name_hash = str(time.time()).replace('.','')
  281. for imgu in req.image_urls:
  282. try:
  283. if get_url_type(imgu) =='video/mp4':
  284. r=requests.get(imgu)
  285. else:
  286. im = Image.open(requests.get(imgu, stream=True).raw)
  287. im= im.convert("RGB")
  288. except:
  289. return {'msg':"無法辨別圖片網址"+imgu}
  290. user_id = get_user_id(token)
  291. save_history(req,name_hash,user_id)
  292. x = threading.Thread(target=gen_video_queue, args=(name_hash,req.name, req.text_content, req.image_urls,int(req.avatar),req.multiLang,user_id))
  293. x.start()
  294. return {'msg':'ok'}
  295. @app.post("/make_anchor_video_eng")
  296. async def make_anchor_video_eng(req:models.request_eng):
  297. if len(req.image_urls) != len(req.sub_titles) or len(req.sub_titles) != len(req.text_content):
  298. return {'msg':'副標題數量、圖片(影片)數量以及台詞數量必須一致'}
  299. for idx in range(len(req.image_urls)):
  300. if 'http' not in req.image_urls[idx]:
  301. req.image_urls[idx] = 'http://'+req.image_urls[idx]
  302. name_hash = str(time.time()).replace('.','')
  303. for imgu in req.image_urls:
  304. try:
  305. if get_url_type(imgu) =='video/mp4':
  306. r=requests.get(imgu)
  307. else:
  308. im = Image.open(requests.get(imgu, stream=True).raw)
  309. im= im.convert("RGB")
  310. except:
  311. return {'msg':"無法辨別圖片網址"+imgu}
  312. save_history(req,name_hash)
  313. 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)))
  314. x.start()
  315. return {"msg":"ok"}
  316. @app.get("/history_input")
  317. async def history_input(request: Request, Authorize: AuthJWT = Depends()):
  318. Authorize.jwt_required()
  319. current_user = Authorize.get_jwt_subject()
  320. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  321. user_id = first(db.query('SELECT * FROM users where username="' + current_user +'"'))['id']
  322. statement = 'SELECT * FROM history_input WHERE user_id="'+str(user_id)+'" ORDER BY timestamp DESC LIMIT 50'
  323. logs = []
  324. for row in db.query(statement):
  325. logs.append({'id':row['id'],'name':row['name'],'text_content':row['text_content'].split(','),'link':row['link'],'image_urls':row['image_urls'].split(',')})
  326. return logs
  327. @AuthJWT.load_config
  328. def get_config():
  329. return models.Settings()
  330. @app.exception_handler(AuthJWTException)
  331. def authjwt_exception_handler(request: Request, exc: AuthJWTException):
  332. return JSONResponse(
  333. status_code=exc.status_code,
  334. content={"detail": exc.message}
  335. )
  336. def get_user_id(token):
  337. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  338. credentials_exception = HTTPException(
  339. status_code=status.HTTP_401_UNAUTHORIZED,
  340. detail="Could not validate credentials",
  341. headers={"WWW-Authenticate": "Bearer"},
  342. )
  343. try:
  344. payload = jwt.decode(token, SECRET_KEY, algorithms=[ALGORITHM])
  345. username: str = payload.get("sub")
  346. if username is None:
  347. raise credentials_exception
  348. token_data = models.TokenData(username=username)
  349. except JWTError:
  350. raise credentials_exception
  351. user = get_user(username=token_data.username)
  352. if user is None:
  353. raise credentials_exception
  354. user_id = first(db.query('SELECT * FROM users where username="' + user.username+'"'))['id']
  355. return user_id
  356. def check_user_exists(username):
  357. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  358. if int(next(iter(db.query('SELECT COUNT(*) FROM AI_anchor.users WHERE username = "'+username+'"')))['COUNT(*)']) > 0:
  359. return True
  360. else:
  361. return False
  362. def get_user(username: str):
  363. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  364. if not check_user_exists(username): # if user don't exist
  365. return False
  366. user_dict = next(
  367. iter(db.query('SELECT * FROM AI_anchor.users where username ="'+username+'"')))
  368. user = models.User(**user_dict)
  369. return user
  370. def user_register(user):
  371. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  372. table = db['users']
  373. user.password = get_password_hash(user.password)
  374. table.insert(dict(user))
  375. def get_password_hash(password):
  376. return pwd_context.hash(password)
  377. def verify_password(plain_password, hashed_password):
  378. return pwd_context.verify(plain_password, hashed_password)
  379. def authenticate_user(username: str, password: str):
  380. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  381. if not check_user_exists(username): # if user don't exist
  382. return False
  383. user_dict = next(iter(db.query('SELECT * FROM AI_anchor.users where username ="'+username+'"')))
  384. user = models.User(**user_dict)
  385. if not verify_password(password, user.password):
  386. return False
  387. return user
  388. def create_access_token(data: dict, expires_delta: Optional[timedelta] = None):
  389. to_encode = data.copy()
  390. if expires_delta:
  391. expire = datetime.utcnow() + expires_delta
  392. else:
  393. expire = datetime.utcnow() + timedelta(minutes=15)
  394. to_encode.update({"exp": expire})
  395. encoded_jwt = jwt.encode(to_encode, SECRET_KEY, algorithm=ALGORITHM)
  396. return encoded_jwt
  397. def save_history(req,name_hash,user_id):
  398. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  399. log_table = db['history_input']
  400. txt_content_seperate_by_dot = ''
  401. for txt in req.text_content:
  402. txt_content_seperate_by_dot += txt+","
  403. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  404. img_urls_seperate_by_dot = ''
  405. for iurl in req.image_urls:
  406. img_urls_seperate_by_dot += iurl+","
  407. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  408. time_stamp = datetime.fromtimestamp(time.time())
  409. time_stamp = time_stamp.strftime("%Y-%m-%d %H:%M:%S")
  410. pk = log_table.insert({'name':req.name,'text_content':txt_content_seperate_by_dot,'image_urls':img_urls_seperate_by_dot
  411. ,'user_id':user_id,'link':'www.choozmo.com:8168/'+video_sub_folder+name_hash+'.mp4','timestamp':time_stamp})
  412. def get_url_type(url):
  413. req = urllib.request.Request(url, method='HEAD', headers={'User-Agent': 'Mozilla/5.0'})
  414. r = urllib.request.urlopen(req)
  415. contentType = r.getheader('Content-Type')
  416. return contentType
  417. def notify_line_user(msg, line_token):
  418. headers = {
  419. "Authorization": "Bearer " + line_token,
  420. "Content-Type": "application/x-www-form-urlencoded"
  421. }
  422. params = {"message": msg}
  423. r = requests.post("https://notify-api.line.me/api/notify",headers=headers, params=params)
  424. def notify_group(msg):
  425. glist=['WekCRfnAirSiSxALiD6gcm0B56EejsoK89zFbIaiZQD']
  426. for gid in glist:
  427. headers = {
  428. "Authorization": "Bearer " + gid,
  429. "Content-Type": "application/x-www-form-urlencoded"
  430. }
  431. params = {"message": msg}
  432. r = requests.post("https://notify-api.line.me/api/notify",headers=headers, params=params)
  433. def gen_video(name_hash,name,text_content, image_urls,avatar):
  434. c = rpyc.connect("localhost", 8858)
  435. c._config['sync_request_timeout'] = None
  436. remote_svc = c.root
  437. my_answer = remote_svc.call_video(name_hash,name,text_content, image_urls,avatar) # method call
  438. shutil.copy(tmp_video_dir+name_hash+'.mp4',video_dest+name_hash+'.mp4')
  439. os.remove(tmp_video_dir+name_hash+'.mp4')
  440. def gen_video_eng(name_hash,name,text_content, image_urls,sub_titles,avatar):
  441. c = rpyc.connect("localhost", 8858)
  442. c._config['sync_request_timeout'] = None
  443. remote_svc = c.root
  444. my_answer = remote_svc.call_video_eng(name_hash,name,text_content, image_urls,sub_titles,avatar) # method call
  445. shutil.copy(tmp_video_dir+name_hash+'.mp4',video_dest+name_hash+'.mp4')
  446. os.remove(tmp_video_dir+name_hash+'.mp4')
  447. def gen_video_long_queue(name_hash,name,text_content, image_urls,avatar,multiLang,user_id):
  448. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  449. time_stamp = datetime.fromtimestamp(time.time()).strftime("%Y-%m-%d %H:%M:%S")
  450. txt_content_seperate_by_dot = ''
  451. for txt in text_content:
  452. txt_content_seperate_by_dot += txt+","
  453. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  454. img_urls_seperate_by_dot = ''
  455. for iurl in image_urls:
  456. img_urls_seperate_by_dot += iurl+","
  457. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  458. 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})
  459. while True:
  460. if first(db.query('SELECT * FROM video_queue_status'))['status'] == 1:#only one row in this table, which is the id 1 one
  461. print('another process running, leave loop')#1 means already running
  462. break
  463. if first(db.query('SELECT COUNT(1) FROM video_queue'))['COUNT(1)'] == 0:
  464. print('all finish, leave loop')
  465. break
  466. top1 = first(db.query('SELECT * FROM video_queue'))
  467. try:
  468. # if True:
  469. db.query('UPDATE video_queue_status SET status = 1;')
  470. c = rpyc.connect("localhost", 8858)
  471. c._config['sync_request_timeout'] = None
  472. remote_svc = c.root
  473. 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
  474. shutil.copy(tmp_video_dir+top1['name_hash']+'.mp4',video_dest+top1['name_hash']+'.mp4')
  475. os.remove(tmp_video_dir+top1['name_hash']+'.mp4')
  476. vid_duration = VideoFileClip(video_dest+top1['name_hash']+'.mp4').duration
  477. user_obj = first(db.query('SELECT * FROM users where id ="'+str(user_id)+'"'))
  478. line_token = user_obj['line_token'] # aa
  479. left_time = user_obj['left_time']
  480. email = user_obj['email']
  481. print('left_time is '+str(left_time))
  482. if left_time is None:
  483. left_time = 5*60
  484. if left_time < vid_duration:
  485. msg = '您本月額度剩下'+str(left_time)+'秒,此部影片有'+str(vid_duration)+'秒, 若要繼續產生影片請至 192.168.1.106:8887/confirm_add_value?name_hash='+name_hash+' 加值'
  486. print(msg)
  487. msg =msg.encode(encoding='utf-8')
  488. mailer.send(msg, email)
  489. #notify_line_user(msg, line_token)
  490. notify_group(name+":帳號餘額不足,請至email查看詳細資訊")
  491. else:
  492. left_time = left_time - vid_duration
  493. db.query('UPDATE users SET left_time ='+str(left_time)+' WHERE id='+str(user_id)+';')
  494. notify_group(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4")
  495. #notify_line_user(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4", line_token)
  496. except Exception as e:
  497. logging.error(traceback.format_exc())
  498. print('video generation error')
  499. #notify_group('長影片錯誤-測試')
  500. db['video_queue'].delete(id=top1['id'])
  501. db.query('UPDATE video_queue_status SET status = 0')
  502. def gen_video_queue(name_hash,name,text_content, image_urls,avatar,multiLang,user_id):
  503. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  504. time_stamp = datetime.fromtimestamp(time.time()).strftime("%Y-%m-%d %H:%M:%S")
  505. txt_content_seperate_by_dot = ''
  506. for txt in text_content:
  507. txt_content_seperate_by_dot += txt+","
  508. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  509. img_urls_seperate_by_dot = ''
  510. for iurl in image_urls:
  511. img_urls_seperate_by_dot += iurl+","
  512. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  513. 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})
  514. while True:
  515. if first(db.query('SELECT * FROM video_queue_status'))['status'] == 1:#only one row in this table, which is the id 1 one
  516. print('another process running, leave loop')#1 means already running
  517. break
  518. if first(db.query('SELECT COUNT(1) FROM video_queue'))['COUNT(1)'] == 0:
  519. print('all finish, leave loop')
  520. break
  521. top1 = first(db.query('SELECT * FROM video_queue'))
  522. try:
  523. # if True:
  524. db.query('UPDATE video_queue_status SET status = 1;')
  525. c = rpyc.connect("localhost", 8858)
  526. c._config['sync_request_timeout'] = None
  527. remote_svc = c.root
  528. 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
  529. shutil.copy(tmp_video_dir+top1['name_hash']+'.mp4',video_dest+top1['name_hash']+'.mp4')
  530. os.remove(tmp_video_dir+top1['name_hash']+'.mp4')
  531. vid_duration = VideoFileClip(video_dest+top1['name_hash']+'.mp4').duration
  532. user_obj = first(db.query('SELECT * FROM users where id ="'+str(user_id)+'"'))
  533. line_token = user_obj['line_token'] # aa
  534. left_time = user_obj['left_time']
  535. email = user_obj['email']
  536. print('left_time is '+str(left_time))
  537. if left_time is None:
  538. left_time = 5*60
  539. if left_time < vid_duration:
  540. msg = '您本月額度剩下'+str(left_time)+'秒,此部影片有'+str(vid_duration)+'秒, 若要繼續產生影片請至 192.168.1.106:8887/confirm_add_value?name_hash='+name_hash+' 加值'
  541. print(msg)
  542. msg =msg.encode(encoding='utf-8')
  543. mailer.send(msg, email)
  544. notify_line_user(msg, line_token)
  545. else:
  546. left_time = left_time - vid_duration
  547. db.query('UPDATE users SET left_time ='+str(left_time)+' WHERE id='+str(user_id)+';')
  548. notify_group(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4")
  549. #notify_line_user(name+"的影片已經產生完成囉! www.choozmo.com:8168/"+video_sub_folder+name_hash+".mp4", line_token)
  550. except Exception as e:
  551. logging.error(traceback.format_exc())
  552. print('video generation error')
  553. notify_group('影片錯誤')
  554. db['video_queue'].delete(id=top1['id'])
  555. db.query('UPDATE video_queue_status SET status = 0')
  556. def gen_video_queue_eng(name_hash,name,text_content, image_urls,sub_titles,avatar):
  557. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  558. time_stamp = datetime.fromtimestamp(time.time()).strftime("%Y-%m-%d %H:%M:%S")
  559. txt_content_seperate_by_dot = ''
  560. for txt in text_content:
  561. txt_content_seperate_by_dot += txt+","
  562. txt_content_seperate_by_dot = txt_content_seperate_by_dot[:-1]
  563. img_urls_seperate_by_dot = ''
  564. for iurl in image_urls:
  565. img_urls_seperate_by_dot += iurl+","
  566. img_urls_seperate_by_dot = img_urls_seperate_by_dot[:-1]
  567. subtitles_seperate_by_dot = ''
  568. for sub in sub_titles:
  569. subtitles_seperate_by_dot += sub+","
  570. subtitles_seperate_by_dot = subtitles_seperate_by_dot[:-1]
  571. 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})
  572. while True:
  573. if first(db.query('SELECT * FROM video_queue_status'))['status'] == 1:#only one row in this table, which is the id 1 one
  574. print('another process running, leave loop')
  575. break
  576. if first(db.query('SELECT COUNT(1) FROM video_queue'))['COUNT(1)'] == 0:
  577. print('all finish, leave loop')
  578. break
  579. top1 = first(db.query('SELECT * FROM video_queue'))
  580. try:
  581. db.query('UPDATE video_queue_status SET status = 1;')
  582. c = rpyc.connect("localhost", 8858)
  583. c._config['sync_request_timeout'] = None
  584. remote_svc = c.root
  585. 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
  586. shutil.copy(tmp_video_dir+top1['name_hash']+'.mp4',video_dest+top1['name_hash']+'.mp4')
  587. os.remove(tmp_video_dir+top1['name_hash']+'.mp4')
  588. except:
  589. print('video generation error')
  590. notify_group('影片錯誤')
  591. db['video_queue'].delete(id=top1['id'])
  592. db.query('UPDATE video_queue_status SET status = 0')
  593. def gen_avatar(name_hash, imgurl):
  594. db = dataset.connect('mysql://choozmo:pAssw0rd@db.ptt.cx:3306/AI_anchor?charset=utf8mb4')
  595. db['avatar_queue'].insert({'name_hash':name_hash,'imgurl':imgurl})
  596. while True:
  597. statement = 'SELECT * FROM avatar_service_status'#only one row in this table, which is the id 1 one
  598. status = -1
  599. for row in db.query(statement):
  600. status = row['status']
  601. if status == 1:
  602. print('leave process loop')
  603. break
  604. statement = 'SELECT * FROM avatar_queue'
  605. works = []
  606. for row in db.query(statement):
  607. works.append({'id':row['id'],'name_hash':row['name_hash'],'imgurl':row['imgurl']})
  608. if len(works)==0:
  609. print('leave process loop')
  610. break
  611. try:
  612. statement = 'UPDATE avatar_service_status SET status = 1 WHERE id=1;'
  613. db.query(statement)
  614. name_hash = works[0]['name_hash']
  615. imgurl = works[0]['imgurl']
  616. c = rpyc.connect("localhost", 8868)
  617. c._config['sync_request_timeout'] = None
  618. remote_svc = c.root
  619. my_answer = remote_svc.call_avatar(name_hash,imgurl) # method call
  620. shutil.copy(tmp_avatar_dir+name_hash+'.mp4',avatar_dest+name_hash+'.mp4')
  621. os.remove(tmp_avatar_dir+name_hash+'.mp4')
  622. except:
  623. print('gen error')
  624. notify_group('無法辨識人臉')
  625. db['avatar_queue'].delete(id=works[0]['id'])
  626. statement = 'UPDATE avatar_service_status SET status = 0 WHERE id=1;' #only one row in this table, which id 1 one
  627. db.query(statement)
  628. '''