server/db: refactor session usage
This commit is contained in:
parent
bba327fe8a
commit
1597ae7c5c
20 changed files with 156 additions and 160 deletions
|
@ -9,9 +9,9 @@ MAIL_BODY = \
|
||||||
'Otherwise, please ignore this email.'
|
'Otherwise, please ignore this email.'
|
||||||
|
|
||||||
class PasswordResetApi(BaseApi):
|
class PasswordResetApi(BaseApi):
|
||||||
def get(self, ctx, user_name):
|
def get(self, _ctx, user_name):
|
||||||
''' Send a mail with secure token to the correlated user. '''
|
''' Send a mail with secure token to the correlated user. '''
|
||||||
user = users.get_user_by_name_or_email(ctx.session, user_name)
|
user = users.get_user_by_name_or_email(user_name)
|
||||||
if not user:
|
if not user:
|
||||||
raise errors.NotFoundError('User %r not found.' % user_name)
|
raise errors.NotFoundError('User %r not found.' % user_name)
|
||||||
if not user.email:
|
if not user.email:
|
||||||
|
@ -29,7 +29,7 @@ class PasswordResetApi(BaseApi):
|
||||||
|
|
||||||
def post(self, ctx, user_name):
|
def post(self, ctx, user_name):
|
||||||
''' Verify token from mail, generate a new password and return it. '''
|
''' Verify token from mail, generate a new password and return it. '''
|
||||||
user = users.get_user_by_name_or_email(ctx.session, user_name)
|
user = users.get_user_by_name_or_email(user_name)
|
||||||
if not user:
|
if not user:
|
||||||
raise errors.NotFoundError('User %r not found.' % user_name)
|
raise errors.NotFoundError('User %r not found.' % user_name)
|
||||||
good_token = auth.generate_authentication_token(user)
|
good_token = auth.generate_authentication_token(user)
|
||||||
|
|
|
@ -26,8 +26,7 @@ class TagListApi(BaseApi):
|
||||||
page = ctx.get_param_as_int('page', default=1, min=1)
|
page = ctx.get_param_as_int('page', default=1, min=1)
|
||||||
page_size = ctx.get_param_as_int(
|
page_size = ctx.get_param_as_int(
|
||||||
'pageSize', default=100, min=1, max=100)
|
'pageSize', default=100, min=1, max=100)
|
||||||
count, tag_list = self._search_executor.execute(
|
count, tag_list = self._search_executor.execute(query, page, page_size)
|
||||||
ctx.session, query, page, page_size)
|
|
||||||
return {
|
return {
|
||||||
'query': query,
|
'query': query,
|
||||||
'page': page,
|
'page': page,
|
||||||
|
@ -44,56 +43,51 @@ class TagListApi(BaseApi):
|
||||||
suggestions = ctx.get_param_as_list('suggestions', required=True)
|
suggestions = ctx.get_param_as_list('suggestions', required=True)
|
||||||
implications = ctx.get_param_as_list('implications', required=True)
|
implications = ctx.get_param_as_list('implications', required=True)
|
||||||
|
|
||||||
tag = tags.create_tag(
|
tag = tags.create_tag(names, category, suggestions, implications)
|
||||||
ctx.session, names, category, suggestions, implications)
|
|
||||||
ctx.session.add(tag)
|
ctx.session.add(tag)
|
||||||
ctx.session.flush()
|
ctx.session.flush()
|
||||||
snapshots.create(ctx.session, tag, ctx.user)
|
snapshots.create(tag, ctx.user)
|
||||||
ctx.session.commit()
|
ctx.session.commit()
|
||||||
tags.export_to_json(ctx.session)
|
tags.export_to_json()
|
||||||
return {'tag': _serialize_tag(tag)}
|
return {'tag': _serialize_tag(tag)}
|
||||||
|
|
||||||
class TagDetailApi(BaseApi):
|
class TagDetailApi(BaseApi):
|
||||||
def get(self, ctx, tag_name):
|
def get(self, ctx, tag_name):
|
||||||
auth.verify_privilege(ctx.user, 'tags:view')
|
auth.verify_privilege(ctx.user, 'tags:view')
|
||||||
tag = tags.get_tag_by_name(ctx.session, tag_name)
|
tag = tags.get_tag_by_name(tag_name)
|
||||||
if not tag:
|
if not tag:
|
||||||
raise tags.TagNotFoundError('Tag %r not found.' % tag_name)
|
raise tags.TagNotFoundError('Tag %r not found.' % tag_name)
|
||||||
return {'tag': _serialize_tag(tag)}
|
return {'tag': _serialize_tag(tag)}
|
||||||
|
|
||||||
def put(self, ctx, tag_name):
|
def put(self, ctx, tag_name):
|
||||||
tag = tags.get_tag_by_name(ctx.session, tag_name)
|
tag = tags.get_tag_by_name(tag_name)
|
||||||
if not tag:
|
if not tag:
|
||||||
raise tags.TagNotFoundError('Tag %r not found.' % tag_name)
|
raise tags.TagNotFoundError('Tag %r not found.' % tag_name)
|
||||||
|
|
||||||
if ctx.has_param('names'):
|
if ctx.has_param('names'):
|
||||||
auth.verify_privilege(ctx.user, 'tags:edit:names')
|
auth.verify_privilege(ctx.user, 'tags:edit:names')
|
||||||
tags.update_names(
|
tags.update_names(tag, ctx.get_param_as_list('names'))
|
||||||
ctx.session, tag, ctx.get_param_as_list('names'))
|
|
||||||
|
|
||||||
if ctx.has_param('category'):
|
if ctx.has_param('category'):
|
||||||
auth.verify_privilege(ctx.user, 'tags:edit:category')
|
auth.verify_privilege(ctx.user, 'tags:edit:category')
|
||||||
tags.update_category_name(
|
tags.update_category_name(tag, ctx.get_param_as_string('category'))
|
||||||
ctx.session, tag, ctx.get_param_as_string('category'))
|
|
||||||
|
|
||||||
if ctx.has_param('suggestions'):
|
if ctx.has_param('suggestions'):
|
||||||
auth.verify_privilege(ctx.user, 'tags:edit:suggestions')
|
auth.verify_privilege(ctx.user, 'tags:edit:suggestions')
|
||||||
tags.update_suggestions(
|
tags.update_suggestions(tag, ctx.get_param_as_list('suggestions'))
|
||||||
ctx.session, tag, ctx.get_param_as_list('suggestions'))
|
|
||||||
|
|
||||||
if ctx.has_param('implications'):
|
if ctx.has_param('implications'):
|
||||||
auth.verify_privilege(ctx.user, 'tags:edit:implications')
|
auth.verify_privilege(ctx.user, 'tags:edit:implications')
|
||||||
tags.update_implications(
|
tags.update_implications(tag, ctx.get_param_as_list('implications'))
|
||||||
ctx.session, tag, ctx.get_param_as_list('implications'))
|
|
||||||
|
|
||||||
tag.last_edit_time = datetime.datetime.now()
|
tag.last_edit_time = datetime.datetime.now()
|
||||||
snapshots.modify(ctx.session, tag, ctx.user)
|
snapshots.modify(tag, ctx.user)
|
||||||
ctx.session.commit()
|
ctx.session.commit()
|
||||||
tags.export_to_json(ctx.session)
|
tags.export_to_json()
|
||||||
return {'tag': _serialize_tag(tag)}
|
return {'tag': _serialize_tag(tag)}
|
||||||
|
|
||||||
def delete(self, ctx, tag_name):
|
def delete(self, ctx, tag_name):
|
||||||
tag = tags.get_tag_by_name(ctx.session, tag_name)
|
tag = tags.get_tag_by_name(tag_name)
|
||||||
if not tag:
|
if not tag:
|
||||||
raise tags.TagNotFoundError('Tag %r not found.' % tag_name)
|
raise tags.TagNotFoundError('Tag %r not found.' % tag_name)
|
||||||
if tag.post_count > 0:
|
if tag.post_count > 0:
|
||||||
|
@ -102,8 +96,8 @@ class TagDetailApi(BaseApi):
|
||||||
'Please untag relevant posts first.')
|
'Please untag relevant posts first.')
|
||||||
|
|
||||||
auth.verify_privilege(ctx.user, 'tags:delete')
|
auth.verify_privilege(ctx.user, 'tags:delete')
|
||||||
snapshots.delete(ctx.session, tag, ctx.user)
|
snapshots.delete(tag, ctx.user)
|
||||||
ctx.session.delete(tag)
|
ctx.session.delete(tag)
|
||||||
ctx.session.commit()
|
ctx.session.commit()
|
||||||
tags.export_to_json(ctx.session)
|
tags.export_to_json()
|
||||||
return {}
|
return {}
|
||||||
|
|
|
@ -39,8 +39,7 @@ class UserListApi(BaseApi):
|
||||||
page = ctx.get_param_as_int('page', default=1, min=1)
|
page = ctx.get_param_as_int('page', default=1, min=1)
|
||||||
page_size = ctx.get_param_as_int(
|
page_size = ctx.get_param_as_int(
|
||||||
'pageSize', default=100, min=1, max=100)
|
'pageSize', default=100, min=1, max=100)
|
||||||
count, user_list = self._search_executor.execute(
|
count, user_list = self._search_executor.execute(query, page, page_size)
|
||||||
ctx.session, query, page, page_size)
|
|
||||||
return {
|
return {
|
||||||
'query': query,
|
'query': query,
|
||||||
'page': page,
|
'page': page,
|
||||||
|
@ -56,11 +55,10 @@ class UserListApi(BaseApi):
|
||||||
password = ctx.get_param_as_string('password', required=True)
|
password = ctx.get_param_as_string('password', required=True)
|
||||||
email = ctx.get_param_as_string('email', required=False, default='')
|
email = ctx.get_param_as_string('email', required=False, default='')
|
||||||
|
|
||||||
user = users.create_user(ctx.session, name, password, email, ctx.user)
|
user = users.create_user(name, password, email, ctx.user)
|
||||||
|
|
||||||
if ctx.has_param('rank'):
|
if ctx.has_param('rank'):
|
||||||
users.update_rank(
|
users.update_rank(user, ctx.get_param_as_string('rank'), ctx.user)
|
||||||
ctx.session, user, ctx.get_param_as_string('rank'), ctx.user)
|
|
||||||
|
|
||||||
if ctx.has_param('avatarStyle'):
|
if ctx.has_param('avatarStyle'):
|
||||||
users.update_avatar(
|
users.update_avatar(
|
||||||
|
@ -75,13 +73,13 @@ class UserListApi(BaseApi):
|
||||||
class UserDetailApi(BaseApi):
|
class UserDetailApi(BaseApi):
|
||||||
def get(self, ctx, user_name):
|
def get(self, ctx, user_name):
|
||||||
auth.verify_privilege(ctx.user, 'users:view')
|
auth.verify_privilege(ctx.user, 'users:view')
|
||||||
user = users.get_user_by_name(ctx.session, user_name)
|
user = users.get_user_by_name(user_name)
|
||||||
if not user:
|
if not user:
|
||||||
raise users.UserNotFoundError('User %r not found.' % user_name)
|
raise users.UserNotFoundError('User %r not found.' % user_name)
|
||||||
return {'user': _serialize_user(ctx.user, user)}
|
return {'user': _serialize_user(ctx.user, user)}
|
||||||
|
|
||||||
def put(self, ctx, user_name):
|
def put(self, ctx, user_name):
|
||||||
user = users.get_user_by_name(ctx.session, user_name)
|
user = users.get_user_by_name(user_name)
|
||||||
if not user:
|
if not user:
|
||||||
raise users.UserNotFoundError('User %r not found.' % user_name)
|
raise users.UserNotFoundError('User %r not found.' % user_name)
|
||||||
|
|
||||||
|
@ -92,8 +90,7 @@ class UserDetailApi(BaseApi):
|
||||||
|
|
||||||
if ctx.has_param('name'):
|
if ctx.has_param('name'):
|
||||||
auth.verify_privilege(ctx.user, 'users:edit:%s:name' % infix)
|
auth.verify_privilege(ctx.user, 'users:edit:%s:name' % infix)
|
||||||
users.update_name(
|
users.update_name(user, ctx.get_param_as_string('name'), ctx.user)
|
||||||
ctx.session, user, ctx.get_param_as_string('name'), ctx.user)
|
|
||||||
|
|
||||||
if ctx.has_param('password'):
|
if ctx.has_param('password'):
|
||||||
auth.verify_privilege(ctx.user, 'users:edit:%s:pass' % infix)
|
auth.verify_privilege(ctx.user, 'users:edit:%s:pass' % infix)
|
||||||
|
@ -105,8 +102,7 @@ class UserDetailApi(BaseApi):
|
||||||
|
|
||||||
if ctx.has_param('rank'):
|
if ctx.has_param('rank'):
|
||||||
auth.verify_privilege(ctx.user, 'users:edit:%s:rank' % infix)
|
auth.verify_privilege(ctx.user, 'users:edit:%s:rank' % infix)
|
||||||
users.update_rank(
|
users.update_rank(user, ctx.get_param_as_string('rank'), ctx.user)
|
||||||
ctx.session, user, ctx.get_param_as_string('rank'), ctx.user)
|
|
||||||
|
|
||||||
if ctx.has_param('avatarStyle'):
|
if ctx.has_param('avatarStyle'):
|
||||||
auth.verify_privilege(ctx.user, 'users:edit:%s:avatar' % infix)
|
auth.verify_privilege(ctx.user, 'users:edit:%s:avatar' % infix)
|
||||||
|
@ -119,7 +115,7 @@ class UserDetailApi(BaseApi):
|
||||||
return {'user': _serialize_user(ctx.user, user)}
|
return {'user': _serialize_user(ctx.user, user)}
|
||||||
|
|
||||||
def delete(self, ctx, user_name):
|
def delete(self, ctx, user_name):
|
||||||
user = users.get_user_by_name(ctx.session, user_name)
|
user = users.get_user_by_name(user_name)
|
||||||
if not user:
|
if not user:
|
||||||
raise users.UserNotFoundError('User %r not found.' % user_name)
|
raise users.UserNotFoundError('User %r not found.' % user_name)
|
||||||
|
|
||||||
|
|
|
@ -1,9 +1,7 @@
|
||||||
''' Exports create_app. '''
|
''' Exports create_app. '''
|
||||||
|
|
||||||
import falcon
|
import falcon
|
||||||
import sqlalchemy
|
from szurubooru import api, errors, middleware
|
||||||
import sqlalchemy.orm
|
|
||||||
from szurubooru import api, config, errors, middleware
|
|
||||||
|
|
||||||
def _on_auth_error(ex, _request, _response, _params):
|
def _on_auth_error(ex, _request, _response, _params):
|
||||||
raise falcon.HTTPForbidden(
|
raise falcon.HTTPForbidden(
|
||||||
|
@ -27,23 +25,12 @@ def _on_processing_error(ex, _request, _response, _params):
|
||||||
|
|
||||||
def create_app():
|
def create_app():
|
||||||
''' Create a WSGI compatible App object. '''
|
''' Create a WSGI compatible App object. '''
|
||||||
engine = sqlalchemy.create_engine(
|
|
||||||
'{schema}://{user}:{password}@{host}:{port}/{name}'.format(
|
|
||||||
schema=config.config['database']['schema'],
|
|
||||||
user=config.config['database']['user'],
|
|
||||||
password=config.config['database']['pass'],
|
|
||||||
host=config.config['database']['host'],
|
|
||||||
port=config.config['database']['port'],
|
|
||||||
name=config.config['database']['name']))
|
|
||||||
session_maker = sqlalchemy.orm.sessionmaker(bind=engine)
|
|
||||||
scoped_session = sqlalchemy.orm.scoped_session(session_maker)
|
|
||||||
|
|
||||||
app = falcon.API(
|
app = falcon.API(
|
||||||
request_type=api.Request,
|
request_type=api.Request,
|
||||||
middleware=[
|
middleware=[
|
||||||
middleware.RequireJson(),
|
middleware.RequireJson(),
|
||||||
middleware.ContextAdapter(),
|
middleware.ContextAdapter(),
|
||||||
middleware.DbSession(scoped_session),
|
middleware.DbSession(),
|
||||||
middleware.Authenticator(),
|
middleware.Authenticator(),
|
||||||
])
|
])
|
||||||
|
|
||||||
|
|
|
@ -4,3 +4,4 @@ from szurubooru.db.tag import Tag, TagName, TagSuggestion, TagImplication
|
||||||
from szurubooru.db.tag_category import TagCategory
|
from szurubooru.db.tag_category import TagCategory
|
||||||
from szurubooru.db.post import Post, PostTag, PostRelation
|
from szurubooru.db.post import Post, PostTag, PostRelation
|
||||||
from szurubooru.db.snapshot import Snapshot
|
from szurubooru.db.snapshot import Snapshot
|
||||||
|
from szurubooru.db.session import session
|
||||||
|
|
14
server/szurubooru/db/session.py
Normal file
14
server/szurubooru/db/session.py
Normal file
|
@ -0,0 +1,14 @@
|
||||||
|
import sqlalchemy
|
||||||
|
from szurubooru import config
|
||||||
|
|
||||||
|
# pylint: disable=invalid-name
|
||||||
|
_engine = sqlalchemy.create_engine(
|
||||||
|
'{schema}://{user}:{password}@{host}:{port}/{name}'.format(
|
||||||
|
schema=config.config['database']['schema'],
|
||||||
|
user=config.config['database']['user'],
|
||||||
|
password=config.config['database']['pass'],
|
||||||
|
host=config.config['database']['host'],
|
||||||
|
port=config.config['database']['port'],
|
||||||
|
name=config.config['database']['name']))
|
||||||
|
_session_maker = sqlalchemy.orm.sessionmaker(bind=_engine)
|
||||||
|
session = sqlalchemy.orm.scoped_session(_session_maker)
|
|
@ -29,8 +29,7 @@ class Authenticator(object):
|
||||||
'Only basic authorization is supported.')
|
'Only basic authorization is supported.')
|
||||||
username, password = base64.decodebytes(
|
username, password = base64.decodebytes(
|
||||||
user_and_password.encode('ascii')).decode('utf8').split(':')
|
user_and_password.encode('ascii')).decode('utf8').split(':')
|
||||||
return self._authenticate(
|
return self._authenticate(username, password)
|
||||||
request.context.session, username, password)
|
|
||||||
except ValueError as err:
|
except ValueError as err:
|
||||||
msg = 'Basic authentication header value not properly formed. ' \
|
msg = 'Basic authentication header value not properly formed. ' \
|
||||||
+ 'Supplied header {0}. Got error: {1}'
|
+ 'Supplied header {0}. Got error: {1}'
|
||||||
|
@ -38,9 +37,9 @@ class Authenticator(object):
|
||||||
'Malformed authentication request',
|
'Malformed authentication request',
|
||||||
msg.format(request.auth, str(err)))
|
msg.format(request.auth, str(err)))
|
||||||
|
|
||||||
def _authenticate(self, session, username, password):
|
def _authenticate(self, username, password):
|
||||||
''' Try to authenticate user. Throw AuthError for invalid users. '''
|
''' Try to authenticate user. Throw AuthError for invalid users. '''
|
||||||
user = users.get_user_by_name(session, username)
|
user = users.get_user_by_name(username)
|
||||||
if not user:
|
if not user:
|
||||||
raise errors.AuthError('No such user.')
|
raise errors.AuthError('No such user.')
|
||||||
if not auth.is_valid_password(user, password):
|
if not auth.is_valid_password(user, password):
|
||||||
|
|
|
@ -1,11 +1,10 @@
|
||||||
|
from szurubooru import db
|
||||||
|
|
||||||
class DbSession(object):
|
class DbSession(object):
|
||||||
''' Attaches database session to the context of every request. '''
|
''' Attaches database session to the context of every request. '''
|
||||||
|
|
||||||
def __init__(self, session_factory):
|
|
||||||
self._session_factory = session_factory
|
|
||||||
|
|
||||||
def process_request(self, request, _response):
|
def process_request(self, request, _response):
|
||||||
request.context.session = self._session_factory()
|
request.context.session = db.session()
|
||||||
|
|
||||||
def process_response(self, request, _response, _resource):
|
def process_response(self, _request, _response, _resource):
|
||||||
self._session_factory.remove()
|
db.session.remove()
|
||||||
|
|
|
@ -7,7 +7,7 @@ class BaseSearchConfig(object):
|
||||||
ORDER_DESC = 0
|
ORDER_DESC = 0
|
||||||
ORDER_ASC = 1
|
ORDER_ASC = 1
|
||||||
|
|
||||||
def create_query(self, session):
|
def create_query(self):
|
||||||
raise NotImplementedError()
|
raise NotImplementedError()
|
||||||
|
|
||||||
@property
|
@property
|
||||||
|
|
|
@ -12,12 +12,12 @@ class SearchExecutor(object):
|
||||||
def __init__(self, search_config):
|
def __init__(self, search_config):
|
||||||
self._search_config = search_config
|
self._search_config = search_config
|
||||||
|
|
||||||
def execute(self, session, query_text, page, page_size):
|
def execute(self, query_text, page, page_size):
|
||||||
'''
|
'''
|
||||||
Parse input and return tuple containing total record count and filtered
|
Parse input and return tuple containing total record count and filtered
|
||||||
entities.
|
entities.
|
||||||
'''
|
'''
|
||||||
filter_query = self._prepare(session, query_text)
|
filter_query = self._prepare(query_text)
|
||||||
entities = filter_query \
|
entities = filter_query \
|
||||||
.offset((page - 1) * page_size).limit(page_size).all()
|
.offset((page - 1) * page_size).limit(page_size).all()
|
||||||
count_query = filter_query.statement \
|
count_query = filter_query.statement \
|
||||||
|
@ -25,9 +25,9 @@ class SearchExecutor(object):
|
||||||
count = filter_query.session.execute(count_query).scalar()
|
count = filter_query.session.execute(count_query).scalar()
|
||||||
return (count, entities)
|
return (count, entities)
|
||||||
|
|
||||||
def _prepare(self, session, query_text):
|
def _prepare(self, query_text):
|
||||||
''' Parse input and return SQLAlchemy query. '''
|
''' Parse input and return SQLAlchemy query. '''
|
||||||
query = self._search_config.create_query(session)
|
query = self._search_config.create_query()
|
||||||
for token in re.split(r'\s+', (query_text or '').lower()):
|
for token in re.split(r'\s+', (query_text or '').lower()):
|
||||||
if not token:
|
if not token:
|
||||||
continue
|
continue
|
||||||
|
|
|
@ -3,8 +3,8 @@ from szurubooru import db
|
||||||
from szurubooru.search.base_search_config import BaseSearchConfig
|
from szurubooru.search.base_search_config import BaseSearchConfig
|
||||||
|
|
||||||
class TagSearchConfig(BaseSearchConfig):
|
class TagSearchConfig(BaseSearchConfig):
|
||||||
def create_query(self, session):
|
def create_query(self):
|
||||||
return session.query(db.Tag)
|
return db.session().query(db.Tag)
|
||||||
|
|
||||||
def finalize_query(self, query):
|
def finalize_query(self, query):
|
||||||
return query.order_by(db.Tag.first_name.asc())
|
return query.order_by(db.Tag.first_name.asc())
|
||||||
|
|
|
@ -5,8 +5,8 @@ from szurubooru.search.base_search_config import BaseSearchConfig
|
||||||
class UserSearchConfig(BaseSearchConfig):
|
class UserSearchConfig(BaseSearchConfig):
|
||||||
''' Executes searches related to the users. '''
|
''' Executes searches related to the users. '''
|
||||||
|
|
||||||
def create_query(self, session):
|
def create_query(self):
|
||||||
return session.query(db.User)
|
return db.session().query(db.User)
|
||||||
|
|
||||||
def finalize_query(self, query):
|
def finalize_query(self, query):
|
||||||
return query.order_by(db.User.name.asc())
|
return query.order_by(db.User.name.asc())
|
||||||
|
|
|
@ -24,7 +24,7 @@ def test_export(tmpdir, session, config_injector, tag_factory):
|
||||||
])
|
])
|
||||||
session.flush()
|
session.flush()
|
||||||
|
|
||||||
tags.export_to_json(session)
|
tags.export_to_json()
|
||||||
export_path = os.path.join(config.config['data_dir'], 'tags.json')
|
export_path = os.path.join(config.config['data_dir'], 'tags.json')
|
||||||
assert os.path.exists(export_path)
|
assert os.path.exists(export_path)
|
||||||
with open(export_path, 'r') as handle:
|
with open(export_path, 'r') as handle:
|
||||||
|
|
|
@ -1,5 +1,6 @@
|
||||||
import datetime
|
import datetime
|
||||||
import uuid
|
import uuid
|
||||||
|
from contextlib import contextmanager
|
||||||
import pytest
|
import pytest
|
||||||
import freezegun
|
import freezegun
|
||||||
import sqlalchemy
|
import sqlalchemy
|
||||||
|
@ -11,27 +12,27 @@ def get_unique_name():
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.fixture
|
||||||
def fake_datetime():
|
def fake_datetime():
|
||||||
|
@contextmanager
|
||||||
def injector(now):
|
def injector(now):
|
||||||
class scope():
|
freezer = freezegun.freeze_time(now)
|
||||||
def __enter__(self):
|
freezer.start()
|
||||||
self.freezer = freezegun.freeze_time(now)
|
yield
|
||||||
self.freezer.start()
|
freezer.stop()
|
||||||
def __exit__(self, type, value, trackback):
|
|
||||||
self.freezer.stop()
|
|
||||||
return scope()
|
|
||||||
return injector
|
return injector
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.yield_fixture
|
||||||
def session():
|
def session(autoload=True):
|
||||||
import logging
|
import logging
|
||||||
logging.basicConfig()
|
logging.basicConfig()
|
||||||
logging.getLogger('sqlalchemy.engine').setLevel(logging.INFO)
|
logging.getLogger('sqlalchemy.engine').setLevel(logging.INFO)
|
||||||
engine = sqlalchemy.create_engine('sqlite:///:memory:')
|
engine = sqlalchemy.create_engine('sqlite:///:memory:')
|
||||||
session_maker = sqlalchemy.orm.sessionmaker(bind=engine)
|
session_maker = sqlalchemy.orm.sessionmaker(bind=engine)
|
||||||
session_instance = sqlalchemy.orm.scoped_session(session_maker)
|
session = sqlalchemy.orm.scoped_session(session_maker)
|
||||||
db.Base.query = session_instance.query_property()
|
db.Base.query = session.query_property()
|
||||||
db.Base.metadata.create_all(bind=engine)
|
db.Base.metadata.create_all(bind=engine)
|
||||||
return session_instance
|
db.session = session
|
||||||
|
yield session
|
||||||
|
session.remove()
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.fixture
|
||||||
def context_factory(session):
|
def context_factory(session):
|
||||||
|
|
|
@ -3,15 +3,15 @@ import pytest
|
||||||
from szurubooru import db, errors, search
|
from szurubooru import db, errors, search
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.fixture
|
||||||
def executor(session):
|
def executor():
|
||||||
search_config = search.TagSearchConfig()
|
search_config = search.TagSearchConfig()
|
||||||
return search.SearchExecutor(search_config)
|
return search.SearchExecutor(search_config)
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.fixture
|
||||||
def verify_unpaged(session, executor):
|
def verify_unpaged(executor):
|
||||||
def verify(input, expected_tag_names):
|
def verify(input, expected_tag_names):
|
||||||
actual_count, actual_tags = executor.execute(
|
actual_count, actual_tags = executor.execute(
|
||||||
session, input, page=1, page_size=100)
|
input, page=1, page_size=100)
|
||||||
actual_tag_names = [u.names[0].name for u in actual_tags]
|
actual_tag_names = [u.names[0].name for u in actual_tags]
|
||||||
assert actual_count == len(expected_tag_names)
|
assert actual_count == len(expected_tag_names)
|
||||||
assert actual_tag_names == expected_tag_names
|
assert actual_tag_names == expected_tag_names
|
||||||
|
|
|
@ -3,15 +3,15 @@ import pytest
|
||||||
from szurubooru import db, errors, search
|
from szurubooru import db, errors, search
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.fixture
|
||||||
def executor(session):
|
def executor():
|
||||||
search_config = search.UserSearchConfig()
|
search_config = search.UserSearchConfig()
|
||||||
return search.SearchExecutor(search_config)
|
return search.SearchExecutor(search_config)
|
||||||
|
|
||||||
@pytest.fixture
|
@pytest.fixture
|
||||||
def verify_unpaged(session, executor):
|
def verify_unpaged(executor):
|
||||||
def verify(input, expected_user_names):
|
def verify(input, expected_user_names):
|
||||||
actual_count, actual_users = executor.execute(
|
actual_count, actual_users = executor.execute(
|
||||||
session, input, page=1, page_size=100)
|
input, page=1, page_size=100)
|
||||||
actual_user_names = [u.name for u in actual_users]
|
actual_user_names = [u.name for u in actual_users]
|
||||||
assert actual_count == len(expected_user_names)
|
assert actual_count == len(expected_user_names)
|
||||||
assert actual_user_names == expected_user_names
|
assert actual_user_names == expected_user_names
|
||||||
|
@ -119,7 +119,7 @@ def test_paging(
|
||||||
session.add(user_factory(name='u1'))
|
session.add(user_factory(name='u1'))
|
||||||
session.add(user_factory(name='u2'))
|
session.add(user_factory(name='u2'))
|
||||||
actual_count, actual_users = executor.execute(
|
actual_count, actual_users = executor.execute(
|
||||||
session, '', page=page, page_size=page_size)
|
'', page=page, page_size=page_size)
|
||||||
actual_user_names = [u.name for u in actual_users]
|
actual_user_names = [u.name for u in actual_users]
|
||||||
assert actual_count == expected_total_count
|
assert actual_count == expected_total_count
|
||||||
assert actual_user_names == expected_user_names
|
assert actual_user_names == expected_user_names
|
||||||
|
@ -184,7 +184,7 @@ def test_random_order(session, executor, user_factory):
|
||||||
user3 = user_factory(name='u3')
|
user3 = user_factory(name='u3')
|
||||||
session.add_all([user3, user1, user2])
|
session.add_all([user3, user1, user2])
|
||||||
actual_count, actual_users = executor.execute(
|
actual_count, actual_users = executor.execute(
|
||||||
session, 'order:random', page=1, page_size=100)
|
'order:random', page=1, page_size=100)
|
||||||
actual_user_names = [u.name for u in actual_users]
|
actual_user_names = [u.name for u in actual_users]
|
||||||
assert actual_count == 3
|
assert actual_count == 3
|
||||||
assert len(actual_user_names) == 3
|
assert len(actual_user_names) == 3
|
||||||
|
@ -211,6 +211,6 @@ def test_random_order(session, executor, user_factory):
|
||||||
('bad:x', errors.SearchError),
|
('bad:x', errors.SearchError),
|
||||||
('special:unsupported', errors.SearchError),
|
('special:unsupported', errors.SearchError),
|
||||||
])
|
])
|
||||||
def test_bad_tokens(executor, session, input, expected_error):
|
def test_bad_tokens(executor, input, expected_error):
|
||||||
with pytest.raises(expected_error):
|
with pytest.raises(expected_error):
|
||||||
executor.execute(session, input, page=1, page_size=100)
|
executor.execute(input, page=1, page_size=100)
|
||||||
|
|
|
@ -31,10 +31,10 @@ def test_merging_modification_to_creation(session, tag_factory, user_factory):
|
||||||
user = user_factory()
|
user = user_factory()
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
snapshots.create(session, tag, user)
|
snapshots.create(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
results = session.query(db.Snapshot).all()
|
results = session.query(db.Snapshot).all()
|
||||||
assert len(results) == 1
|
assert len(results) == 1
|
||||||
|
@ -48,15 +48,15 @@ def test_merging_modifications(
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
snapshots.create(session, tag, user)
|
snapshots.create(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
with fake_datetime('14:00:00'):
|
with fake_datetime('14:00:00'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed again')]
|
tag.names = [db.TagName('changed again')]
|
||||||
with fake_datetime('14:00:01'):
|
with fake_datetime('14:00:01'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
results = session.query(db.Snapshot).all()
|
results = session.query(db.Snapshot).all()
|
||||||
assert len(results) == 2
|
assert len(results) == 2
|
||||||
|
@ -72,10 +72,10 @@ def test_not_adding_snapshot_if_data_doesnt_change(
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
snapshots.create(session, tag, user)
|
snapshots.create(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('14:00:00'):
|
with fake_datetime('14:00:00'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
results = session.query(db.Snapshot).all()
|
results = session.query(db.Snapshot).all()
|
||||||
assert len(results) == 1
|
assert len(results) == 1
|
||||||
|
@ -89,11 +89,11 @@ def test_not_merging_due_to_time_difference(
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
snapshots.create(session, tag, user)
|
snapshots.create(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
with fake_datetime('13:10:01'):
|
with fake_datetime('13:10:01'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
assert session.query(db.Snapshot).count() == 2
|
assert session.query(db.Snapshot).count() == 2
|
||||||
|
|
||||||
|
@ -104,10 +104,10 @@ def test_not_merging_operations_by_different_users(
|
||||||
session.add_all([tag, user1, user2])
|
session.add_all([tag, user1, user2])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
snapshots.create(session, tag, user1)
|
snapshots.create(tag, user1)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
snapshots.modify(session, tag, user2)
|
snapshots.modify(tag, user2)
|
||||||
session.flush()
|
session.flush()
|
||||||
assert session.query(db.Snapshot).count() == 2
|
assert session.query(db.Snapshot).count() == 2
|
||||||
|
|
||||||
|
@ -118,15 +118,15 @@ def test_merging_resets_merging_time_window(
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
snapshots.create(session, tag, user)
|
snapshots.create(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
with fake_datetime('13:09:59'):
|
with fake_datetime('13:09:59'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed again')]
|
tag.names = [db.TagName('changed again')]
|
||||||
with fake_datetime('13:19:59'):
|
with fake_datetime('13:19:59'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
results = session.query(db.Snapshot).all()
|
results = session.query(db.Snapshot).all()
|
||||||
assert len(results) == 1
|
assert len(results) == 1
|
||||||
|
@ -141,15 +141,15 @@ def test_merging_deletion_to_modification_or_creation(
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
initial_operation(session, tag, user)
|
initial_operation(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
with fake_datetime('14:00:00'):
|
with fake_datetime('14:00:00'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed again')]
|
tag.names = [db.TagName('changed again')]
|
||||||
with fake_datetime('14:00:01'):
|
with fake_datetime('14:00:01'):
|
||||||
snapshots.delete(session, tag, user)
|
snapshots.delete(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
assert session.query(db.Snapshot).count() == 2
|
assert session.query(db.Snapshot).count() == 2
|
||||||
results = session.query(db.Snapshot) \
|
results = session.query(db.Snapshot) \
|
||||||
|
@ -167,14 +167,14 @@ def test_merging_deletion_all_the_way_deletes_all_snapshots(
|
||||||
session.add_all([tag, user])
|
session.add_all([tag, user])
|
||||||
session.flush()
|
session.flush()
|
||||||
with fake_datetime('13:00:00'):
|
with fake_datetime('13:00:00'):
|
||||||
snapshots.create(session, tag, user)
|
snapshots.create(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed')]
|
tag.names = [db.TagName('changed')]
|
||||||
with fake_datetime('13:00:01'):
|
with fake_datetime('13:00:01'):
|
||||||
snapshots.modify(session, tag, user)
|
snapshots.modify(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
tag.names = [db.TagName('changed again')]
|
tag.names = [db.TagName('changed again')]
|
||||||
with fake_datetime('13:00:02'):
|
with fake_datetime('13:00:02'):
|
||||||
snapshots.delete(session, tag, user)
|
snapshots.delete(tag, user)
|
||||||
session.flush()
|
session.flush()
|
||||||
assert session.query(db.Snapshot).count() == 0
|
assert session.query(db.Snapshot).count() == 0
|
||||||
|
|
|
@ -13,11 +13,12 @@ def get_tag_snapshot(tag):
|
||||||
ret['implications'] = sorted(rel.first_name for rel in tag.implications)
|
ret['implications'] = sorted(rel.first_name for rel in tag.implications)
|
||||||
return ret
|
return ret
|
||||||
|
|
||||||
|
# pylint: disable=invalid-name
|
||||||
serializers = {
|
serializers = {
|
||||||
'tag': get_tag_snapshot,
|
'tag': get_tag_snapshot,
|
||||||
}
|
}
|
||||||
|
|
||||||
def save(session, operation, entity, auth_user):
|
def save(operation, entity, auth_user):
|
||||||
table_name = entity.__table__.name
|
table_name = entity.__table__.name
|
||||||
primary_key = inspect(entity).identity
|
primary_key = inspect(entity).identity
|
||||||
assert table_name in serializers
|
assert table_name in serializers
|
||||||
|
@ -33,6 +34,7 @@ def save(session, operation, entity, auth_user):
|
||||||
snapshot.data = serializers[table_name](entity)
|
snapshot.data = serializers[table_name](entity)
|
||||||
snapshot.user = auth_user
|
snapshot.user = auth_user
|
||||||
|
|
||||||
|
session = db.session()
|
||||||
earlier_snapshots = session.query(db.Snapshot) \
|
earlier_snapshots = session.query(db.Snapshot) \
|
||||||
.filter(db.Snapshot.resource_type == table_name) \
|
.filter(db.Snapshot.resource_type == table_name) \
|
||||||
.filter(db.Snapshot.resource_id == primary_key) \
|
.filter(db.Snapshot.resource_id == primary_key) \
|
||||||
|
@ -57,11 +59,11 @@ def save(session, operation, entity, auth_user):
|
||||||
else:
|
else:
|
||||||
session.add(snapshot)
|
session.add(snapshot)
|
||||||
|
|
||||||
def create(session, entity, auth_user):
|
def create(entity, auth_user):
|
||||||
save(session, db.Snapshot.OPERATION_CREATED, entity, auth_user)
|
save(db.Snapshot.OPERATION_CREATED, entity, auth_user)
|
||||||
|
|
||||||
def modify(session, entity, auth_user):
|
def modify(entity, auth_user):
|
||||||
save(session, db.Snapshot.OPERATION_MODIFIED, entity, auth_user)
|
save(db.Snapshot.OPERATION_MODIFIED, entity, auth_user)
|
||||||
|
|
||||||
def delete(session, entity, auth_user):
|
def delete(entity, auth_user):
|
||||||
save(session, db.Snapshot.OPERATION_DELETED, entity, auth_user)
|
save(db.Snapshot.OPERATION_DELETED, entity, auth_user)
|
||||||
|
|
|
@ -27,9 +27,9 @@ def _lower_list(names):
|
||||||
def _check_name_intersection(names1, names2):
|
def _check_name_intersection(names1, names2):
|
||||||
return len(set(_lower_list(names1)).intersection(_lower_list(names2))) > 0
|
return len(set(_lower_list(names1)).intersection(_lower_list(names2))) > 0
|
||||||
|
|
||||||
def export_to_json(session):
|
def export_to_json():
|
||||||
output = []
|
output = []
|
||||||
for tag in session.query(db.Tag).all():
|
for tag in db.session().query(db.Tag).all():
|
||||||
item = {
|
item = {
|
||||||
'names': [tag_name.name for tag_name in tag.names],
|
'names': [tag_name.name for tag_name in tag.names],
|
||||||
'usages': tag.post_count
|
'usages': tag.post_count
|
||||||
|
@ -45,32 +45,32 @@ def export_to_json(session):
|
||||||
with open(export_path, 'w') as handle:
|
with open(export_path, 'w') as handle:
|
||||||
handle.write(json.dumps(output, separators=(',', ':')))
|
handle.write(json.dumps(output, separators=(',', ':')))
|
||||||
|
|
||||||
def get_tag_by_name(session, name):
|
def get_tag_by_name(name):
|
||||||
return session.query(db.Tag) \
|
return db.session().query(db.Tag) \
|
||||||
.join(db.TagName) \
|
.join(db.TagName) \
|
||||||
.filter(db.TagName.name.ilike(name)) \
|
.filter(db.TagName.name.ilike(name)) \
|
||||||
.first()
|
.first()
|
||||||
|
|
||||||
def get_default_category(session):
|
def get_default_category():
|
||||||
return session.query(db.TagCategory) \
|
return db.session().query(db.TagCategory) \
|
||||||
.order_by(db.TagCategory.tag_category_id.asc()) \
|
.order_by(db.TagCategory.tag_category_id.asc()) \
|
||||||
.limit(1) \
|
.limit(1) \
|
||||||
.one()
|
.one()
|
||||||
|
|
||||||
def get_tags_by_names(session, names):
|
def get_tags_by_names(names):
|
||||||
names = misc.icase_unique(names)
|
names = misc.icase_unique(names)
|
||||||
if len(names) == 0:
|
if len(names) == 0:
|
||||||
return []
|
return []
|
||||||
expr = sqlalchemy.sql.false()
|
expr = sqlalchemy.sql.false()
|
||||||
for name in names:
|
for name in names:
|
||||||
expr = expr | db.TagName.name.ilike(name)
|
expr = expr | db.TagName.name.ilike(name)
|
||||||
return session.query(db.Tag).join(db.TagName).filter(expr).all()
|
return db.session().query(db.Tag).join(db.TagName).filter(expr).all()
|
||||||
|
|
||||||
def get_or_create_tags_by_names(session, names):
|
def get_or_create_tags_by_names(names):
|
||||||
names = misc.icase_unique(names)
|
names = misc.icase_unique(names)
|
||||||
for name in names:
|
for name in names:
|
||||||
_verify_name_validity(name)
|
_verify_name_validity(name)
|
||||||
related_tags = get_tags_by_names(session, names)
|
related_tags = get_tags_by_names(names)
|
||||||
new_tags = []
|
new_tags = []
|
||||||
for name in names:
|
for name in names:
|
||||||
found = False
|
found = False
|
||||||
|
@ -80,25 +80,25 @@ def get_or_create_tags_by_names(session, names):
|
||||||
break
|
break
|
||||||
if not found:
|
if not found:
|
||||||
new_tag = create_tag(
|
new_tag = create_tag(
|
||||||
session,
|
|
||||||
names=[name],
|
names=[name],
|
||||||
category_name=get_default_category(session).name,
|
category_name=get_default_category().name,
|
||||||
suggestions=[],
|
suggestions=[],
|
||||||
implications=[])
|
implications=[])
|
||||||
session.add(new_tag)
|
db.session().add(new_tag)
|
||||||
new_tags.append(new_tag)
|
new_tags.append(new_tag)
|
||||||
return related_tags, new_tags
|
return related_tags, new_tags
|
||||||
|
|
||||||
def create_tag(session, names, category_name, suggestions, implications):
|
def create_tag(names, category_name, suggestions, implications):
|
||||||
tag = db.Tag()
|
tag = db.Tag()
|
||||||
tag.creation_time = datetime.datetime.now()
|
tag.creation_time = datetime.datetime.now()
|
||||||
update_names(session, tag, names)
|
update_names(tag, names)
|
||||||
update_category_name(session, tag, category_name)
|
update_category_name(tag, category_name)
|
||||||
update_suggestions(session, tag, suggestions)
|
update_suggestions(tag, suggestions)
|
||||||
update_implications(session, tag, implications)
|
update_implications(tag, implications)
|
||||||
return tag
|
return tag
|
||||||
|
|
||||||
def update_category_name(session, tag, category_name):
|
def update_category_name(tag, category_name):
|
||||||
|
session = db.session()
|
||||||
category = session.query(db.TagCategory) \
|
category = session.query(db.TagCategory) \
|
||||||
.filter(db.TagCategory.name == category_name) \
|
.filter(db.TagCategory.name == category_name) \
|
||||||
.first()
|
.first()
|
||||||
|
@ -110,7 +110,7 @@ def update_category_name(session, tag, category_name):
|
||||||
category_name, category_names))
|
category_name, category_names))
|
||||||
tag.category = category
|
tag.category = category
|
||||||
|
|
||||||
def update_names(session, tag, names):
|
def update_names(tag, names):
|
||||||
names = misc.icase_unique(names)
|
names = misc.icase_unique(names)
|
||||||
if not len(names):
|
if not len(names):
|
||||||
raise InvalidNameError('At least one name must be specified.')
|
raise InvalidNameError('At least one name must be specified.')
|
||||||
|
@ -123,7 +123,7 @@ def update_names(session, tag, names):
|
||||||
expr = expr | db.TagName.name.ilike(name)
|
expr = expr | db.TagName.name.ilike(name)
|
||||||
if tag.tag_id:
|
if tag.tag_id:
|
||||||
expr = expr & (db.TagName.tag_id != tag.tag_id)
|
expr = expr & (db.TagName.tag_id != tag.tag_id)
|
||||||
existing_tags = session.query(db.TagName).filter(expr).all()
|
existing_tags = db.session().query(db.TagName).filter(expr).all()
|
||||||
if len(existing_tags):
|
if len(existing_tags):
|
||||||
raise TagAlreadyExistsError(
|
raise TagAlreadyExistsError(
|
||||||
'One of names is already used by another tag.')
|
'One of names is already used by another tag.')
|
||||||
|
@ -137,16 +137,16 @@ def update_names(session, tag, names):
|
||||||
if not _check_name_intersection(_get_plain_names(tag), [name]):
|
if not _check_name_intersection(_get_plain_names(tag), [name]):
|
||||||
tag.names.append(db.TagName(name))
|
tag.names.append(db.TagName(name))
|
||||||
|
|
||||||
def update_implications(session, tag, relations):
|
def update_implications(tag, relations):
|
||||||
if _check_name_intersection(_get_plain_names(tag), relations):
|
if _check_name_intersection(_get_plain_names(tag), relations):
|
||||||
raise RelationError('Tag cannot imply itself.')
|
raise RelationError('Tag cannot imply itself.')
|
||||||
related_tags, new_tags = get_or_create_tags_by_names(session, relations)
|
related_tags, new_tags = get_or_create_tags_by_names(relations)
|
||||||
session.flush()
|
db.session().flush()
|
||||||
tag.implications = related_tags + new_tags
|
tag.implications = related_tags + new_tags
|
||||||
|
|
||||||
def update_suggestions(session, tag, relations):
|
def update_suggestions(tag, relations):
|
||||||
if _check_name_intersection(_get_plain_names(tag), relations):
|
if _check_name_intersection(_get_plain_names(tag), relations):
|
||||||
raise RelationError('Tag cannot suggest itself.')
|
raise RelationError('Tag cannot suggest itself.')
|
||||||
related_tags, new_tags = get_or_create_tags_by_names(session, relations)
|
related_tags, new_tags = get_or_create_tags_by_names(relations)
|
||||||
session.flush()
|
db.session().flush()
|
||||||
tag.suggestions = related_tags + new_tags
|
tag.suggestions = related_tags + new_tags
|
||||||
|
|
|
@ -12,35 +12,38 @@ class InvalidPasswordError(errors.ValidationError): pass
|
||||||
class InvalidRankError(errors.ValidationError): pass
|
class InvalidRankError(errors.ValidationError): pass
|
||||||
class InvalidAvatarError(errors.ValidationError): pass
|
class InvalidAvatarError(errors.ValidationError): pass
|
||||||
|
|
||||||
def get_user_by_name(session, name):
|
def get_user_count():
|
||||||
return session.query(db.User) \
|
return db.session.query(db.User).count()
|
||||||
|
|
||||||
|
def get_user_by_name(name):
|
||||||
|
return db.session.query(db.User) \
|
||||||
.filter(func.lower(db.User.name) == func.lower(name)) \
|
.filter(func.lower(db.User.name) == func.lower(name)) \
|
||||||
.first()
|
.first()
|
||||||
|
|
||||||
def get_user_by_name_or_email(session, name_or_email):
|
def get_user_by_name_or_email(name_or_email):
|
||||||
return session.query(db.User) \
|
return db.session.query(db.User) \
|
||||||
.filter(
|
.filter(
|
||||||
(func.lower(db.User.name) == func.lower(name_or_email))
|
(func.lower(db.User.name) == func.lower(name_or_email))
|
||||||
| (func.lower(db.User.email) == func.lower(name_or_email))) \
|
| (func.lower(db.User.email) == func.lower(name_or_email))) \
|
||||||
.first()
|
.first()
|
||||||
|
|
||||||
def create_user(session, name, password, email, auth_user):
|
def create_user(name, password, email, auth_user):
|
||||||
user = db.User()
|
user = db.User()
|
||||||
update_name(session, user, name, auth_user)
|
update_name(user, name, auth_user)
|
||||||
update_password(user, password)
|
update_password(user, password)
|
||||||
update_email(user, email)
|
update_email(user, email)
|
||||||
if not session.query(db.User).count():
|
if get_user_count() > 0:
|
||||||
user.rank = 'admin'
|
|
||||||
else:
|
|
||||||
user.rank = config.config['default_rank']
|
user.rank = config.config['default_rank']
|
||||||
|
else:
|
||||||
|
user.rank = 'admin'
|
||||||
user.creation_time = datetime.datetime.now()
|
user.creation_time = datetime.datetime.now()
|
||||||
user.avatar_style = db.User.AVATAR_GRAVATAR
|
user.avatar_style = db.User.AVATAR_GRAVATAR
|
||||||
return user
|
return user
|
||||||
|
|
||||||
def update_name(session, user, name, auth_user):
|
def update_name(user, name, auth_user):
|
||||||
if misc.value_exceeds_column_size(name, db.User.name):
|
if misc.value_exceeds_column_size(name, db.User.name):
|
||||||
raise InvalidNameError('User name is too long.')
|
raise InvalidNameError('User name is too long.')
|
||||||
other_user = get_user_by_name(session, name)
|
other_user = get_user_by_name(name)
|
||||||
if other_user and other_user.user_id != auth_user.user_id:
|
if other_user and other_user.user_id != auth_user.user_id:
|
||||||
raise UserAlreadyExistsError('User %r already exists.' % name)
|
raise UserAlreadyExistsError('User %r already exists.' % name)
|
||||||
name = name.strip()
|
name = name.strip()
|
||||||
|
@ -66,14 +69,14 @@ def update_email(user, email):
|
||||||
raise InvalidEmailError('E-mail is invalid.')
|
raise InvalidEmailError('E-mail is invalid.')
|
||||||
user.email = email
|
user.email = email
|
||||||
|
|
||||||
def update_rank(session, user, rank, authenticated_user):
|
def update_rank(user, rank, authenticated_user):
|
||||||
rank = rank.strip()
|
rank = rank.strip()
|
||||||
available_ranks = config.config['ranks']
|
available_ranks = config.config['ranks']
|
||||||
if not rank in available_ranks:
|
if not rank in available_ranks:
|
||||||
raise InvalidRankError(
|
raise InvalidRankError(
|
||||||
'Rank %r is invalid. Valid ranks: %r' % (rank, available_ranks))
|
'Rank %r is invalid. Valid ranks: %r' % (rank, available_ranks))
|
||||||
if available_ranks.index(authenticated_user.rank) \
|
if available_ranks.index(authenticated_user.rank) \
|
||||||
< available_ranks.index(rank) and session.query(db.User).count() > 0:
|
< available_ranks.index(rank) and get_user_count() > 0:
|
||||||
raise errors.AuthError('Trying to set higher rank than your own.')
|
raise errors.AuthError('Trying to set higher rank than your own.')
|
||||||
user.rank = rank
|
user.rank = rank
|
||||||
|
|
||||||
|
|
Loading…
Reference in a new issue