Compare commits
2 Commits
0e2b7d03fc
...
c88e07d743
Author | SHA1 | Date | |
---|---|---|---|
c88e07d743 | |||
f5b978b231 |
43
kdb-bot/src/bot_data/model/user_warnings_history.py
Normal file
43
kdb-bot/src/bot_data/model/user_warnings_history.py
Normal file
@ -0,0 +1,43 @@
|
|||||||
|
from typing import Optional
|
||||||
|
|
||||||
|
from bot_data.abc.history_table_abc import HistoryTableABC
|
||||||
|
|
||||||
|
|
||||||
|
# had to name it UserWarnings instead of UserWarning because UserWarning is a builtin class
|
||||||
|
class UserWarningsHistory(HistoryTableABC):
|
||||||
|
def __init__(
|
||||||
|
self,
|
||||||
|
description: str,
|
||||||
|
user: int,
|
||||||
|
author: Optional[int],
|
||||||
|
deleted: bool,
|
||||||
|
date_from: str,
|
||||||
|
date_to: str,
|
||||||
|
id=0,
|
||||||
|
):
|
||||||
|
HistoryTableABC.__init__(self)
|
||||||
|
|
||||||
|
self._id = id
|
||||||
|
self._description = description
|
||||||
|
self._user = user
|
||||||
|
self._author = author
|
||||||
|
|
||||||
|
self._deleted = deleted
|
||||||
|
self._date_from = date_from
|
||||||
|
self._date_to = date_to
|
||||||
|
|
||||||
|
@property
|
||||||
|
def id(self) -> int:
|
||||||
|
return self._id
|
||||||
|
|
||||||
|
@property
|
||||||
|
def description(self) -> str:
|
||||||
|
return self._description
|
||||||
|
|
||||||
|
@property
|
||||||
|
def user(self) -> int:
|
||||||
|
return self._user
|
||||||
|
|
||||||
|
@property
|
||||||
|
def author(self) -> Optional[int]:
|
||||||
|
return self._author
|
@ -32,7 +32,7 @@ class UserWarningsRepositoryService(UserWarningsRepositoryABC):
|
|||||||
def _from_result(self, sql_result: tuple) -> UserWarnings:
|
def _from_result(self, sql_result: tuple) -> UserWarnings:
|
||||||
user = self._users.get_user_by_id(self._get_value_from_result(sql_result[2]))
|
user = self._users.get_user_by_id(self._get_value_from_result(sql_result[2]))
|
||||||
author = None
|
author = None
|
||||||
author_id = self._get_value_from_result(sql_result[2])
|
author_id = self._get_value_from_result(sql_result[3])
|
||||||
if author_id is not None:
|
if author_id is not None:
|
||||||
author = self._users.get_user_by_id(author_id)
|
author = self._users.get_user_by_id(author_id)
|
||||||
|
|
||||||
|
@ -1,3 +1,4 @@
|
|||||||
|
from cpl_core.dependency_injection import ServiceProviderABC
|
||||||
from cpl_query.extension import List
|
from cpl_query.extension import List
|
||||||
|
|
||||||
from bot_data.model.user import User
|
from bot_data.model.user import User
|
||||||
@ -5,9 +6,14 @@ from bot_graphql.abc.filter_abc import FilterABC
|
|||||||
|
|
||||||
|
|
||||||
class AchievementFilter(FilterABC):
|
class AchievementFilter(FilterABC):
|
||||||
def __init__(self):
|
def __init__(
|
||||||
|
self,
|
||||||
|
services: ServiceProviderABC,
|
||||||
|
):
|
||||||
FilterABC.__init__(self)
|
FilterABC.__init__(self)
|
||||||
|
|
||||||
|
self._services = services
|
||||||
|
|
||||||
self._id = None
|
self._id = None
|
||||||
self._name = None
|
self._name = None
|
||||||
self._description = None
|
self._description = None
|
||||||
|
56
kdb-bot/src/bot_graphql/filter/user_warning_filter.py
Normal file
56
kdb-bot/src/bot_graphql/filter/user_warning_filter.py
Normal file
@ -0,0 +1,56 @@
|
|||||||
|
from cpl_core.dependency_injection import ServiceProviderABC
|
||||||
|
from cpl_query.extension import List
|
||||||
|
|
||||||
|
from bot_data.model.user_warnings import UserWarnings
|
||||||
|
from bot_graphql.abc.filter_abc import FilterABC
|
||||||
|
|
||||||
|
|
||||||
|
class UserWarningFilter(FilterABC):
|
||||||
|
def __init__(
|
||||||
|
self,
|
||||||
|
services: ServiceProviderABC,
|
||||||
|
):
|
||||||
|
FilterABC.__init__(self)
|
||||||
|
|
||||||
|
self._services = services
|
||||||
|
|
||||||
|
self._id = None
|
||||||
|
self._user = None
|
||||||
|
self._description = None
|
||||||
|
self._author = None
|
||||||
|
|
||||||
|
def from_dict(self, values: dict):
|
||||||
|
if "id" in values:
|
||||||
|
self._id = int(values["id"])
|
||||||
|
|
||||||
|
if "user" in values:
|
||||||
|
from bot_graphql.filter.user_filter import UserFilter
|
||||||
|
|
||||||
|
self._user: UserFilter = self._services.get_service(UserFilter)
|
||||||
|
self._user.from_dict(values["user"])
|
||||||
|
|
||||||
|
if "description" in values:
|
||||||
|
self._description = values["description"]
|
||||||
|
|
||||||
|
if "author" in values:
|
||||||
|
from bot_graphql.filter.user_filter import UserFilter
|
||||||
|
|
||||||
|
self._author: UserFilter = self._services.get_service(UserFilter)
|
||||||
|
self._author.from_dict(values["author"])
|
||||||
|
|
||||||
|
def filter(self, query: List[UserWarnings]) -> List[UserWarnings]:
|
||||||
|
if self._id is not None:
|
||||||
|
query = query.where(lambda x: x.id == self._id)
|
||||||
|
|
||||||
|
if self._user is not None:
|
||||||
|
users = self._user.filter(query.select(lambda x: x.user)).select(lambda x: x.id)
|
||||||
|
query = query.where(lambda x: x.id in users)
|
||||||
|
|
||||||
|
if self._description is not None:
|
||||||
|
query = query.where(lambda x: x.description == self._description or self._description in x.description)
|
||||||
|
|
||||||
|
if self._author is not None:
|
||||||
|
users = self._author.filter(query.select(lambda x: x.author)).select(lambda x: x.id)
|
||||||
|
query = query.where(lambda x: x.id in users)
|
||||||
|
|
||||||
|
return query
|
@ -41,6 +41,9 @@ type Query {
|
|||||||
shortRoleNames(filter: ShortRoleNameFilter, page: Page, sort: Sort): [ShortRoleName]
|
shortRoleNames(filter: ShortRoleNameFilter, page: Page, sort: Sort): [ShortRoleName]
|
||||||
shortRoleNamePositions: [String]
|
shortRoleNamePositions: [String]
|
||||||
|
|
||||||
|
userWarningCount: Int
|
||||||
|
userWarnings(filter: UserWarningFilter, page: Page, sort: Sort): [UserWarning]
|
||||||
|
|
||||||
technicianConfig: TechnicianConfig
|
technicianConfig: TechnicianConfig
|
||||||
possibleFeatureFlags: [String]
|
possibleFeatureFlags: [String]
|
||||||
discord: Discord
|
discord: Discord
|
||||||
|
@ -20,6 +20,9 @@ type User implements TableWithHistoryQuery {
|
|||||||
achievementCount: Int
|
achievementCount: Int
|
||||||
achievements(filter: AchievementFilter, page: Page, sort: Sort): [Achievement]
|
achievements(filter: AchievementFilter, page: Page, sort: Sort): [Achievement]
|
||||||
|
|
||||||
|
userWarningCount: Int
|
||||||
|
userWarnings(filter: UserWarningFilter, page: Page, sort: Sort): [UserWarning]
|
||||||
|
|
||||||
server: Server
|
server: Server
|
||||||
leftServer: Boolean
|
leftServer: Boolean
|
||||||
|
|
||||||
@ -60,4 +63,5 @@ input UserInput {
|
|||||||
id: ID
|
id: ID
|
||||||
xp: Int
|
xp: Int
|
||||||
levelId: ID
|
levelId: ID
|
||||||
|
userWarnings: [UserWarningInput]
|
||||||
}
|
}
|
34
kdb-bot/src/bot_graphql/graphql/userWarning.gql
Normal file
34
kdb-bot/src/bot_graphql/graphql/userWarning.gql
Normal file
@ -0,0 +1,34 @@
|
|||||||
|
type UserWarning implements TableWithHistoryQuery {
|
||||||
|
id: ID
|
||||||
|
user: User
|
||||||
|
description: String
|
||||||
|
author: User
|
||||||
|
|
||||||
|
createdAt: String
|
||||||
|
modifiedAt: String
|
||||||
|
|
||||||
|
history: [UserWarningHistory]
|
||||||
|
}
|
||||||
|
|
||||||
|
type UserWarningHistory implements HistoryTableQuery {
|
||||||
|
id: ID
|
||||||
|
user: ID
|
||||||
|
description: String
|
||||||
|
author: ID
|
||||||
|
|
||||||
|
deleted: Boolean
|
||||||
|
dateFrom: String
|
||||||
|
dateTo: String
|
||||||
|
}
|
||||||
|
|
||||||
|
input UserWarningFilter {
|
||||||
|
id: ID
|
||||||
|
user: UserFilter
|
||||||
|
}
|
||||||
|
|
||||||
|
input UserWarningInput {
|
||||||
|
id: ID
|
||||||
|
user: ID
|
||||||
|
description: String
|
||||||
|
author: ID
|
||||||
|
}
|
@ -18,6 +18,7 @@ from bot_graphql.filter.user_filter import UserFilter
|
|||||||
from bot_graphql.filter.user_joined_game_server_filter import UserJoinedGameServerFilter
|
from bot_graphql.filter.user_joined_game_server_filter import UserJoinedGameServerFilter
|
||||||
from bot_graphql.filter.user_joined_server_filter import UserJoinedServerFilter
|
from bot_graphql.filter.user_joined_server_filter import UserJoinedServerFilter
|
||||||
from bot_graphql.filter.user_joined_voice_channel_filter import UserJoinedVoiceChannelFilter
|
from bot_graphql.filter.user_joined_voice_channel_filter import UserJoinedVoiceChannelFilter
|
||||||
|
from bot_graphql.filter.user_warning_filter import UserWarningFilter
|
||||||
from bot_graphql.graphql_service import GraphQLService
|
from bot_graphql.graphql_service import GraphQLService
|
||||||
from bot_graphql.mutation import Mutation
|
from bot_graphql.mutation import Mutation
|
||||||
from bot_graphql.mutations.achievement_mutation import AchievementMutation
|
from bot_graphql.mutations.achievement_mutation import AchievementMutation
|
||||||
@ -66,6 +67,8 @@ from bot_graphql.queries.user_joined_server_query import UserJoinedServerQuery
|
|||||||
from bot_graphql.queries.user_joined_voice_channel_history_query import UserJoinedVoiceChannelHistoryQuery
|
from bot_graphql.queries.user_joined_voice_channel_history_query import UserJoinedVoiceChannelHistoryQuery
|
||||||
from bot_graphql.queries.user_joined_voice_channel_query import UserJoinedVoiceChannelQuery
|
from bot_graphql.queries.user_joined_voice_channel_query import UserJoinedVoiceChannelQuery
|
||||||
from bot_graphql.queries.user_query import UserQuery
|
from bot_graphql.queries.user_query import UserQuery
|
||||||
|
from bot_graphql.queries.user_warning_history_query import UserWarningHistoryQuery
|
||||||
|
from bot_graphql.queries.user_warning_query import UserWarningQuery
|
||||||
from bot_graphql.query import Query
|
from bot_graphql.query import Query
|
||||||
from bot_graphql.schema import Schema
|
from bot_graphql.schema import Schema
|
||||||
|
|
||||||
@ -115,6 +118,8 @@ class GraphQLModule(ModuleABC):
|
|||||||
services.add_transient(QueryABC, UserJoinedGameServerQuery)
|
services.add_transient(QueryABC, UserJoinedGameServerQuery)
|
||||||
services.add_transient(QueryABC, ShortRoleNameHistoryQuery)
|
services.add_transient(QueryABC, ShortRoleNameHistoryQuery)
|
||||||
services.add_transient(QueryABC, ShortRoleNameQuery)
|
services.add_transient(QueryABC, ShortRoleNameQuery)
|
||||||
|
services.add_transient(QueryABC, UserWarningHistoryQuery)
|
||||||
|
services.add_transient(QueryABC, UserWarningQuery)
|
||||||
|
|
||||||
services.add_transient(QueryABC, DiscordQuery)
|
services.add_transient(QueryABC, DiscordQuery)
|
||||||
services.add_transient(QueryABC, GuildQuery)
|
services.add_transient(QueryABC, GuildQuery)
|
||||||
@ -135,6 +140,7 @@ class GraphQLModule(ModuleABC):
|
|||||||
services.add_transient(FilterABC, UserJoinedVoiceChannelFilter)
|
services.add_transient(FilterABC, UserJoinedVoiceChannelFilter)
|
||||||
services.add_transient(FilterABC, UserJoinedGameServerFilter)
|
services.add_transient(FilterABC, UserJoinedGameServerFilter)
|
||||||
services.add_transient(FilterABC, ShortRoleNameFilter)
|
services.add_transient(FilterABC, ShortRoleNameFilter)
|
||||||
|
services.add_transient(FilterABC, UserWarningFilter)
|
||||||
|
|
||||||
# mutations
|
# mutations
|
||||||
services.add_transient(QueryABC, AutoRoleMutation)
|
services.add_transient(QueryABC, AutoRoleMutation)
|
||||||
|
@ -139,6 +139,7 @@ class ServerConfigMutation(QueryABC):
|
|||||||
self._update_team_role_ids(server_config)
|
self._update_team_role_ids(server_config)
|
||||||
|
|
||||||
self._db.save_changes()
|
self._db.save_changes()
|
||||||
|
self._bot.loop.create_task(self._config_service.reload_server_config(server_config.server))
|
||||||
return server_config
|
return server_config
|
||||||
|
|
||||||
def _update_afk_channel_ids(self, new_config: ServerConfig):
|
def _update_afk_channel_ids(self, new_config: ServerConfig):
|
||||||
@ -178,5 +179,3 @@ class ServerConfigMutation(QueryABC):
|
|||||||
continue
|
continue
|
||||||
|
|
||||||
self._server_configs.add_server_team_role_id_config(role_id)
|
self._server_configs.add_server_team_role_id_config(role_id)
|
||||||
|
|
||||||
self._bot.loop.create_task(self._config_service.reload_server_config(new_config.server))
|
|
||||||
|
@ -4,8 +4,11 @@ from cpl_discord.service import DiscordBotServiceABC
|
|||||||
from bot_data.abc.level_repository_abc import LevelRepositoryABC
|
from bot_data.abc.level_repository_abc import LevelRepositoryABC
|
||||||
from bot_data.abc.server_repository_abc import ServerRepositoryABC
|
from bot_data.abc.server_repository_abc import ServerRepositoryABC
|
||||||
from bot_data.abc.user_repository_abc import UserRepositoryABC
|
from bot_data.abc.user_repository_abc import UserRepositoryABC
|
||||||
|
from bot_data.abc.user_warnings_repository_abc import UserWarningsRepositoryABC
|
||||||
|
from bot_data.model.user import User
|
||||||
from bot_data.model.user_role_enum import UserRoleEnum
|
from bot_data.model.user_role_enum import UserRoleEnum
|
||||||
from bot_graphql.abc.query_abc import QueryABC
|
from bot_graphql.abc.query_abc import QueryABC
|
||||||
|
from modules.base.service.user_warnings_service import UserWarningsService
|
||||||
from modules.level.service.level_service import LevelService
|
from modules.level.service.level_service import LevelService
|
||||||
from modules.permission.service.permission_service import PermissionService
|
from modules.permission.service.permission_service import PermissionService
|
||||||
|
|
||||||
@ -20,6 +23,8 @@ class UserMutation(QueryABC):
|
|||||||
permissions: PermissionService,
|
permissions: PermissionService,
|
||||||
levels: LevelRepositoryABC,
|
levels: LevelRepositoryABC,
|
||||||
level_service: LevelService,
|
level_service: LevelService,
|
||||||
|
user_warnings: UserWarningsRepositoryABC,
|
||||||
|
user_warning_service: UserWarningsService,
|
||||||
):
|
):
|
||||||
QueryABC.__init__(self, "UserMutation")
|
QueryABC.__init__(self, "UserMutation")
|
||||||
|
|
||||||
@ -30,6 +35,8 @@ class UserMutation(QueryABC):
|
|||||||
self._permissions = permissions
|
self._permissions = permissions
|
||||||
self._levels = levels
|
self._levels = levels
|
||||||
self._level_service = level_service
|
self._level_service = level_service
|
||||||
|
self._user_warnings = user_warnings
|
||||||
|
self._user_warning_service = user_warning_service
|
||||||
|
|
||||||
self.set_field("updateUser", self.resolve_update_user)
|
self.set_field("updateUser", self.resolve_update_user)
|
||||||
|
|
||||||
@ -45,9 +52,28 @@ class UserMutation(QueryABC):
|
|||||||
|
|
||||||
user.xp = new_xp if new_xp is not None else input["xp"] if "xp" in input else user.xp
|
user.xp = new_xp if new_xp is not None else input["xp"] if "xp" in input else user.xp
|
||||||
|
|
||||||
|
if "userWarnings" in input:
|
||||||
|
self._update_user_warning(user, input["userWarnings"])
|
||||||
|
|
||||||
self._users.update_user(user)
|
self._users.update_user(user)
|
||||||
self._db.save_changes()
|
self._db.save_changes()
|
||||||
self._bot.loop.create_task(self._level_service.set_level(user))
|
self._bot.loop.create_task(self._level_service.set_level(user))
|
||||||
|
|
||||||
user = self._users.get_user_by_id(input["id"])
|
user = self._users.get_user_by_id(input["id"])
|
||||||
return user
|
return user
|
||||||
|
|
||||||
|
def _update_user_warning(self, user: User, new_warnings: dict):
|
||||||
|
old_warnings = self._user_warnings.get_user_warnings_by_user_id(user.id)
|
||||||
|
for warning in old_warnings:
|
||||||
|
if warning.id in [int(x["id"]) if "id" in x else None for x in new_warnings]:
|
||||||
|
continue
|
||||||
|
|
||||||
|
self._user_warning_service.remove_warnings(warning.id)
|
||||||
|
|
||||||
|
for warning in new_warnings:
|
||||||
|
if "id" in warning and int(warning["id"]) in old_warnings.select(lambda x: x.id):
|
||||||
|
continue
|
||||||
|
|
||||||
|
member = self._bot.get_guild(user.server.discord_id).get_member(user.discord_id)
|
||||||
|
author = self._users.get_user_by_id(int(warning["author"]))
|
||||||
|
self._user_warning_service.add_warnings(member, warning["description"], author.discord_id)
|
||||||
|
@ -6,6 +6,7 @@ from bot_data.abc.achievement_repository_abc import AchievementRepositoryABC
|
|||||||
from bot_data.abc.user_joined_game_server_repository_abc import UserJoinedGameServerRepositoryABC
|
from bot_data.abc.user_joined_game_server_repository_abc import UserJoinedGameServerRepositoryABC
|
||||||
from bot_data.abc.user_joined_server_repository_abc import UserJoinedServerRepositoryABC
|
from bot_data.abc.user_joined_server_repository_abc import UserJoinedServerRepositoryABC
|
||||||
from bot_data.abc.user_joined_voice_channel_repository_abc import UserJoinedVoiceChannelRepositoryABC
|
from bot_data.abc.user_joined_voice_channel_repository_abc import UserJoinedVoiceChannelRepositoryABC
|
||||||
|
from bot_data.abc.user_warnings_repository_abc import UserWarningsRepositoryABC
|
||||||
from bot_data.model.user import User
|
from bot_data.model.user import User
|
||||||
from bot_data.model.user_history import UserHistory
|
from bot_data.model.user_history import UserHistory
|
||||||
from bot_graphql.abc.data_query_with_history_abc import DataQueryWithHistoryABC
|
from bot_graphql.abc.data_query_with_history_abc import DataQueryWithHistoryABC
|
||||||
@ -13,6 +14,7 @@ from bot_graphql.filter.achievement_filter import AchievementFilter
|
|||||||
from bot_graphql.filter.user_joined_game_server_filter import UserJoinedGameServerFilter
|
from bot_graphql.filter.user_joined_game_server_filter import UserJoinedGameServerFilter
|
||||||
from bot_graphql.filter.user_joined_server_filter import UserJoinedServerFilter
|
from bot_graphql.filter.user_joined_server_filter import UserJoinedServerFilter
|
||||||
from bot_graphql.filter.user_joined_voice_channel_filter import UserJoinedVoiceChannelFilter
|
from bot_graphql.filter.user_joined_voice_channel_filter import UserJoinedVoiceChannelFilter
|
||||||
|
from bot_graphql.filter.user_warning_filter import UserWarningFilter
|
||||||
from modules.level.service.level_service import LevelService
|
from modules.level.service.level_service import LevelService
|
||||||
from modules.permission.abc.permission_service_abc import PermissionServiceABC
|
from modules.permission.abc.permission_service_abc import PermissionServiceABC
|
||||||
|
|
||||||
@ -29,6 +31,7 @@ class UserQuery(DataQueryWithHistoryABC):
|
|||||||
user_joined_game_server: UserJoinedGameServerRepositoryABC,
|
user_joined_game_server: UserJoinedGameServerRepositoryABC,
|
||||||
permissions: PermissionServiceABC,
|
permissions: PermissionServiceABC,
|
||||||
achievements: AchievementRepositoryABC,
|
achievements: AchievementRepositoryABC,
|
||||||
|
user_warnings: UserWarningsRepositoryABC,
|
||||||
):
|
):
|
||||||
DataQueryWithHistoryABC.__init__(self, "User", "UsersHistory", UserHistory, db)
|
DataQueryWithHistoryABC.__init__(self, "User", "UsersHistory", UserHistory, db)
|
||||||
|
|
||||||
@ -67,6 +70,9 @@ class UserQuery(DataQueryWithHistoryABC):
|
|||||||
self.add_collection(
|
self.add_collection(
|
||||||
"achievement", lambda user, *_: achievements.get_achievements_by_user_id(user.id), AchievementFilter
|
"achievement", lambda user, *_: achievements.get_achievements_by_user_id(user.id), AchievementFilter
|
||||||
)
|
)
|
||||||
|
self.add_collection(
|
||||||
|
"userWarning", lambda user, *_: user_warnings.get_user_warnings_by_user_id(user.id), UserWarningFilter
|
||||||
|
)
|
||||||
|
|
||||||
self.set_field("server", self.resolve_server)
|
self.set_field("server", self.resolve_server)
|
||||||
self.set_field("leftServer", self.resolve_left_server)
|
self.set_field("leftServer", self.resolve_left_server)
|
||||||
|
@ -0,0 +1,11 @@
|
|||||||
|
from bot_graphql.abc.history_query_abc import HistoryQueryABC
|
||||||
|
|
||||||
|
|
||||||
|
class UserWarningHistoryQuery(HistoryQueryABC):
|
||||||
|
def __init__(self):
|
||||||
|
HistoryQueryABC.__init__(self, "UserWarning")
|
||||||
|
|
||||||
|
self.set_field("id", lambda x, *_: x.id)
|
||||||
|
self.set_field("user", lambda x, *_: x.user)
|
||||||
|
self.set_field("description", lambda x, *_: x.description)
|
||||||
|
self.set_field("author", lambda x, *_: x.author)
|
17
kdb-bot/src/bot_graphql/queries/user_warning_query.py
Normal file
17
kdb-bot/src/bot_graphql/queries/user_warning_query.py
Normal file
@ -0,0 +1,17 @@
|
|||||||
|
from cpl_core.database.context import DatabaseContextABC
|
||||||
|
|
||||||
|
from bot_data.model.user_warnings_history import UserWarningsHistory
|
||||||
|
from bot_graphql.abc.data_query_with_history_abc import DataQueryWithHistoryABC
|
||||||
|
|
||||||
|
|
||||||
|
class UserWarningQuery(DataQueryWithHistoryABC):
|
||||||
|
def __init__(
|
||||||
|
self,
|
||||||
|
db: DatabaseContextABC,
|
||||||
|
):
|
||||||
|
DataQueryWithHistoryABC.__init__(self, "UserWarning", "UserWarningsHistory", UserWarningsHistory, db)
|
||||||
|
|
||||||
|
self.set_field("id", lambda x, *_: x.id)
|
||||||
|
self.set_field("user", lambda x, *_: x.user)
|
||||||
|
self.set_field("description", lambda x, *_: x.description)
|
||||||
|
self.set_field("author", lambda x, *_: x.author)
|
@ -15,6 +15,7 @@ from bot_data.abc.user_joined_game_server_repository_abc import UserJoinedGameSe
|
|||||||
from bot_data.abc.user_joined_server_repository_abc import UserJoinedServerRepositoryABC
|
from bot_data.abc.user_joined_server_repository_abc import UserJoinedServerRepositoryABC
|
||||||
from bot_data.abc.user_joined_voice_channel_repository_abc import UserJoinedVoiceChannelRepositoryABC
|
from bot_data.abc.user_joined_voice_channel_repository_abc import UserJoinedVoiceChannelRepositoryABC
|
||||||
from bot_data.abc.user_repository_abc import UserRepositoryABC
|
from bot_data.abc.user_repository_abc import UserRepositoryABC
|
||||||
|
from bot_data.abc.user_warnings_repository_abc import UserWarningsRepositoryABC
|
||||||
from bot_data.model.short_role_name_position_enum import ShortRoleNamePositionEnum
|
from bot_data.model.short_role_name_position_enum import ShortRoleNamePositionEnum
|
||||||
from bot_graphql.abc.query_abc import QueryABC
|
from bot_graphql.abc.query_abc import QueryABC
|
||||||
from bot_graphql.filter.achievement_filter import AchievementFilter
|
from bot_graphql.filter.achievement_filter import AchievementFilter
|
||||||
@ -28,6 +29,7 @@ from bot_graphql.filter.user_filter import UserFilter
|
|||||||
from bot_graphql.filter.user_joined_game_server_filter import UserJoinedGameServerFilter
|
from bot_graphql.filter.user_joined_game_server_filter import UserJoinedGameServerFilter
|
||||||
from bot_graphql.filter.user_joined_server_filter import UserJoinedServerFilter
|
from bot_graphql.filter.user_joined_server_filter import UserJoinedServerFilter
|
||||||
from bot_graphql.filter.user_joined_voice_channel_filter import UserJoinedVoiceChannelFilter
|
from bot_graphql.filter.user_joined_voice_channel_filter import UserJoinedVoiceChannelFilter
|
||||||
|
from bot_graphql.filter.user_warning_filter import UserWarningFilter
|
||||||
from bot_graphql.model.discord import Discord
|
from bot_graphql.model.discord import Discord
|
||||||
from modules.achievements.achievement_service import AchievementService
|
from modules.achievements.achievement_service import AchievementService
|
||||||
|
|
||||||
@ -48,6 +50,7 @@ class Query(QueryABC):
|
|||||||
users: UserRepositoryABC,
|
users: UserRepositoryABC,
|
||||||
achievements: AchievementRepositoryABC,
|
achievements: AchievementRepositoryABC,
|
||||||
short_role_names: ShortRoleNameRepositoryABC,
|
short_role_names: ShortRoleNameRepositoryABC,
|
||||||
|
user_warnings: UserWarningsRepositoryABC,
|
||||||
achievement_service: AchievementService,
|
achievement_service: AchievementService,
|
||||||
technician_config: TechnicianConfigRepositoryABC,
|
technician_config: TechnicianConfigRepositoryABC,
|
||||||
):
|
):
|
||||||
@ -76,11 +79,13 @@ class Query(QueryABC):
|
|||||||
self.add_collection("user", lambda *_: users.get_users(), UserFilter)
|
self.add_collection("user", lambda *_: users.get_users(), UserFilter)
|
||||||
self.add_collection("achievement", lambda *_: achievements.get_achievements(), AchievementFilter)
|
self.add_collection("achievement", lambda *_: achievements.get_achievements(), AchievementFilter)
|
||||||
self.add_collection("shortRoleName", lambda *_: short_role_names.get_short_role_names(), ShortRoleNameFilter)
|
self.add_collection("shortRoleName", lambda *_: short_role_names.get_short_role_names(), ShortRoleNameFilter)
|
||||||
|
self.add_collection("userWarning", lambda *_: user_warnings.get_user_warnings(), UserWarningFilter)
|
||||||
|
|
||||||
self.set_field("technicianConfig", lambda *_: technician_config.get_technician_config())
|
self.set_field("technicianConfig", lambda *_: technician_config.get_technician_config())
|
||||||
|
|
||||||
self.set_field("achievementAttributes", lambda *_: achievement_service.get_attributes())
|
self.set_field("achievementAttributes", lambda *_: achievement_service.get_attributes())
|
||||||
self.set_field("achievementOperators", lambda *_: achievement_service.get_operators())
|
self.set_field("achievementOperators", lambda *_: achievement_service.get_operators())
|
||||||
self.set_field("shortRoleNamePositions", lambda *_: [x.value for x in ShortRoleNamePositionEnum])
|
self.set_field("shortRoleNamePositions", lambda *_: [x.value for x in ShortRoleNamePositionEnum])
|
||||||
|
|
||||||
self.set_field("possibleFeatureFlags", lambda *_: [e.value for e in FeatureFlagsEnum])
|
self.set_field("possibleFeatureFlags", lambda *_: [e.value for e in FeatureFlagsEnum])
|
||||||
self.set_field("discord", lambda *_: Discord(bot.guilds, List(any).extend(bot.users)))
|
self.set_field("discord", lambda *_: Discord(bot.guilds, List(any).extend(bot.users)))
|
||||||
|
@ -400,7 +400,7 @@ class UserGroup(DiscordCommandABC):
|
|||||||
async def add(self, ctx: Context, member: discord.Member, description: str):
|
async def add(self, ctx: Context, member: discord.Member, description: str):
|
||||||
self._logger.debug(__name__, f"Received command user warning add {ctx}:{member},{description}")
|
self._logger.debug(__name__, f"Received command user warning add {ctx}:{member},{description}")
|
||||||
try:
|
try:
|
||||||
await self._user_warnings_service.add_warnings(member, description, ctx.author.id)
|
await self._user_warnings_service.add_warnings_async(member, description, ctx.author.id)
|
||||||
await self._message_service.send_ctx_msg(ctx, self._t.transform("modules.base.warnings.add.success"))
|
await self._message_service.send_ctx_msg(ctx, self._t.transform("modules.base.warnings.add.success"))
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
self._logger.error(__name__, f"Adding user warning failed", e)
|
self._logger.error(__name__, f"Adding user warning failed", e)
|
||||||
@ -414,7 +414,7 @@ class UserGroup(DiscordCommandABC):
|
|||||||
async def remove(self, ctx: Context, warning_id: int):
|
async def remove(self, ctx: Context, warning_id: int):
|
||||||
self._logger.debug(__name__, f"Received command user warning remove {ctx}:{warning_id}")
|
self._logger.debug(__name__, f"Received command user warning remove {ctx}:{warning_id}")
|
||||||
try:
|
try:
|
||||||
await self._user_warnings_service.remove_warnings(warning_id)
|
await self._user_warnings_service.remove_warnings_async(warning_id)
|
||||||
await self._message_service.send_ctx_msg(ctx, self._t.transform("modules.base.warnings.remove.success"))
|
await self._message_service.send_ctx_msg(ctx, self._t.transform("modules.base.warnings.remove.success"))
|
||||||
except Exception as e:
|
except Exception as e:
|
||||||
self._logger.error(__name__, f"Removing user warning failed", e)
|
self._logger.error(__name__, f"Removing user warning failed", e)
|
||||||
|
@ -108,7 +108,15 @@ class UserWarningsService:
|
|||||||
await self.notify_team(member, self._t.transform("modules.base.warnings.kick").format(member.mention))
|
await self.notify_team(member, self._t.transform("modules.base.warnings.kick").format(member.mention))
|
||||||
await member.kick()
|
await member.kick()
|
||||||
|
|
||||||
async def add_warnings(self, member: discord.Member, description: str, author_id: int = None):
|
async def _notify_after_add(self, member: discord.Member, warning: UserWarnings):
|
||||||
|
server = self._servers.get_server_by_discord_id(member.guild.id)
|
||||||
|
user = self._users.get_user_by_discord_id_and_server_id(member.id, server.id)
|
||||||
|
|
||||||
|
await self.notify_user(member, self._t.transform("modules.base.warnings.warned").format(warning.description))
|
||||||
|
await self.notify_team(member, warning.description)
|
||||||
|
await self.check_for_warnings(member, user)
|
||||||
|
|
||||||
|
def _add_warnings(self, member: discord.Member, description: str, author_id: int = None):
|
||||||
server = self._servers.get_server_by_discord_id(member.guild.id)
|
server = self._servers.get_server_by_discord_id(member.guild.id)
|
||||||
user = self._users.get_user_by_discord_id_and_server_id(member.id, server.id)
|
user = self._users.get_user_by_discord_id_and_server_id(member.id, server.id)
|
||||||
|
|
||||||
@ -119,17 +127,32 @@ class UserWarningsService:
|
|||||||
warning = UserWarnings(description, user, author)
|
warning = UserWarnings(description, user, author)
|
||||||
self._warnings.add_user_warnings(warning)
|
self._warnings.add_user_warnings(warning)
|
||||||
self._db.save_changes()
|
self._db.save_changes()
|
||||||
await self.notify_user(member, self._t.transform("modules.base.warnings.warned").format(warning.description))
|
return warning
|
||||||
await self.notify_team(member, warning.description)
|
|
||||||
await self.check_for_warnings(member, user)
|
|
||||||
|
|
||||||
async def remove_warnings(self, id: int):
|
def add_warnings(self, member: discord.Member, description: str, author_id: int = None):
|
||||||
|
warning = self._add_warnings(member, description, author_id)
|
||||||
|
self._bot.loop.create_task(self._notify_after_add(member, warning))
|
||||||
|
|
||||||
|
async def add_warnings_async(self, member: discord.Member, description: str, author_id: int = None):
|
||||||
|
warning = self._add_warnings(member, description, author_id)
|
||||||
|
await self._notify_after_add(member, warning)
|
||||||
|
|
||||||
|
async def _notify_after_remove(self, warning: UserWarnings):
|
||||||
|
guild = self._bot.get_guild(warning.user.server.discord_id)
|
||||||
|
member = guild.get_member(warning.user.discord_id)
|
||||||
|
await self.notify_user(member, self._t.transform("modules.base.warnings.removed").format(warning.description))
|
||||||
|
await self.notify_team(member, warning.description, removed=True)
|
||||||
|
|
||||||
|
def _remove_warnings(self, id: int):
|
||||||
warning = self._warnings.get_user_warnings_by_id(id)
|
warning = self._warnings.get_user_warnings_by_id(id)
|
||||||
self._warnings.delete_user_warnings(warning)
|
self._warnings.delete_user_warnings(warning)
|
||||||
self._db.save_changes()
|
self._db.save_changes()
|
||||||
|
return warning
|
||||||
|
|
||||||
guild = self._bot.get_guild(warning.user.server.discord_id)
|
def remove_warnings(self, id: int):
|
||||||
member = guild.get_member(warning.user.discord_id)
|
warning = self._remove_warnings(id)
|
||||||
|
self._bot.loop.create_task(self._notify_after_remove(warning))
|
||||||
|
|
||||||
await self.notify_user(member, self._t.transform("modules.base.warnings.removed").format(warning.description))
|
async def remove_warnings_async(self, id: int):
|
||||||
await self.notify_team(member, warning.description, removed=True)
|
warning = self._remove_warnings(id)
|
||||||
|
await self._notify_after_remove(warning)
|
||||||
|
@ -1,6 +1,6 @@
|
|||||||
{
|
{
|
||||||
"name": "kdb-web",
|
"name": "kdb-web",
|
||||||
"version": "1.1.10",
|
"version": "1.1.dev402",
|
||||||
"scripts": {
|
"scripts": {
|
||||||
"ng": "ng",
|
"ng": "ng",
|
||||||
"update-version": "ts-node update-version.ts",
|
"update-version": "ts-node update-version.ts",
|
||||||
@ -51,4 +51,4 @@
|
|||||||
"tslib": "^2.4.1",
|
"tslib": "^2.4.1",
|
||||||
"typescript": "~4.9.5"
|
"typescript": "~4.9.5"
|
||||||
}
|
}
|
||||||
}
|
}
|
@ -5,6 +5,7 @@ import { UserJoinedServer } from "./user_joined_server.model";
|
|||||||
import { UserJoinedVoiceChannel } from "./user_joined_voice_channel.model";
|
import { UserJoinedVoiceChannel } from "./user_joined_voice_channel.model";
|
||||||
import { UserJoinedGameServer } from "./user_joined_game_server.model";
|
import { UserJoinedGameServer } from "./user_joined_game_server.model";
|
||||||
import { Achievement } from "./achievement.model";
|
import { Achievement } from "./achievement.model";
|
||||||
|
import { UserWarning } from "./user_warning.model";
|
||||||
|
|
||||||
export interface User extends DataWithHistory {
|
export interface User extends DataWithHistory {
|
||||||
id?: number;
|
id?: number;
|
||||||
@ -29,6 +30,9 @@ export interface User extends DataWithHistory {
|
|||||||
|
|
||||||
achievementCount?: number;
|
achievementCount?: number;
|
||||||
achievements?: Achievement[];
|
achievements?: Achievement[];
|
||||||
|
|
||||||
|
userWarningCount?: number;
|
||||||
|
userWarnings?: UserWarning[];
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface UserFilter {
|
export interface UserFilter {
|
||||||
|
16
kdb-web/src/app/models/data/user_warning.model.ts
Normal file
16
kdb-web/src/app/models/data/user_warning.model.ts
Normal file
@ -0,0 +1,16 @@
|
|||||||
|
import { DataWithHistory } from "./data.model";
|
||||||
|
import { User, UserFilter } from "./user.model";
|
||||||
|
|
||||||
|
export interface UserWarning extends DataWithHistory {
|
||||||
|
id?: number;
|
||||||
|
user?: User;
|
||||||
|
description?: string;
|
||||||
|
author?: User;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface UserWarningFilter {
|
||||||
|
id?: number;
|
||||||
|
user?: UserFilter;
|
||||||
|
description?: string;
|
||||||
|
author?: UserFilter;
|
||||||
|
}
|
@ -1,8 +1,8 @@
|
|||||||
export class Mutations {
|
export class Mutations {
|
||||||
static updateUser = `
|
static updateUser = `
|
||||||
mutation updateUser($id: ID, $xp: Int, $levelId: ID) {
|
mutation updateUser($id: ID, $xp: Int, $levelId: ID, $userWarnings: [UserWarningInput]) {
|
||||||
user {
|
user {
|
||||||
updateUser(input: { id: $id, xp: $xp, levelId: $levelId }) {
|
updateUser(input: { id: $id, xp: $xp, levelId: $levelId, userWarnings: $userWarnings }) {
|
||||||
id
|
id
|
||||||
name
|
name
|
||||||
xp
|
xp
|
||||||
@ -10,6 +10,10 @@ export class Mutations {
|
|||||||
id
|
id
|
||||||
name
|
name
|
||||||
}
|
}
|
||||||
|
userWarnings {
|
||||||
|
id
|
||||||
|
description
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
@ -314,4 +318,50 @@ export class Mutations {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
`;
|
`;
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
|
static createUserWarning = `
|
||||||
|
mutation createUserWarning($name: String, $description: String, $attribute: String, $operator: String, $value: String, $serverId: ID) {
|
||||||
|
userWarning {
|
||||||
|
createUserWarning(input: { name: $name, description: $description, attribute: $attribute, operator: $operator, value: $value, serverId: $serverId}) {
|
||||||
|
id
|
||||||
|
name
|
||||||
|
description
|
||||||
|
attribute
|
||||||
|
operator
|
||||||
|
value
|
||||||
|
server {
|
||||||
|
id
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
|
|
||||||
|
static updateUserWarning = `
|
||||||
|
mutation updateUserWarning($id: ID, $name: String, $description: String, $attribute: String, $operator: String, $value: String) {
|
||||||
|
userWarning {
|
||||||
|
updateUserWarning(input: { id: $id, name: $name, description: $description, attribute: $attribute, operator: $operator, value: $value}) {
|
||||||
|
id
|
||||||
|
name
|
||||||
|
description
|
||||||
|
attribute
|
||||||
|
operator
|
||||||
|
value
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
|
|
||||||
|
static deleteUserWarning = `
|
||||||
|
mutation deleteUserWarning($id: ID) {
|
||||||
|
userWarning {
|
||||||
|
deleteUserWarning(id: $id) {
|
||||||
|
id
|
||||||
|
name
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
}
|
}
|
||||||
|
@ -208,7 +208,7 @@ export class Queries {
|
|||||||
query {
|
query {
|
||||||
shortRoleNamePositions
|
shortRoleNamePositions
|
||||||
}
|
}
|
||||||
`
|
`;
|
||||||
|
|
||||||
static shortRoleNameQuery = `
|
static shortRoleNameQuery = `
|
||||||
query ShortRoleNameList($serverId: ID, $filter: ShortRoleNameFilter, $page: Page, $sort: Sort) {
|
query ShortRoleNameList($serverId: ID, $filter: ShortRoleNameFilter, $page: Page, $sort: Sort) {
|
||||||
@ -279,58 +279,98 @@ export class Queries {
|
|||||||
|
|
||||||
static userProfile = `
|
static userProfile = `
|
||||||
query UserProfile($serverId: ID, $userId: ID, $page: Page, $sort: Sort) {
|
query UserProfile($serverId: ID, $userId: ID, $page: Page, $sort: Sort) {
|
||||||
servers(filter: {id: $serverId}) {
|
userCount
|
||||||
userCount
|
users(filter: {server: {id: $serverId}, id: $userId}, page: $page, sort: $sort) {
|
||||||
users(filter: {id: $userId}, page: $page, sort: $sort) {
|
id
|
||||||
|
discordId
|
||||||
|
name
|
||||||
|
xp
|
||||||
|
ontime
|
||||||
|
level {
|
||||||
id
|
id
|
||||||
discordId
|
|
||||||
name
|
name
|
||||||
xp
|
}
|
||||||
ontime
|
leftServer
|
||||||
level {
|
server {
|
||||||
|
id
|
||||||
|
name
|
||||||
|
}
|
||||||
|
|
||||||
|
joinedServerCount
|
||||||
|
joinedServers {
|
||||||
|
id
|
||||||
|
joinedOn
|
||||||
|
leavedOn
|
||||||
|
}
|
||||||
|
|
||||||
|
createdAt
|
||||||
|
modifiedAt
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
|
|
||||||
|
static userProfileAchievements = `
|
||||||
|
query UserProfile($serverId: ID, $userId: ID, $page: Page, $sort: Sort) {
|
||||||
|
users(filter: {server: {id: $serverId}, id: $userId}, page: $page, sort: $sort) {
|
||||||
|
achievementCount
|
||||||
|
achievements {
|
||||||
|
id
|
||||||
|
name
|
||||||
|
description
|
||||||
|
createdAt
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
|
|
||||||
|
static userProfileVoiceChannelJoins = `
|
||||||
|
query UserProfile($serverId: ID, $userId: ID, $page: Page, $sort: Sort) {
|
||||||
|
users(filter: {server: {id: $serverId}, id: $userId}, page: $page, sort: $sort) {
|
||||||
|
joinedVoiceChannelCount
|
||||||
|
joinedVoiceChannels {
|
||||||
|
id
|
||||||
|
channelId
|
||||||
|
channelName
|
||||||
|
time
|
||||||
|
joinedOn
|
||||||
|
leavedOn
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
|
|
||||||
|
static userProfileGameserverJoins = `
|
||||||
|
query UserProfile($serverId: ID, $userId: ID, $page: Page, $sort: Sort) {
|
||||||
|
users(filter: {server: {id: $serverId}, id: $userId}, page: $page, sort: $sort) {
|
||||||
|
userJoinedGameServerCount
|
||||||
|
userJoinedGameServers {
|
||||||
|
id
|
||||||
|
gameServer
|
||||||
|
time
|
||||||
|
joinedOn
|
||||||
|
leavedOn
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
`;
|
||||||
|
|
||||||
|
static userProfileWarnings = `
|
||||||
|
query UserProfile($serverId: ID, $userId: ID, $page: Page, $sort: Sort) {
|
||||||
|
users(filter: {server: {id: $serverId}, id: $userId}, page: $page, sort: $sort) {
|
||||||
|
userWarningCount
|
||||||
|
userWarnings {
|
||||||
|
id
|
||||||
|
user {
|
||||||
id
|
id
|
||||||
name
|
name
|
||||||
}
|
}
|
||||||
leftServer
|
description
|
||||||
server {
|
author {
|
||||||
id
|
id
|
||||||
name
|
name
|
||||||
}
|
}
|
||||||
|
|
||||||
joinedServerCount
|
|
||||||
joinedServers {
|
|
||||||
id
|
|
||||||
joinedOn
|
|
||||||
leavedOn
|
|
||||||
}
|
|
||||||
|
|
||||||
joinedVoiceChannelCount
|
|
||||||
joinedVoiceChannels {
|
|
||||||
id
|
|
||||||
channelId
|
|
||||||
channelName
|
|
||||||
time
|
|
||||||
joinedOn
|
|
||||||
leavedOn
|
|
||||||
}
|
|
||||||
|
|
||||||
userJoinedGameServerCount
|
|
||||||
userJoinedGameServers {
|
|
||||||
id
|
|
||||||
gameServer
|
|
||||||
time
|
|
||||||
joinedOn
|
|
||||||
leavedOn
|
|
||||||
}
|
|
||||||
|
|
||||||
achievements {
|
|
||||||
id
|
|
||||||
name
|
|
||||||
createdAt
|
|
||||||
}
|
|
||||||
|
|
||||||
createdAt
|
createdAt
|
||||||
modifiedAt
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
@ -8,6 +8,7 @@ import { TechnicianConfig } from "../config/technician-config.model";
|
|||||||
import { ServerConfig } from "../config/server-config.model";
|
import { ServerConfig } from "../config/server-config.model";
|
||||||
import { ShortRoleName } from "../data/short_role_name.model";
|
import { ShortRoleName } from "../data/short_role_name.model";
|
||||||
import { FeatureFlag } from "../config/feature-flags.model";
|
import { FeatureFlag } from "../config/feature-flags.model";
|
||||||
|
import { UserWarning } from "../data/user_warning.model";
|
||||||
|
|
||||||
export interface Query {
|
export interface Query {
|
||||||
serverCount: number;
|
serverCount: number;
|
||||||
@ -31,6 +32,11 @@ export interface UserListQuery {
|
|||||||
users: User[];
|
users: User[];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface UserWarningQuery {
|
||||||
|
userWarningCount: number;
|
||||||
|
userWarnings: UserWarning[];
|
||||||
|
}
|
||||||
|
|
||||||
export interface GameServerListQuery {
|
export interface GameServerListQuery {
|
||||||
gameServerCount: number;
|
gameServerCount: number;
|
||||||
gameServers: GameServer[];
|
gameServers: GameServer[];
|
||||||
|
@ -6,6 +6,7 @@ import { Achievement } from "../data/achievement.model";
|
|||||||
import { TechnicianConfig } from "../config/technician-config.model";
|
import { TechnicianConfig } from "../config/technician-config.model";
|
||||||
import { ServerConfig } from "../config/server-config.model";
|
import { ServerConfig } from "../config/server-config.model";
|
||||||
import { ShortRoleName } from "../data/short_role_name.model";
|
import { ShortRoleName } from "../data/short_role_name.model";
|
||||||
|
import { UserWarning } from "../data/user_warning.model";
|
||||||
|
|
||||||
export interface GraphQLResult {
|
export interface GraphQLResult {
|
||||||
data: {
|
data: {
|
||||||
@ -77,3 +78,11 @@ export interface ShortRoleNameMutationResult {
|
|||||||
deleteShortRoleName?: ShortRoleName
|
deleteShortRoleName?: ShortRoleName
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface UserWarningMutationResult {
|
||||||
|
userWarning: {
|
||||||
|
createUserWarning?: UserWarning
|
||||||
|
updateUserWarning?: UserWarning
|
||||||
|
deleteUserWarning?: UserWarning
|
||||||
|
};
|
||||||
|
}
|
||||||
|
@ -76,9 +76,103 @@
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<div>
|
||||||
|
<div class="content-divider"></div>
|
||||||
|
<p-table #dt [value]="(user.userWarnings ?? [])" [responsive]="true" responsiveLayout="stack" [breakpoint]="'720px'" dataKey="id" editMode="row">
|
||||||
|
<ng-template pTemplate="caption">
|
||||||
|
<div class="table-caption">
|
||||||
|
<div class="table-caption-table-info">
|
||||||
|
<div class="table-caption-text">
|
||||||
|
<h3>{{'common.user_warnings' | translate}}</h3>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
<div class="table-caption-btn-wrapper btn-wrapper">
|
||||||
|
<button pButton label="{{'common.add' | translate}}" class="icon-btn btn"
|
||||||
|
icon="pi pi-plus" (click)="addNewUserWarning(dt)">
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</ng-template>
|
||||||
|
<ng-template pTemplate="header">
|
||||||
|
<tr>
|
||||||
|
<th>
|
||||||
|
<div class="table-header-label">
|
||||||
|
<div class="table-header-text">{{'common.description' | translate}}</div>
|
||||||
|
</div>
|
||||||
|
</th>
|
||||||
|
|
||||||
|
<th>
|
||||||
|
<div class="table-header-label">
|
||||||
|
<div class="table-header-text">{{'common.author' | translate}}</div>
|
||||||
|
</div>
|
||||||
|
</th>
|
||||||
|
|
||||||
|
<th>
|
||||||
|
<div class="table-header-label">
|
||||||
|
<div class="table-header-text">{{'common.created_at' | translate}}</div>
|
||||||
|
</div>
|
||||||
|
</th>
|
||||||
|
|
||||||
|
<th class="table-header-actions">
|
||||||
|
<div class="table-header-label">
|
||||||
|
<div class="table-header-text">{{'common.actions' | translate}}</div>
|
||||||
|
</div>
|
||||||
|
</th>
|
||||||
|
</tr>
|
||||||
|
</ng-template>
|
||||||
|
<ng-template pTemplate="body" let-value let-editing="editing" let-ri="rowIndex">
|
||||||
|
<tr [pEditableRow]="value">
|
||||||
|
<td>
|
||||||
|
<p-cellEditor>
|
||||||
|
<ng-template pTemplate="input">
|
||||||
|
<input class="table-edit-input" pInputText type="text" [(ngModel)]="value.description">
|
||||||
|
</ng-template>
|
||||||
|
<ng-template pTemplate="output">
|
||||||
|
{{value.description}}
|
||||||
|
</ng-template>
|
||||||
|
</p-cellEditor>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<p-cellEditor>
|
||||||
|
<ng-template pTemplate="input">
|
||||||
|
{{value.author?.name}}
|
||||||
|
</ng-template>
|
||||||
|
<ng-template pTemplate="output">
|
||||||
|
{{value.author?.name}}
|
||||||
|
</ng-template>
|
||||||
|
</p-cellEditor>
|
||||||
|
</td>
|
||||||
|
|
||||||
|
<td>
|
||||||
|
<span class="p-column-title">{{'common.created_at' | translate}}:</span>
|
||||||
|
<p-cellEditor>
|
||||||
|
<ng-template pTemplate="input">
|
||||||
|
{{value.createdAt | date:'dd.MM.yy HH:mm'}}
|
||||||
|
</ng-template>
|
||||||
|
<ng-template pTemplate="output">
|
||||||
|
{{value.createdAt | date:'dd.MM.yy HH:mm'}}
|
||||||
|
</ng-template>
|
||||||
|
</p-cellEditor>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<div class="btn-wrapper">
|
||||||
|
<button *ngIf="!editing" pButton type="button" class="btn danger-icon-btn" icon="pi pi-trash" (click)="deleteUserWarning(ri)"></button>
|
||||||
|
|
||||||
|
<button *ngIf="editing" pButton type="button" pSaveEditableRow class="btn icon-btn" icon="pi pi-check" (click)="editSaveUserWarning(value, ri)"></button>
|
||||||
|
<button *ngIf="editing" pButton type="button" pCancelEditableRow class="btn danger-icon-btn" icon="pi pi-times"
|
||||||
|
(click)="editCancelUserWarning(ri)"></button>
|
||||||
|
</div>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
</ng-template>
|
||||||
|
</p-table>
|
||||||
|
<br>
|
||||||
|
</div>
|
||||||
|
|
||||||
<div class="content-divider"></div>
|
<div class="content-divider"></div>
|
||||||
|
|
||||||
<p-panel header="{{'view.server.profile.achievements.header' | translate}}" [toggleable]="true">
|
<p-panel header="{{'view.server.profile.achievements.header' | translate}}" [toggleable]="true" [collapsed]="true"
|
||||||
|
(onBeforeToggle)="onBeforeToggle($event.event, $event.collapsed)">
|
||||||
<div *ngFor="let achievement of user.achievements;">
|
<div *ngFor="let achievement of user.achievements;">
|
||||||
<div class="content-row">
|
<div class="content-row">
|
||||||
<div class="content-column">
|
<div class="content-column">
|
||||||
@ -86,6 +180,11 @@
|
|||||||
<div class="content-data-value">{{achievement.name}}</div>
|
<div class="content-data-value">{{achievement.name}}</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<div class="content-column">
|
||||||
|
<div class="content-data-name">{{'common.description' | translate}}:</div>
|
||||||
|
<div class="content-data-value">{{achievement.description}}</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
<div class="content-column">
|
<div class="content-column">
|
||||||
<div class="content-data-name">{{'view.server.profile.achievements.time' | translate}}:</div>
|
<div class="content-data-name">{{'view.server.profile.achievements.time' | translate}}:</div>
|
||||||
<div class="content-data-value">{{achievement.createdAt | date:'dd.MM.yyyy HH:mm:ss'}}</div>
|
<div class="content-data-value">{{achievement.createdAt | date:'dd.MM.yyyy HH:mm:ss'}}</div>
|
||||||
@ -94,7 +193,8 @@
|
|||||||
</div>
|
</div>
|
||||||
</p-panel>
|
</p-panel>
|
||||||
|
|
||||||
<p-panel header="{{'view.server.profile.joined_voice_channel.header' | translate}}" [toggleable]="true">
|
<p-panel header="{{'view.server.profile.joined_voice_channel.header' | translate}}" [toggleable]="true" [collapsed]="true"
|
||||||
|
(onBeforeToggle)="onBeforeToggle($event.event, $event.collapsed)">
|
||||||
<div *ngFor="let join of user.joinedVoiceChannels;">
|
<div *ngFor="let join of user.joinedVoiceChannels;">
|
||||||
<div class="content-row">
|
<div class="content-row">
|
||||||
<div class="content-column">
|
<div class="content-column">
|
||||||
@ -120,7 +220,8 @@
|
|||||||
</div>
|
</div>
|
||||||
</p-panel>
|
</p-panel>
|
||||||
|
|
||||||
<p-panel header="{{'view.server.profile.joined_game_server.header' | translate}}" [toggleable]="true">
|
<p-panel header="{{'view.server.profile.joined_game_server.header' | translate}}" [toggleable]="true" [collapsed]="true"
|
||||||
|
(onBeforeToggle)="onBeforeToggle($event.event, $event.collapsed)">
|
||||||
<div *ngFor="let join of user.userJoinedGameServers;">
|
<div *ngFor="let join of user.userJoinedGameServers;">
|
||||||
<div class="content-row">
|
<div class="content-row">
|
||||||
<div class="content-column">
|
<div class="content-column">
|
||||||
@ -161,5 +262,12 @@
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</p-panel>
|
</p-panel>
|
||||||
|
|
||||||
|
<div class="content-divider"></div>
|
||||||
|
|
||||||
|
<div class="content-row">
|
||||||
|
<button pButton icon="pi pi-save" label="{{'common.save' | translate}}" class="btn login-form-submit-btn"
|
||||||
|
(click)="updateUser()"></button>
|
||||||
|
</div>
|
||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
import { Component, OnDestroy, OnInit } from "@angular/core";
|
import { Component, OnDestroy, OnInit } from "@angular/core";
|
||||||
import { ActivatedRoute, Router } from "@angular/router";
|
import { ActivatedRoute, Router } from "@angular/router";
|
||||||
import { Queries } from "../../../../models/graphql/queries.model";
|
import { Queries } from "../../../../models/graphql/queries.model";
|
||||||
import { UserListQuery } from "../../../../models/graphql/query.model";
|
import { UserListQuery, UserWarningQuery } from "../../../../models/graphql/query.model";
|
||||||
import { SpinnerService } from "../../../../services/spinner/spinner.service";
|
import { SpinnerService } from "../../../../services/spinner/spinner.service";
|
||||||
import { DataService } from "../../../../services/data/data.service";
|
import { DataService } from "../../../../services/data/data.service";
|
||||||
import { User } from "../../../../models/data/user.model";
|
import { User } from "../../../../models/data/user.model";
|
||||||
@ -10,8 +10,13 @@ import { AuthService } from "src/app/services/auth/auth.service";
|
|||||||
import { ToastService } from "src/app/services/toast/toast.service";
|
import { ToastService } from "src/app/services/toast/toast.service";
|
||||||
import { TranslateService } from "@ngx-translate/core";
|
import { TranslateService } from "@ngx-translate/core";
|
||||||
import { Server } from "../../../../models/data/server.model";
|
import { Server } from "../../../../models/data/server.model";
|
||||||
import { Subject } from "rxjs";
|
import { forkJoin, Subject, throwError } from "rxjs";
|
||||||
import { takeUntil } from "rxjs/operators";
|
import { catchError, takeUntil } from "rxjs/operators";
|
||||||
|
import { Table } from "primeng/table";
|
||||||
|
import { UserWarning } from "../../../../models/data/user_warning.model";
|
||||||
|
import { LevelMutationResult, UpdateUserMutationResult, UserWarningMutationResult } from "../../../../models/graphql/result.model";
|
||||||
|
import { Mutations } from "../../../../models/graphql/mutations.model";
|
||||||
|
import { ConfirmationDialogService } from "../../../../services/confirmation-dialog/confirmation-dialog.service";
|
||||||
|
|
||||||
@Component({
|
@Component({
|
||||||
selector: "app-profile",
|
selector: "app-profile",
|
||||||
@ -22,6 +27,10 @@ export class ProfileComponent implements OnInit, OnDestroy {
|
|||||||
|
|
||||||
user: User = { createdAt: "", modifiedAt: "" };
|
user: User = { createdAt: "", modifiedAt: "" };
|
||||||
private server: Server = {};
|
private server: Server = {};
|
||||||
|
private author?: UserDTO;
|
||||||
|
private clonedUserWarnings: UserWarning[] = [];
|
||||||
|
public isEditingNewUserWarning: boolean = false;
|
||||||
|
public isEditing: boolean = false;
|
||||||
|
|
||||||
private unsubscriber = new Subject<void>();
|
private unsubscriber = new Subject<void>();
|
||||||
|
|
||||||
@ -32,11 +41,16 @@ export class ProfileComponent implements OnInit, OnDestroy {
|
|||||||
private data: DataService,
|
private data: DataService,
|
||||||
private auth: AuthService,
|
private auth: AuthService,
|
||||||
private toast: ToastService,
|
private toast: ToastService,
|
||||||
private translate: TranslateService
|
private translate: TranslateService,
|
||||||
|
private toastService: ToastService
|
||||||
) {
|
) {
|
||||||
}
|
}
|
||||||
|
|
||||||
public ngOnInit(): void {
|
public ngOnInit(): void {
|
||||||
|
this.loadProfile();
|
||||||
|
}
|
||||||
|
|
||||||
|
private loadProfile() {
|
||||||
this.route.params.pipe(takeUntil(this.unsubscriber)).subscribe(params => {
|
this.route.params.pipe(takeUntil(this.unsubscriber)).subscribe(params => {
|
||||||
this.data.getServerFromRoute(this.route).then(async (server) => {
|
this.data.getServerFromRoute(this.route).then(async (server) => {
|
||||||
if (!params["memberId"] || params["memberId"] == "undefined") {
|
if (!params["memberId"] || params["memberId"] == "undefined") {
|
||||||
@ -54,27 +68,155 @@ export class ProfileComponent implements OnInit, OnDestroy {
|
|||||||
await this.router.navigate(["/server", server.id]);
|
await this.router.navigate(["/server", server.id]);
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
this.author = user;
|
||||||
|
|
||||||
this.data.query<UserListQuery>(Queries.userProfile, {
|
this.data.query<UserListQuery>(Queries.userProfile, {
|
||||||
serverId: this.server.id,
|
serverId: this.server.id,
|
||||||
userId: params["memberId"]
|
userId: params["memberId"]
|
||||||
},
|
|
||||||
(x: { servers: Server[] }) => {
|
|
||||||
return x.servers[0];
|
|
||||||
}
|
}
|
||||||
).subscribe(users => {
|
).subscribe(users => {
|
||||||
if (!users.users[0]) {
|
if (!users.users[0]) {
|
||||||
this.router.navigate([`/server/${server.id}`]);
|
this.router.navigate([`/server/${server.id}`]);
|
||||||
}
|
}
|
||||||
this.user = users.users[0];
|
this.user = users.users[0];
|
||||||
this.spinner.hideSpinner();
|
|
||||||
|
this.data.query<UserWarningQuery>(Queries.userProfileWarnings, {
|
||||||
|
serverId: this.server.id,
|
||||||
|
userId: this.user.id
|
||||||
|
},
|
||||||
|
(data: UserListQuery) => {
|
||||||
|
return data.users[0];
|
||||||
|
}
|
||||||
|
).subscribe(result => {
|
||||||
|
this.user.userWarningCount = result.userWarningCount;
|
||||||
|
this.user.userWarnings = result.userWarnings;
|
||||||
|
console.log(result);
|
||||||
|
|
||||||
|
this.spinner.hideSpinner();
|
||||||
|
});
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public updateUser() {
|
||||||
|
this.spinner.showSpinner();
|
||||||
|
this.spinner.showSpinner();
|
||||||
|
this.data.mutation<UpdateUserMutationResult>(Mutations.updateUser, {
|
||||||
|
id: this.user.id,
|
||||||
|
xp: this.user.xp,
|
||||||
|
levelId: this.user.level?.id,
|
||||||
|
userWarnings: this.user.userWarnings?.map(userWarning => {
|
||||||
|
return {
|
||||||
|
id: userWarning.id,
|
||||||
|
user: userWarning.user?.id ?? this.user.id,
|
||||||
|
description: userWarning.description,
|
||||||
|
author: userWarning.author?.id ?? this.author?.id
|
||||||
|
}
|
||||||
|
})
|
||||||
|
}
|
||||||
|
).pipe(catchError(err => {
|
||||||
|
this.spinner.hideSpinner();
|
||||||
|
return throwError(err);
|
||||||
|
})).subscribe(_ => {
|
||||||
|
this.spinner.hideSpinner();
|
||||||
|
this.toastService.success(this.translate.instant("view.server.members.message.user_changed"), this.translate.instant("view.server.members.message.user_changed_d", { name: this.user.name }));
|
||||||
|
this.loadProfile();
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
public ngOnDestroy(): void {
|
public ngOnDestroy(): void {
|
||||||
this.unsubscriber.next();
|
this.unsubscriber.next();
|
||||||
this.unsubscriber.complete();
|
this.unsubscriber.complete();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
public onBeforeToggle(event: Event, collapsed: boolean) {
|
||||||
|
const filterUser = (x: { users: User[] }) => {
|
||||||
|
const users = x.users ?? [];
|
||||||
|
return users[0];
|
||||||
|
};
|
||||||
|
|
||||||
|
if (collapsed) {
|
||||||
|
this.spinner.showSpinner();
|
||||||
|
forkJoin([
|
||||||
|
this.data.query<User>(Queries.userProfileAchievements, {
|
||||||
|
serverId: this.server.id,
|
||||||
|
userId: this.user.id
|
||||||
|
},
|
||||||
|
filterUser
|
||||||
|
),
|
||||||
|
this.data.query<User>(Queries.userProfileVoiceChannelJoins, {
|
||||||
|
serverId: this.server.id,
|
||||||
|
userId: this.user.id
|
||||||
|
},
|
||||||
|
filterUser
|
||||||
|
),
|
||||||
|
this.data.query<User>(Queries.userProfileGameserverJoins, {
|
||||||
|
serverId: this.server.id,
|
||||||
|
userId: this.user.id
|
||||||
|
},
|
||||||
|
filterUser
|
||||||
|
)
|
||||||
|
]).subscribe(data => {
|
||||||
|
this.user.achievementCount = data[0].achievementCount;
|
||||||
|
this.user.achievements = data[0].achievements;
|
||||||
|
|
||||||
|
this.user.joinedVoiceChannelCount = data[1].joinedVoiceChannelCount;
|
||||||
|
this.user.joinedVoiceChannels = data[1].joinedVoiceChannels;
|
||||||
|
|
||||||
|
this.user.userJoinedGameServerCount = data[2].userJoinedGameServerCount;
|
||||||
|
this.user.userJoinedGameServers = data[2].userJoinedGameServers;
|
||||||
|
this.spinner.hideSpinner();
|
||||||
|
});
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
this.user.achievementCount = 0;
|
||||||
|
this.user.achievements = [];
|
||||||
|
|
||||||
|
this.user.userJoinedGameServerCount = 0;
|
||||||
|
this.user.userJoinedGameServers = [];
|
||||||
|
|
||||||
|
this.user.joinedVoiceChannelCount = 0;
|
||||||
|
this.user.joinedVoiceChannels = [];
|
||||||
|
}
|
||||||
|
|
||||||
|
addNewUserWarning(table: Table) {
|
||||||
|
const newWarning: UserWarning = {
|
||||||
|
description: "",
|
||||||
|
user: this.user
|
||||||
|
};
|
||||||
|
|
||||||
|
this.user.userWarnings = [newWarning, ...this.user.userWarnings ?? []];
|
||||||
|
|
||||||
|
table.initRowEdit(newWarning);
|
||||||
|
|
||||||
|
const index = this.user.userWarnings.findIndex(l => l.id == newWarning.id);
|
||||||
|
this.onRowEditInit(table, newWarning, index);
|
||||||
|
|
||||||
|
this.isEditingNewUserWarning = true;
|
||||||
|
}
|
||||||
|
|
||||||
|
public onRowEditInit(table: Table, user: User, index: number): void {
|
||||||
|
this.clonedUserWarnings[index] = { ...user };
|
||||||
|
}
|
||||||
|
|
||||||
|
deleteUserWarning(index: number) {
|
||||||
|
this.user.userWarnings?.splice(index, 1);
|
||||||
|
}
|
||||||
|
|
||||||
|
editSaveUserWarning(value: any, index: number) {
|
||||||
|
this.isEditingNewUserWarning = false;
|
||||||
|
if (!value.value || !this.user.userWarnings || this.user.userWarnings[index] == this.clonedUserWarnings[index]) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
delete this.clonedUserWarnings[index];
|
||||||
|
}
|
||||||
|
|
||||||
|
editCancelUserWarning(index: number) {
|
||||||
|
if (this.user.userWarnings) {
|
||||||
|
this.user.userWarnings[index] = this.clonedUserWarnings[index];
|
||||||
|
}
|
||||||
|
delete this.clonedUserWarnings[index];
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
@ -1,12 +1,11 @@
|
|||||||
import { NgModule } from '@angular/core';
|
import { NgModule } from "@angular/core";
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule } from "@angular/common";
|
||||||
import { ServerDashboardComponent } from './server-dashboard/server-dashboard.component';
|
import { ServerDashboardComponent } from "./server-dashboard/server-dashboard.component";
|
||||||
import { ServerRoutingModule } from './server-routing.module';
|
import { ServerRoutingModule } from "./server-routing.module";
|
||||||
import { SharedModule } from '../../shared/shared.module';
|
import { SharedModule } from "../../shared/shared.module";
|
||||||
import { ProfileComponent } from './profile/profile.component';
|
import { ProfileComponent } from "./profile/profile.component";
|
||||||
import { MembersComponent } from './members/members.component';
|
import { MembersComponent } from "./members/members.component";
|
||||||
import { ClientComponent } from './server-dashboard/components/client/client.component';
|
import { ClientComponent } from "./server-dashboard/components/client/client.component";
|
||||||
|
|
||||||
|
|
||||||
|
|
||||||
@NgModule({
|
@NgModule({
|
||||||
|
@ -194,7 +194,6 @@ export class SidebarService {
|
|||||||
let user: UserDTO | null = authUser?.users?.find(u => u.server == this.server?.id) ?? null;
|
let user: UserDTO | null = authUser?.users?.find(u => u.server == this.server?.id) ?? null;
|
||||||
let isTechnician = (authUser?.users?.map(u => u.isTechnician).filter(u => u) ?? []).length > 0;
|
let isTechnician = (authUser?.users?.map(u => u.isTechnician).filter(u => u) ?? []).length > 0;
|
||||||
let isTechnicianAndFullAccessActive = this.hasFeature("TechnicianFullAccess") && isTechnician;
|
let isTechnicianAndFullAccessActive = this.hasFeature("TechnicianFullAccess") && isTechnician;
|
||||||
console.log(this.hasFeature("TechnicianFullAccess"))
|
|
||||||
|
|
||||||
if (build || this.menuItems$.value.length == 0) {
|
if (build || this.menuItems$.value.length == 0) {
|
||||||
await this.buildMenu(user, hasPermission, isTechnician);
|
await this.buildMenu(user, hasPermission, isTechnician);
|
||||||
|
@ -122,6 +122,8 @@
|
|||||||
}
|
}
|
||||||
},
|
},
|
||||||
"common": {
|
"common": {
|
||||||
|
"user_warnings": "Verwarnungen",
|
||||||
|
"author": "Autor",
|
||||||
"404": "404 - Der Eintrag konnte nicht gefunden werden",
|
"404": "404 - Der Eintrag konnte nicht gefunden werden",
|
||||||
"actions": "Aktionen",
|
"actions": "Aktionen",
|
||||||
"active": "Aktiv",
|
"active": "Aktiv",
|
||||||
|
@ -1,7 +1,7 @@
|
|||||||
{
|
{
|
||||||
"WebVersion": {
|
"WebVersion": {
|
||||||
"Major": "1",
|
"Major": "1",
|
||||||
"Minor": "1",
|
"Minor": "1",
|
||||||
"Micro": "10"
|
"Micro": "dev402"
|
||||||
}
|
}
|
||||||
}
|
}
|
@ -201,10 +201,10 @@ header {
|
|||||||
|
|
||||||
font-size: 18px;
|
font-size: 18px;
|
||||||
}
|
}
|
||||||
|
}
|
||||||
|
|
||||||
.content-divider {
|
.content-divider {
|
||||||
margin: 5px 0;
|
margin: 10px 0;
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
p-panel {
|
p-panel {
|
||||||
@ -493,7 +493,7 @@ header {
|
|||||||
}
|
}
|
||||||
|
|
||||||
.content-divider {
|
.content-divider {
|
||||||
margin: 5px 0;
|
margin: 10px 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
.content-input-field {
|
.content-input-field {
|
||||||
|
@ -20,7 +20,8 @@
|
|||||||
background-color: $primaryBackgroundColor;
|
background-color: $primaryBackgroundColor;
|
||||||
|
|
||||||
h1,
|
h1,
|
||||||
h2 {
|
h2,
|
||||||
|
h3 {
|
||||||
color: $primaryHeaderColor;
|
color: $primaryHeaderColor;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -20,7 +20,8 @@
|
|||||||
background-color: $primaryBackgroundColor;
|
background-color: $primaryBackgroundColor;
|
||||||
|
|
||||||
h1,
|
h1,
|
||||||
h2 {
|
h2,
|
||||||
|
h3 {
|
||||||
color: $primaryHeaderColor;
|
color: $primaryHeaderColor;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -21,7 +21,8 @@
|
|||||||
|
|
||||||
|
|
||||||
h1,
|
h1,
|
||||||
h2 {
|
h2,
|
||||||
|
h3 {
|
||||||
color: $primaryHeaderColor;
|
color: $primaryHeaderColor;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -20,7 +20,8 @@
|
|||||||
background-color: $primaryBackgroundColor;
|
background-color: $primaryBackgroundColor;
|
||||||
|
|
||||||
h1,
|
h1,
|
||||||
h2 {
|
h2,
|
||||||
|
h3 {
|
||||||
color: $primaryHeaderColor;
|
color: $primaryHeaderColor;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
Loading…
Reference in New Issue
Block a user