Example #1
0
async def get_item(request):
    async with request.app['db'].acquire() as conn:
        if request.match_info.get('id'):
            records = await get_items_from_db(request.app,
                                              id=request.match_info.get('id'))
        elif request.rel_url.query.get('page'):
            page = int(request.rel_url.query.get('page')) - 1
            per_page = int(
                request.rel_url.query.get('per_page',
                                          config['constants']['per_page']))

            records = await get_items_from_db(request.app,
                                              offset=page * per_page,
                                              limit=per_page)
        else:
            records = await get_items_from_db(request.app)

        if records:
            items = [dict(i) for i in records]

            cursor = await conn.execute(db.items.count())
            data = await cursor.fetchall()
            data = [dict(i) for i in data][0]['tbl_row_count']

            return gen_json_response({'items': items, 'count': data})
        else:
            return gen_json_response('Empty set', 404)
Example #2
0
async def del_item(request):
    async with request.app['db'].acquire() as conn:
        if not await get_items_from_db(request.app,
                                       id=request.match_info.get('id')):
            return gen_json_response('Not found', 404)

        cursor = await conn.execute(db.items.delete().where(
            db.items.c.id == request.match_info.get('id')))

        return gen_json_response('OK', 201)
Example #3
0
async def patch_item(request):
    async with request.app['db'].acquire() as conn:
        if not await get_items_from_db(request.app,
                                       id=request.match_info.get('id')):
            return gen_json_response('Not found', 404)

        data = await request.json()
        cleaned_data = clean_data(data, ['name', 'code', 'category'])

        cursor = await conn.execute(db.items.update().where(
            db.items.c.id == request.match_info.get('id')).values(cleaned_data)
                                    )

        return gen_json_response('OK')
Example #4
0
    def post(self, request):
        body = json.loads(request.body.decode('utf-8'))
        print(body)
        # uid = body['uid']
        # print("search uid:"+str(uid))
        keywords = body['keywords']
        if not keywords:
            return JsonResponse({'message': 'Nothing to search.', 'flag': 0})
        text_w = [(keywords, 1)]

        # text_w = [(word,1) for word in keywords]
        index = ['arxiv', 'news', 'github']
        total_info_score = get_rough_query_result(text_w, index=index)

        # print(total_info_score)
        paper_info = total_info_score['arxiv'][0]
        # # # paper_info = []
        news_info = total_info_score['news'][0]

        github_info = total_info_score['github'][0]
        # paper_info,_ = get_rough_query_result(text_w,index='arxiv')
        # news_info,_ = get_rough_query_result(text_w,index = 'news')
        # github_info,_ = get_rough_query_result(text_w,index = 'github')
        paper_list = paper_info + news_info + github_info  #paper_info+news_info+github_info
        # print("-------debug search------------")
        # print(paper_list[0])
        for x in paper_list:
            x["fid"] = x.pop("id")
        # random.shuffle(paper_list)
        data = {"paper_list": paper_list[0:50]}
        return gen_json_response(status="success",
                                 message="Search success!",
                                 data=data)
Example #5
0
    def get(self, request):
        body_unicode = request.body.decode('utf-8')

        print(body_unicode)
        return gen_json_response(status="successs",
                                 message="Return your get.",
                                 data=body_unicode)
Example #6
0
async def post_validate(request):
    async with request.app['db'].acquire() as conn:
        data = await request.json()

        if 'access_token' not in data:
            return gen_json_response('Access token needed', 400)

        cursor = await conn.execute(db.users.select().where(
            db.users.c.access_token == data['access_token']))
        records = await cursor.fetchall()

        if not records:
            return gen_json_response('Invalid access token', 400)

        user = [dict(i) for i in records][0]

        if user['access_token_expiration_time'] < datetime.datetime.now():
            return gen_json_response('Expired access token', 400)

        return gen_json_response('OK')
Example #7
0
async def post_signin(request):
    async with request.app['db'].acquire() as conn:
        data = await request.json()

        if 'email' not in data or 'password' not in data:
            return gen_json_response('Email and password needed', 400)

        cursor = await conn.execute(
            db.users.select().where(db.users.c.email == data['email']))
        records = await cursor.fetchall()

        if not records:
            return gen_json_response('No such email', 400)

        user = [dict(i) for i in records][0]

        if not user['is_activated']:
            return gen_json_response('Activate your account', 400)

        if user['password'] != data['password']:
            return gen_json_response('Incorrect password', 400)

        access_token, expire_access_token, refresh_token, expire_refresh_token = gen_access_refresh_tokens(
        )

        cursor = await conn.execute(
            db.users.update().where(db.users.c.email == data['email']).values({
                'access_token':
                access_token,
                'access_token_expiration_time':
                expire_access_token,
                'refresh_token':
                refresh_token,
                'refresh_token_expiration_time':
                expire_refresh_token,
            }))

        return gen_json_response({
            'access_token': access_token,
            'refresh_token': refresh_token
        })
Example #8
0
async def post_refresh(request):
    async with request.app['db'].acquire() as conn:
        data = await request.json()

        if 'refresh_token' not in data:
            return gen_json_response('Refresh token needed', 400)

        cursor = await conn.execute(db.users.select().where(
            db.users.c.refresh_token == data['refresh_token']))
        records = await cursor.fetchall()

        if not records:
            return gen_json_response('Invalid refresh token', 400)

        user = [dict(i) for i in records][0]

        if user['refresh_token_expiration_time'] < datetime.datetime.now():
            return gen_json_response('Expired refresh token', 400)

        access_token, expire_access_token, refresh_token, expire_refresh_token = gen_access_refresh_tokens(
        )

        cursor = await conn.execute(
            db.users.update().where(db.users.c.id == user['id']).values({
                'access_token':
                access_token,
                'access_token_expiration_time':
                expire_access_token,
                'refresh_token':
                refresh_token,
                'refresh_token_expiration_time':
                expire_refresh_token,
            }))

        return gen_json_response({
            'access_token': access_token,
            'refresh_token': refresh_token
        })
Example #9
0
async def post_item(request):
    async with request.app['db'].acquire() as conn:
        data = await request.json()

        cursor = await conn.execute(db.items.insert().values({
            'name':
            data['name'],
            'code':
            data['code'],
            'category':
            data['category']
        }))

        return gen_json_response('OK', 201)
Example #10
0
async def get_activate(request):
    if 'activate_url' not in request.match_info:
        return gen_json_response('No activation key', 400)

    async with request.app['db'].acquire() as conn:
        cursor = await conn.execute(db.users.select().where(
            db.users.c.activate_url == request.match_info.get('activate_url')))
        records = await cursor.fetchall()

        if not records:
            return gen_json_response('No such activation key', 400)

        user = [dict(i) for i in records][0]

        cursor = await conn.execute(
            db.users.update().where(db.users.c.id == user['id']).values({
                'is_activated':
                True,
                'activate_url':
                None,
            }))

        return gen_json_response('Activated')
Example #11
0
async def post_signup(request):
    async with request.app['db'].acquire() as conn:
        data = await request.json()

        if 'email' not in data or 'password' not in data:
            return gen_json_response('Email and password needed', 400)

        cursor = await conn.execute(
            db.users.select().where(db.users.c.email == data['email']))
        records = await cursor.fetchall()

        if records:
            return gen_json_response('Email already registered', 409)

        activate_url = secrets.token_urlsafe(
            config['constants']['token_length'])

        cursor = await conn.execute(db.users.insert().values({
            'email':
            data['email'],
            'password':
            data['password'],  # TODO: hash password
            'is_activated':
            False,
            'activate_url':
            activate_url,
        }))

        request.app['channel'].basic_publish(
            exchange='',
            routing_key=config['mq']['email_queue'],
            body=json.dumps({
                'email': data['email'],
                'activate_url': activate_url,
            }))

        return gen_json_response('OK')
Example #12
0
    def post(self, request):
        body = json.loads(request.body.decode('utf-8'))
        #print(body)
        t = int(round(time.time() * 1000))
        action_record = ActionLog(uid=body['uid'],
                                  fid=body['fid'],
                                  action=body['action'],
                                  start_time=t,
                                  end_time=0)
        action_record.save()

        if USE_ACC_QUERY:
            rsfunction.update_interests(action_record_to_dict(action_record))
        data = {}
        return gen_json_response(status="success",
                                 message="Search success!",
                                 data=data)
Example #13
0
    def post(self, request):
        body = json.loads(request.body.decode('utf-8'))
        uid = body['uid']
        interests_raw = body['interests']
        uid = body['uid']

        user_profile = UserProfile.objects.get(uid=uid)
        for x in interests_raw:
            key, value = next(iter(x.items()))
            user_profile.interests.append(Interests(domain=key, weight=value))

        print("@@@@@@@@@@@@@")
        user_profile.save()

        print('save success.')
        return gen_json_response(status="success",
                                 message="Subscribe interests success!")
Example #14
0
    def get(self, request):
        # body = json.loads(request.body.decode('utf-8'))
        # uid = body['uid']
        # fid = body['fid']
        # start_time = body['start_time']
        # end_time = body['end_time']

        _trending_list = [
            '5d50001a805e098e475d03a6', '5d3d3bd91708449067829b2e',
            '5d4fff9cce8068e301858067', '5d4fffc79415692c4877c21a'
        ]
        trending_feeds = get_feeds_info(_trending_list)

        # data = {"uid":uid,"fid":fid,"start_time" : start_time,"end_time":end_time}
        return gen_json_response(status="success",
                                 message="Trending success!",
                                 data=trending_feeds)
Example #15
0
    def post(self, request):
        body = json.loads(request.body.decode('utf-8'))
        #print("############")
        #print(body)
        uid = body['uid']
        fid = body['fid']
        start_time = body['start_time']
        end_time = body['end_time']

        data = {
            "uid": uid,
            "fid": fid,
            "start_time": start_time,
            "end_time": end_time
        }
        return gen_json_response(status="success",
                                 message="Search success!",
                                 data=data)
Example #16
0
    def post(self, request):
        body = json.loads(request.body.decode('utf-8'))
        #print(body)

        uid = body['uid']
        fid = body['fid']
        item_type = body['type']
        # retrive user profile
        user_profile = UserProfile.objects.get(uid=uid)
        # action=3 means this is a collection action
        #print('############################')
        #print(uid)
        #print(item_type)
        t = int(round(time.time() * 1000))
        is_favor = body['fav_action']

        # add action record; 3:collect -2:cancel collection
        if is_favor == 'favor':
            action_record = ActionLog(uid=uid,
                                      fid=fid,
                                      action=3,
                                      start_time=t,
                                      end_time=0)
        else:
            action_record = ActionLog(uid=uid,
                                      fid=fid,
                                      action=-2,
                                      start_time=t,
                                      end_time=0)
        action_record.save()

        # update weights of user tags(interests)
        if USE_ACC_QUERY:
            rsfunction.update_interests(action_record_to_dict(action_record))

        if item_type == 'arxiv':
            if is_favor == 'favor':
                temp = StringField(text=fid)
                if temp in user_profile.paper_collections:
                    pass
                else:
                    user_profile.paper_collections.append(
                        StringField(text=fid))
            else:
                # print("---------collect-----------")
                # print(user_profile.paper_collections)
                temp = StringField(text=fid)
                # print('------')
                # print(temp)
                user_profile.paper_collections.remove(temp)
                # print(user_profile.paper_collections)
                # print("remove success.")
            # UserProfile.objects.filter(uid=uid).update(paper_collections=[CharField(fid)])
            # print(user_profile.paper_collections[0])
            user_profile.save()
        elif item_type == 'news':
            # user_profile.news_collections.append(StringField(text=fid))
            if is_favor == 'favor':
                temp = StringField(text=fid)
                if temp in user_profile.paper_collections:
                    pass
                else:
                    user_profile.news_collections.append(StringField(text=fid))
            else:
                #print("---------collect-----------")
                #print(user_profile.news_collections)
                temp = StringField(text=fid)
                #print('------')
                #print(temp)
                user_profile.news_collections.remove(temp)
                #print(user_profile.news_collections)
                #print("remove success.")
            user_profile.save()
        elif item_type == 'github':
            # user_profile.github_collections.append(StringField(text=fid))
            if is_favor == 'favor':
                temp = StringField(text=fid)
                if temp in user_profile.github_collections:
                    pass
                else:
                    user_profile.github_collections.append(
                        StringField(text=fid))
            else:
                #print("---------collect-----------")
                #print(user_profile.github_collections)
                temp = StringField(text=fid)
                #print('------')
                #print(temp)
                user_profile.github_collections.remove(temp)
                #print(user_profile.github_collections)
                #print("remove success.")
            user_profile.save()
        else:
            return gen_json_response(status="error",
                                     message="Wrong type for collection!")
        return gen_json_response(status="successs", message="Collect success.")
Example #17
0
 def get(self, request):
     # session_id =request.session.session_key
     return gen_json_response(status='error',
                              message='No get for this page.kiddding?')
Example #18
0
    def post(self, request):
        # print(request.COOKIES.keys())

        try:
            session_id = request.COOKIES['session_id']
            # print('$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$')
            # print(session_id)
        except KeyError:
            return gen_json_response(
                status='error',
                message='Your cookie is lost! Please login again!')

        sess = Session.objects.get(pk=session_id)
        sess_data = sess.get_decoded()  # get_session_data(session_id)
        # print('$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$')
        # print(sess_data)

        if sess_data is None:
            return gen_json_response(
                session_id,
                status='error',
                message='Your cookie is lost! Please login again!')

        body = json.loads(request.body.decode('utf-8'))
        category = body["category"]
        uid = body["uid"]
        if uid is None or uid != sess_data["uid"]:
            return gen_json_response(session_id,
                                     status='error',
                                     message='Please login first!')

        #print(uid)
        try:
            if sess_data["uid"] == uid:
                print('only for login')
        except KeyError:
            print("why!!!")
            return gen_json_response(session_id,
                                     status='error',
                                     message='Please login first!')
        # Expected Input
        # [{"uid":213,"fid":"12dwdaswas22","action":1,"start_time":,"end_time":},...]
        try:
            interests_raw = UserProfile.objects.get(uid=uid)
            # print(interests_raw)
        except:
            return gen_json_response(status='error',
                                     message='Please login first!')
        # print(interests_raw)

        query_text = [[x.domain, x.weight] for x in interests_raw.interests]
        # query_text = [ next(iter(x.items())) for item in query_text_raw for x in item ]
        index = [category]
        total_info_score = get_rough_query_result(query_text, index=index)

        result_info_score = total_info_score[category]

        try:
            use_info = uid
            #print(use_info)
        except:
            use_info = []
            print("user info can not be directly changed to dict.")
        result_info = get_acc_query_result(use_info,
                                           result_info_score,
                                           index=category)

        print('################################')
        random.shuffle(result_info)  # just for testing interface
        return_data = result_info[0:10]
        # print(return_data[0])
        for x in return_data:
            x["fid"] = x.pop("id")
        t = int(round(time.time() * 1000))
        for item in return_data:
            action_record = ActionLog(uid=uid,
                                      fid=item['fid'],
                                      action=0,
                                      start_time=t,
                                      end_time=0)
            action_record.save()
            # action_record = {'uid':uid,'fid':item['id'],'action':0,'start_time':t,'end_time':0}
        data = {"uid": uid, "paper_list": return_data}
        return gen_json_response(session_id,
                                 status="success",
                                 message="Send feeds success!",
                                 data=data)
Example #19
0
    def post(self, request):
        _start_time = time.perf_counter()
        # print(request.COOKIES.keys())
        try:
            session_id = request.COOKIES['session_id']
            # print('$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$')
            # print(session_id)
        except KeyError:
            return gen_json_response(
                status='error',
                message='Your cookie is lost! Please login again!')
        sess = Session.objects.get(pk=session_id)
        sess_data = sess.get_decoded()  # get_session_data(session_id)
        # print('$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$$')
        # print(sess_data)
        # print(sess.get_decoded())
        if sess_data is None:
            return gen_json_response(
                session_id,
                status='error',
                message='Your cookie is lost! Please login again!')

        body = json.loads(request.body.decode('utf-8'))
        uid = body["uid"]
        if uid is None or uid != sess_data["uid"]:
            return gen_json_response(session_id,
                                     status='error',
                                     message='Please login first!')

        print(uid)
        try:
            if sess_data["uid"] == uid:
                print('only for login')
        except KeyError:
            print("why!!!")
            return gen_json_response(session_id,
                                     status='error',
                                     message='Please login first!')
        # Expected Input
        # [{"uid":213,"fid":"12dwdaswas22","action":1,"start_time":,"end_time":},...]
        try:
            interests_raw = UserProfile.objects.get(uid=uid)
            # print(interests_raw)
        except:
            return gen_json_response(status='error',
                                     message='Please login first!')
        # print(interests_raw)
        # interests = json.loads()
        query_text = [[x.domain, x.weight] for x in interests_raw.interests]
        # query_text = [ next(iter(x.items())) for item in query_text_raw for x in item ]

        _start_rough = time.perf_counter()
        # rough query result
        index = ['arxiv', 'news', 'github']
        total_info_score = get_rough_query_result(query_text, index=index)

        paper_info_score = total_info_score['arxiv']
        news_info_score = total_info_score['news']
        github_info_score = total_info_score['github']
        # github_info_score = get_rough_query_result(query_text,index = 'github')

        _end_rough = time.perf_counter()
        print('------------------------rough time-----------')
        print(_end_rough - _start_rough)
        try:
            use_info = uid
            print(use_info)
        except:
            use_info = []
            print("user info can not be directly changed to dict.")

        _acc_start = time.perf_counter()
        paper_info = get_acc_query_result(use_info,
                                          paper_info_score,
                                          index='arxiv')
        news_info = get_acc_query_result(use_info,
                                         news_info_score,
                                         index='news')
        github_info = get_acc_query_result(use_info,
                                           github_info_score,
                                           index='github')
        # paper_info_score,_ = get_rough_query_result(query_text,index='arxiv')
        # news_info_score,_ = get_rough_query_result(query_text,index = 'news')
        # github_info_score,_ = get_rough_query_result(query_text,index = 'github')
        _acc_end = time.perf_counter()
        print('--------------acc time--------------')
        print(_acc_end - _acc_start)
        print('################################')

        # paper_info = []#get_acc_query_result(use_info,paper_info_score,index='arxiv')
        # print('################################')
        # news_info = get_acc_query_result(use_info,news_info_score,index = 'news')
        # print('################################')
        # github_info = get_acc_query_result(use_info,github_info_score,index = 'github')
        # paper_info = paper_info_score
        # news_info = news_info_score
        # github_info = github_info_score
        paper_list = paper_info + news_info + github_info
        random.shuffle(paper_list)  # just for testing interface
        return_data = paper_list[0:10]
        # print(return_data[0])
        for x in return_data:
            x["fid"] = x.pop("id")
        t = int(round(time.time() * 1000))
        for item in return_data:
            action_record = ActionLog(uid=uid,
                                      fid=item['fid'],
                                      action=0,
                                      start_time=t,
                                      end_time=0)
            action_record.save()
            # action_record = {'uid':uid,'fid':item['id'],'action':0,'start_time':t,'end_time':0}
        data = {"uid": uid, "paper_list": return_data}
        _end_time = time.perf_counter()
        print('-----------------totoal req time---------------')
        print(_end_time - _start_time)
        return gen_json_response(session_id,
                                 status="success",
                                 message="Send feeds success!",
                                 data=data)