Compare commits
4 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
c81143ecdc
|
|||
|
2b7950f5dc
|
|||
|
c554479604
|
|||
|
8e7a540c97
|
@@ -271,6 +271,65 @@ func (h APIHandler) GetMessage(pctx ginext.PreContext) ginext.HTTPResponse {
|
|||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// ListMessageDeliveries swaggerdoc
|
||||||
|
//
|
||||||
|
// @Summary List deliveries for a message
|
||||||
|
// @Description The user must own the channel and request the resource with the ADMIN Key
|
||||||
|
// @ID api-messages-deliveries
|
||||||
|
// @Tags API-v2
|
||||||
|
//
|
||||||
|
// @Param mid path string true "MessageID"
|
||||||
|
//
|
||||||
|
// @Success 200 {object} handler.ListMessageDeliveries.response
|
||||||
|
// @Failure 400 {object} ginresp.apiError "supplied values/parameters cannot be parsed / are invalid"
|
||||||
|
// @Failure 401 {object} ginresp.apiError "user is not authorized / has missing permissions"
|
||||||
|
// @Failure 404 {object} ginresp.apiError "message not found"
|
||||||
|
// @Failure 500 {object} ginresp.apiError "internal server error"
|
||||||
|
//
|
||||||
|
// @Router /api/v2/messages/{mid}/deliveries [GET]
|
||||||
|
func (h APIHandler) ListMessageDeliveries(pctx ginext.PreContext) ginext.HTTPResponse {
|
||||||
|
type uri struct {
|
||||||
|
MessageID models.MessageID `uri:"mid" binding:"entityid"`
|
||||||
|
}
|
||||||
|
type response struct {
|
||||||
|
Deliveries []models.Delivery `json:"deliveries"`
|
||||||
|
}
|
||||||
|
|
||||||
|
var u uri
|
||||||
|
ctx, g, errResp := pctx.URI(&u).Start()
|
||||||
|
if errResp != nil {
|
||||||
|
return *errResp
|
||||||
|
}
|
||||||
|
defer ctx.Cancel()
|
||||||
|
|
||||||
|
return h.app.DoRequest(ctx, g, models.TLockRead, func(ctx *logic.AppContext, finishSuccess func(r ginext.HTTPResponse) ginext.HTTPResponse) ginext.HTTPResponse {
|
||||||
|
|
||||||
|
if permResp := ctx.CheckPermissionAny(); permResp != nil {
|
||||||
|
return *permResp
|
||||||
|
}
|
||||||
|
|
||||||
|
msg, err := h.database.GetMessage(ctx, u.MessageID, false)
|
||||||
|
if errors.Is(err, sql.ErrNoRows) {
|
||||||
|
return ginresp.APIError(g, 404, apierr.MESSAGE_NOT_FOUND, "message not found", err)
|
||||||
|
}
|
||||||
|
if err != nil {
|
||||||
|
return ginresp.APIError(g, 500, apierr.DATABASE_ERROR, "Failed to query message", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
// User must own the channel and have admin key
|
||||||
|
if permResp := ctx.CheckPermissionUserAdmin(msg.ChannelOwnerUserID); permResp != nil {
|
||||||
|
return *permResp
|
||||||
|
}
|
||||||
|
|
||||||
|
deliveries, err := h.database.ListDeliveriesOfMessage(ctx, msg.MessageID)
|
||||||
|
if err != nil {
|
||||||
|
return ginresp.APIError(g, 500, apierr.DATABASE_ERROR, "Failed to query deliveries", err)
|
||||||
|
}
|
||||||
|
|
||||||
|
return finishSuccess(ginext.JSON(http.StatusOK, response{Deliveries: deliveries}))
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
// DeleteMessage swaggerdoc
|
// DeleteMessage swaggerdoc
|
||||||
//
|
//
|
||||||
// @Summary Delete a single message
|
// @Summary Delete a single message
|
||||||
|
|||||||
@@ -164,6 +164,7 @@ func (r *Router) Init(e *ginext.GinWrapper) error {
|
|||||||
apiv2.GET("/messages").Handle(r.apiHandler.ListMessages)
|
apiv2.GET("/messages").Handle(r.apiHandler.ListMessages)
|
||||||
apiv2.GET("/messages/:mid").Handle(r.apiHandler.GetMessage)
|
apiv2.GET("/messages/:mid").Handle(r.apiHandler.GetMessage)
|
||||||
apiv2.DELETE("/messages/:mid").Handle(r.apiHandler.DeleteMessage)
|
apiv2.DELETE("/messages/:mid").Handle(r.apiHandler.DeleteMessage)
|
||||||
|
apiv2.GET("/messages/:mid/deliveries").Handle(r.apiHandler.ListMessageDeliveries)
|
||||||
|
|
||||||
apiv2.GET("/sender-names").Handle(r.apiHandler.ListSenderNames)
|
apiv2.GET("/sender-names").Handle(r.apiHandler.ListSenderNames)
|
||||||
|
|
||||||
|
|||||||
@@ -1,12 +1,13 @@
|
|||||||
package primary
|
package primary
|
||||||
|
|
||||||
import (
|
import (
|
||||||
|
"time"
|
||||||
|
|
||||||
scn "blackforestbytes.com/simplecloudnotifier"
|
scn "blackforestbytes.com/simplecloudnotifier"
|
||||||
"blackforestbytes.com/simplecloudnotifier/db"
|
"blackforestbytes.com/simplecloudnotifier/db"
|
||||||
"blackforestbytes.com/simplecloudnotifier/models"
|
"blackforestbytes.com/simplecloudnotifier/models"
|
||||||
"git.blackforestbytes.com/BlackForestBytes/goext/langext"
|
"git.blackforestbytes.com/BlackForestBytes/goext/langext"
|
||||||
"git.blackforestbytes.com/BlackForestBytes/goext/sq"
|
"git.blackforestbytes.com/BlackForestBytes/goext/sq"
|
||||||
"time"
|
|
||||||
)
|
)
|
||||||
|
|
||||||
func (db *Database) CreateRetryDelivery(ctx db.TxContext, client models.Client, msg models.Message) (models.Delivery, error) {
|
func (db *Database) CreateRetryDelivery(ctx db.TxContext, client models.Client, msg models.Message) (models.Delivery, error) {
|
||||||
@@ -182,3 +183,12 @@ func (db *Database) DeleteDeliveriesOfChannel(ctx db.TxContext, channelid models
|
|||||||
|
|
||||||
return nil
|
return nil
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func (db *Database) ListDeliveriesOfMessage(ctx db.TxContext, messageID models.MessageID) ([]models.Delivery, error) {
|
||||||
|
tx, err := ctx.GetOrCreateTransaction(db)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
return sq.QueryAll[models.Delivery](ctx, tx, "SELECT * FROM deliveries WHERE message_id = :mid AND deleted=0 ORDER BY timestamp_created ASC", sq.PP{"mid": messageID}, sq.SModeExtended, sq.Safe)
|
||||||
|
}
|
||||||
|
|||||||
@@ -1552,3 +1552,111 @@ func TestListMessagesPaginatedDirectInvalidToken(t *testing.T) {
|
|||||||
// Test invalid paginated token (float)
|
// Test invalid paginated token (float)
|
||||||
tt.RequestAuthGetShouldFail(t, data.User[16].AdminKey, baseUrl, fmt.Sprintf("/api/v2/messages?page_size=%d&next_page_token=%s", 10, "$1.5"), 400, apierr.PAGETOKEN_ERROR)
|
tt.RequestAuthGetShouldFail(t, data.User[16].AdminKey, baseUrl, fmt.Sprintf("/api/v2/messages?page_size=%d&next_page_token=%s", 10, "$1.5"), 400, apierr.PAGETOKEN_ERROR)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
func TestListMessageDeliveries(t *testing.T) {
|
||||||
|
_, baseUrl, stop := tt.StartSimpleWebserver(t)
|
||||||
|
defer stop()
|
||||||
|
|
||||||
|
r0 := tt.RequestPost[gin.H](t, baseUrl, "/api/v2/users", gin.H{
|
||||||
|
"agent_model": "DUMMY_PHONE",
|
||||||
|
"agent_version": "4X",
|
||||||
|
"client_type": "ANDROID",
|
||||||
|
"fcm_token": "DUMMY_FCM",
|
||||||
|
})
|
||||||
|
|
||||||
|
sendtok := r0["send_key"].(string)
|
||||||
|
admintok := r0["admin_key"].(string)
|
||||||
|
|
||||||
|
msg1 := tt.RequestPost[gin.H](t, baseUrl, "/", gin.H{
|
||||||
|
"key": sendtok,
|
||||||
|
"title": "Message_1",
|
||||||
|
})
|
||||||
|
|
||||||
|
type delivery struct {
|
||||||
|
DeliveryID string `json:"delivery_id"`
|
||||||
|
MessageID string `json:"message_id"`
|
||||||
|
ReceiverUserID string `json:"receiver_user_id"`
|
||||||
|
ReceiverClientID string `json:"receiver_client_id"`
|
||||||
|
Status string `json:"status"`
|
||||||
|
RetryCount int `json:"retry_count"`
|
||||||
|
TimestampCreated string `json:"timestamp_created"`
|
||||||
|
FCMMessageID *string `json:"fcm_message_id"`
|
||||||
|
}
|
||||||
|
type deliveryList struct {
|
||||||
|
Deliveries []delivery `json:"deliveries"`
|
||||||
|
}
|
||||||
|
|
||||||
|
deliveries := tt.RequestAuthGet[deliveryList](t, admintok, baseUrl, "/api/v2/messages/"+fmt.Sprintf("%v", msg1["scn_msg_id"])+"/deliveries")
|
||||||
|
|
||||||
|
tt.AssertTrue(t, "deliveries.len >= 1", len(deliveries.Deliveries) >= 1)
|
||||||
|
tt.AssertEqual(t, "deliveries[0].message_id", fmt.Sprintf("%v", msg1["scn_msg_id"]), deliveries.Deliveries[0].MessageID)
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestListMessageDeliveriesNotFound(t *testing.T) {
|
||||||
|
ws, baseUrl, stop := tt.StartSimpleWebserver(t)
|
||||||
|
defer stop()
|
||||||
|
|
||||||
|
data := tt.InitDefaultData(t, ws)
|
||||||
|
|
||||||
|
tt.RequestAuthGetShouldFail(t, data.User[0].AdminKey, baseUrl, "/api/v2/messages/"+models.NewMessageID().String()+"/deliveries", 404, apierr.MESSAGE_NOT_FOUND)
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestListMessageDeliveriesNoAuth(t *testing.T) {
|
||||||
|
_, baseUrl, stop := tt.StartSimpleWebserver(t)
|
||||||
|
defer stop()
|
||||||
|
|
||||||
|
r0 := tt.RequestPost[gin.H](t, baseUrl, "/api/v2/users", gin.H{
|
||||||
|
"agent_model": "DUMMY_PHONE",
|
||||||
|
"agent_version": "4X",
|
||||||
|
"client_type": "ANDROID",
|
||||||
|
"fcm_token": "DUMMY_FCM",
|
||||||
|
})
|
||||||
|
|
||||||
|
sendtok := r0["send_key"].(string)
|
||||||
|
|
||||||
|
msg1 := tt.RequestPost[gin.H](t, baseUrl, "/", gin.H{
|
||||||
|
"key": sendtok,
|
||||||
|
"title": "Message_1",
|
||||||
|
})
|
||||||
|
|
||||||
|
tt.RequestGetShouldFail(t, baseUrl, "/api/v2/messages/"+fmt.Sprintf("%v", msg1["scn_msg_id"])+"/deliveries", 401, apierr.USER_AUTH_FAILED)
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestListMessageDeliveriesNonAdminKey(t *testing.T) {
|
||||||
|
_, baseUrl, stop := tt.StartSimpleWebserver(t)
|
||||||
|
defer stop()
|
||||||
|
|
||||||
|
r0 := tt.RequestPost[gin.H](t, baseUrl, "/api/v2/users", gin.H{
|
||||||
|
"agent_model": "DUMMY_PHONE",
|
||||||
|
"agent_version": "4X",
|
||||||
|
"client_type": "ANDROID",
|
||||||
|
"fcm_token": "DUMMY_FCM",
|
||||||
|
})
|
||||||
|
|
||||||
|
sendtok := r0["send_key"].(string)
|
||||||
|
readtok := r0["read_key"].(string)
|
||||||
|
|
||||||
|
msg1 := tt.RequestPost[gin.H](t, baseUrl, "/", gin.H{
|
||||||
|
"key": sendtok,
|
||||||
|
"title": "Message_1",
|
||||||
|
})
|
||||||
|
|
||||||
|
// read key should fail (not admin)
|
||||||
|
tt.RequestAuthGetShouldFail(t, readtok, baseUrl, "/api/v2/messages/"+fmt.Sprintf("%v", msg1["scn_msg_id"])+"/deliveries", 401, apierr.USER_AUTH_FAILED)
|
||||||
|
}
|
||||||
|
|
||||||
|
func TestListMessageDeliveriesDifferentUserChannel(t *testing.T) {
|
||||||
|
ws, baseUrl, stop := tt.StartSimpleWebserver(t)
|
||||||
|
defer stop()
|
||||||
|
|
||||||
|
data := tt.InitDefaultData(t, ws)
|
||||||
|
|
||||||
|
// User 0 sends a message
|
||||||
|
msg1 := tt.RequestPost[gin.H](t, baseUrl, "/", gin.H{
|
||||||
|
"key": data.User[0].SendKey,
|
||||||
|
"title": "Message_from_user_0",
|
||||||
|
})
|
||||||
|
|
||||||
|
// User 1 tries to access deliveries of User 0's message - should fail
|
||||||
|
tt.RequestAuthGetShouldFail(t, data.User[1].AdminKey, baseUrl, "/api/v2/messages/"+fmt.Sprintf("%v", msg1["scn_msg_id"])+"/deliveries", 401, apierr.USER_AUTH_FAILED)
|
||||||
|
}
|
||||||
|
|||||||
50
webapp/CLAUDE.md
Normal file
50
webapp/CLAUDE.md
Normal file
@@ -0,0 +1,50 @@
|
|||||||
|
# CLAUDE.md
|
||||||
|
|
||||||
|
This file provides guidance to Claude Code (claude.ai/code) when working with code in this repository.
|
||||||
|
|
||||||
|
## Project Overview
|
||||||
|
|
||||||
|
This is the web application for SimpleCloudNotifier (SCN), a push notification service. It's an Angular 19 standalone component-based SPA using ng-zorro-antd (Ant Design) for UI components.
|
||||||
|
|
||||||
|
## Common Commands
|
||||||
|
|
||||||
|
- `npm start` - Start development server
|
||||||
|
- `npm run build` - Production build (outputs to `dist/scn-webapp`)
|
||||||
|
- `npm run watch` - Development build with watch mode
|
||||||
|
- `npm test` - Run tests with Karma
|
||||||
|
|
||||||
|
## Architecture
|
||||||
|
|
||||||
|
### Application Structure
|
||||||
|
|
||||||
|
The app follows a feature-based module organization with standalone components:
|
||||||
|
|
||||||
|
- `src/app/core/` - Singleton services, guards, interceptors, and data models
|
||||||
|
- `src/app/features/` - Feature modules (messages, channels, subscriptions, keys, clients, senders, account, auth)
|
||||||
|
- `src/app/shared/` - Reusable components, directives, and pipes
|
||||||
|
- `src/app/layout/` - Main layout component with sidebar navigation
|
||||||
|
|
||||||
|
### Key Patterns
|
||||||
|
|
||||||
|
**Authentication**: Uses a custom `SCN` token scheme. Credentials (user_id and admin_key) are stored in sessionStorage and attached via `authInterceptor`. The `authGuard` protects all routes except `/login`.
|
||||||
|
|
||||||
|
**API Communication**: All API calls go through `ApiService` (`src/app/core/services/api.service.ts`). The base URL is configured in `src/environments/environment.ts`.
|
||||||
|
|
||||||
|
**State Management**: Uses Angular signals throughout. No external state library - each component manages its own state with signals.
|
||||||
|
|
||||||
|
**Routing**: Lazy-loaded standalone components. All authenticated routes are children of `MainLayoutComponent`.
|
||||||
|
|
||||||
|
### Data Models
|
||||||
|
|
||||||
|
Models in `src/app/core/models/` correspond to SCN API entities:
|
||||||
|
- User, Message, Channel, Subscription, KeyToken, Client, SenderName
|
||||||
|
|
||||||
|
### UI Framework
|
||||||
|
|
||||||
|
Uses ng-zorro-antd with explicit icon imports in `app.config.ts`. Icons must be added to the `icons` array before use.
|
||||||
|
|
||||||
|
### Project Configuration
|
||||||
|
|
||||||
|
- SCSS for styling
|
||||||
|
- Strict TypeScript (`strict: true`)
|
||||||
|
- Component generation skips tests by default (configured in `angular.json`)
|
||||||
@@ -6,7 +6,7 @@ NAMESPACE=$(shell git rev-parse --abbrev-ref HEAD)
|
|||||||
HASH=$(shell git rev-parse HEAD)
|
HASH=$(shell git rev-parse HEAD)
|
||||||
|
|
||||||
run:
|
run:
|
||||||
. ${HOME}/.nvm/nvm.sh && nvm use && npm i && npm run dev
|
. ${HOME}/.nvm/nvm.sh && nvm use && npm i && npm run start
|
||||||
|
|
||||||
setup:
|
setup:
|
||||||
npm install
|
npm install
|
||||||
|
|||||||
@@ -39,6 +39,12 @@ import {
|
|||||||
InfoCircleOutline,
|
InfoCircleOutline,
|
||||||
ExclamationCircleOutline,
|
ExclamationCircleOutline,
|
||||||
CheckCircleOutline,
|
CheckCircleOutline,
|
||||||
|
UserAddOutline,
|
||||||
|
UserDeleteOutline,
|
||||||
|
PauseCircleOutline,
|
||||||
|
PlayCircleOutline,
|
||||||
|
StopOutline,
|
||||||
|
ArrowLeftOutline,
|
||||||
} from '@ant-design/icons-angular/icons';
|
} from '@ant-design/icons-angular/icons';
|
||||||
|
|
||||||
import { routes } from './app.routes';
|
import { routes } from './app.routes';
|
||||||
@@ -79,6 +85,12 @@ const icons: IconDefinition[] = [
|
|||||||
InfoCircleOutline,
|
InfoCircleOutline,
|
||||||
ExclamationCircleOutline,
|
ExclamationCircleOutline,
|
||||||
CheckCircleOutline,
|
CheckCircleOutline,
|
||||||
|
UserAddOutline,
|
||||||
|
UserDeleteOutline,
|
||||||
|
PauseCircleOutline,
|
||||||
|
PlayCircleOutline,
|
||||||
|
StopOutline,
|
||||||
|
ArrowLeftOutline,
|
||||||
];
|
];
|
||||||
|
|
||||||
export const appConfig: ApplicationConfig = {
|
export const appConfig: ApplicationConfig = {
|
||||||
|
|||||||
@@ -33,14 +33,26 @@ export const routes: Routes = [
|
|||||||
path: 'subscriptions',
|
path: 'subscriptions',
|
||||||
loadComponent: () => import('./features/subscriptions/subscription-list/subscription-list.component').then(m => m.SubscriptionListComponent)
|
loadComponent: () => import('./features/subscriptions/subscription-list/subscription-list.component').then(m => m.SubscriptionListComponent)
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
path: 'subscriptions/:id',
|
||||||
|
loadComponent: () => import('./features/subscriptions/subscription-detail/subscription-detail.component').then(m => m.SubscriptionDetailComponent)
|
||||||
|
},
|
||||||
{
|
{
|
||||||
path: 'keys',
|
path: 'keys',
|
||||||
loadComponent: () => import('./features/keys/key-list/key-list.component').then(m => m.KeyListComponent)
|
loadComponent: () => import('./features/keys/key-list/key-list.component').then(m => m.KeyListComponent)
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
path: 'keys/:id',
|
||||||
|
loadComponent: () => import('./features/keys/key-detail/key-detail.component').then(m => m.KeyDetailComponent)
|
||||||
|
},
|
||||||
{
|
{
|
||||||
path: 'clients',
|
path: 'clients',
|
||||||
loadComponent: () => import('./features/clients/client-list/client-list.component').then(m => m.ClientListComponent)
|
loadComponent: () => import('./features/clients/client-list/client-list.component').then(m => m.ClientListComponent)
|
||||||
},
|
},
|
||||||
|
{
|
||||||
|
path: 'clients/:id',
|
||||||
|
loadComponent: () => import('./features/clients/client-detail/client-detail.component').then(m => m.ClientDetailComponent)
|
||||||
|
},
|
||||||
{
|
{
|
||||||
path: 'senders',
|
path: 'senders',
|
||||||
loadComponent: () => import('./features/senders/sender-list/sender-list.component').then(m => m.SenderListComponent)
|
loadComponent: () => import('./features/senders/sender-list/sender-list.component').then(m => m.SenderListComponent)
|
||||||
|
|||||||
18
webapp/src/app/core/models/delivery.model.ts
Normal file
18
webapp/src/app/core/models/delivery.model.ts
Normal file
@@ -0,0 +1,18 @@
|
|||||||
|
export type DeliveryStatus = 'RETRY' | 'SUCCESS' | 'FAILED';
|
||||||
|
|
||||||
|
export interface Delivery {
|
||||||
|
delivery_id: string;
|
||||||
|
message_id: string;
|
||||||
|
receiver_user_id: string;
|
||||||
|
receiver_client_id: string;
|
||||||
|
timestamp_created: string;
|
||||||
|
timestamp_finalized: string | null;
|
||||||
|
status: DeliveryStatus;
|
||||||
|
retry_count: number;
|
||||||
|
next_delivery: string | null;
|
||||||
|
fcm_message_id: string | null;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface DeliveryListResponse {
|
||||||
|
deliveries: Delivery[];
|
||||||
|
}
|
||||||
@@ -5,4 +5,5 @@ export * from './subscription.model';
|
|||||||
export * from './key-token.model';
|
export * from './key-token.model';
|
||||||
export * from './client.model';
|
export * from './client.model';
|
||||||
export * from './sender-name.model';
|
export * from './sender-name.model';
|
||||||
|
export * from './delivery.model';
|
||||||
export * from './api-response.model';
|
export * from './api-response.model';
|
||||||
|
|||||||
@@ -23,6 +23,7 @@ export interface MessageListParams {
|
|||||||
search?: string;
|
search?: string;
|
||||||
sender?: string[];
|
sender?: string[];
|
||||||
subscription_status?: 'all' | 'confirmed' | 'unconfirmed';
|
subscription_status?: 'all' | 'confirmed' | 'unconfirmed';
|
||||||
|
used_key?: string;
|
||||||
trimmed?: boolean;
|
trimmed?: boolean;
|
||||||
page_size?: number;
|
page_size?: number;
|
||||||
next_page_token?: string;
|
next_page_token?: string;
|
||||||
|
|||||||
@@ -6,6 +6,7 @@ export interface Subscription {
|
|||||||
channel_internal_name: string;
|
channel_internal_name: string;
|
||||||
timestamp_created: string;
|
timestamp_created: string;
|
||||||
confirmed: boolean;
|
confirmed: boolean;
|
||||||
|
active: boolean;
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface SubscriptionFilter {
|
export interface SubscriptionFilter {
|
||||||
@@ -25,7 +26,8 @@ export interface CreateSubscriptionRequest {
|
|||||||
}
|
}
|
||||||
|
|
||||||
export interface ConfirmSubscriptionRequest {
|
export interface ConfirmSubscriptionRequest {
|
||||||
confirmed: boolean;
|
confirmed?: boolean;
|
||||||
|
active?: boolean;
|
||||||
}
|
}
|
||||||
|
|
||||||
export interface SubscriptionListResponse {
|
export interface SubscriptionListResponse {
|
||||||
|
|||||||
@@ -28,6 +28,7 @@ import {
|
|||||||
ClientListResponse,
|
ClientListResponse,
|
||||||
SenderNameStatistics,
|
SenderNameStatistics,
|
||||||
SenderNameListResponse,
|
SenderNameListResponse,
|
||||||
|
DeliveryListResponse,
|
||||||
} from '../models';
|
} from '../models';
|
||||||
|
|
||||||
@Injectable({
|
@Injectable({
|
||||||
@@ -152,6 +153,7 @@ export class ApiService {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
if (params.subscription_status) httpParams = httpParams.set('subscription_status', params.subscription_status);
|
if (params.subscription_status) httpParams = httpParams.set('subscription_status', params.subscription_status);
|
||||||
|
if (params.used_key) httpParams = httpParams.set('used_key', params.used_key);
|
||||||
if (params.trimmed !== undefined) httpParams = httpParams.set('trimmed', params.trimmed);
|
if (params.trimmed !== undefined) httpParams = httpParams.set('trimmed', params.trimmed);
|
||||||
if (params.page_size) httpParams = httpParams.set('page_size', params.page_size);
|
if (params.page_size) httpParams = httpParams.set('page_size', params.page_size);
|
||||||
if (params.next_page_token) httpParams = httpParams.set('next_page_token', params.next_page_token);
|
if (params.next_page_token) httpParams = httpParams.set('next_page_token', params.next_page_token);
|
||||||
@@ -167,6 +169,10 @@ export class ApiService {
|
|||||||
return this.http.delete<Message>(`${this.baseUrl}/messages/${messageId}`);
|
return this.http.delete<Message>(`${this.baseUrl}/messages/${messageId}`);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
getDeliveries(messageId: string): Observable<DeliveryListResponse> {
|
||||||
|
return this.http.get<DeliveryListResponse>(`${this.baseUrl}/messages/${messageId}/deliveries`);
|
||||||
|
}
|
||||||
|
|
||||||
// Subscription endpoints
|
// Subscription endpoints
|
||||||
getSubscriptions(userId: string, filter?: SubscriptionFilter): Observable<SubscriptionListResponse> {
|
getSubscriptions(userId: string, filter?: SubscriptionFilter): Observable<SubscriptionListResponse> {
|
||||||
let httpParams = new HttpParams();
|
let httpParams = new HttpParams();
|
||||||
|
|||||||
58
webapp/src/app/core/services/key-cache.service.ts
Normal file
58
webapp/src/app/core/services/key-cache.service.ts
Normal file
@@ -0,0 +1,58 @@
|
|||||||
|
import { Injectable, inject } from '@angular/core';
|
||||||
|
import { Observable, of, map, shareReplay, catchError } from 'rxjs';
|
||||||
|
import { ApiService } from './api.service';
|
||||||
|
import { AuthService } from './auth.service';
|
||||||
|
import { KeyToken } from '../models';
|
||||||
|
|
||||||
|
export interface ResolvedKey {
|
||||||
|
keyId: string;
|
||||||
|
name: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Injectable({
|
||||||
|
providedIn: 'root'
|
||||||
|
})
|
||||||
|
export class KeyCacheService {
|
||||||
|
private apiService = inject(ApiService);
|
||||||
|
private authService = inject(AuthService);
|
||||||
|
|
||||||
|
private keysCache$: Observable<Map<string, KeyToken>> | null = null;
|
||||||
|
|
||||||
|
resolveKey(keyId: string): Observable<ResolvedKey> {
|
||||||
|
return this.getKeysMap().pipe(
|
||||||
|
map(keysMap => {
|
||||||
|
const key = keysMap.get(keyId);
|
||||||
|
return {
|
||||||
|
keyId,
|
||||||
|
name: key?.name || keyId
|
||||||
|
};
|
||||||
|
})
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
|
private getKeysMap(): Observable<Map<string, KeyToken>> {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) {
|
||||||
|
return of(new Map());
|
||||||
|
}
|
||||||
|
|
||||||
|
if (!this.keysCache$) {
|
||||||
|
this.keysCache$ = this.apiService.getKeys(userId).pipe(
|
||||||
|
map(response => {
|
||||||
|
const map = new Map<string, KeyToken>();
|
||||||
|
for (const key of response.keys) {
|
||||||
|
map.set(key.keytoken_id, key);
|
||||||
|
}
|
||||||
|
return map;
|
||||||
|
}),
|
||||||
|
catchError(() => of(new Map())),
|
||||||
|
shareReplay(1)
|
||||||
|
);
|
||||||
|
}
|
||||||
|
return this.keysCache$;
|
||||||
|
}
|
||||||
|
|
||||||
|
clearCache(): void {
|
||||||
|
this.keysCache$ = null;
|
||||||
|
}
|
||||||
|
}
|
||||||
32
webapp/src/app/core/services/settings.service.ts
Normal file
32
webapp/src/app/core/services/settings.service.ts
Normal file
@@ -0,0 +1,32 @@
|
|||||||
|
import { Injectable, signal } from '@angular/core';
|
||||||
|
|
||||||
|
const EXPERT_MODE_KEY = 'scn_expert_mode';
|
||||||
|
|
||||||
|
@Injectable({
|
||||||
|
providedIn: 'root'
|
||||||
|
})
|
||||||
|
export class SettingsService {
|
||||||
|
private _expertMode = signal(false);
|
||||||
|
|
||||||
|
expertMode = this._expertMode.asReadonly();
|
||||||
|
|
||||||
|
constructor() {
|
||||||
|
this.loadFromStorage();
|
||||||
|
}
|
||||||
|
|
||||||
|
private loadFromStorage(): void {
|
||||||
|
const stored = localStorage.getItem(EXPERT_MODE_KEY);
|
||||||
|
if (stored === 'true') {
|
||||||
|
this._expertMode.set(true);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
setExpertMode(enabled: boolean): void {
|
||||||
|
localStorage.setItem(EXPERT_MODE_KEY, String(enabled));
|
||||||
|
this._expertMode.set(enabled);
|
||||||
|
}
|
||||||
|
|
||||||
|
toggleExpertMode(): void {
|
||||||
|
this.setExpertMode(!this._expertMode());
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -13,36 +13,36 @@
|
|||||||
</div>
|
</div>
|
||||||
} @else if (user()) {
|
} @else if (user()) {
|
||||||
<nz-card nzTitle="User Information">
|
<nz-card nzTitle="User Information">
|
||||||
<nz-descriptions nzBordered [nzColumn]="2">
|
<scn-metadata-grid>
|
||||||
<nz-descriptions-item nzTitle="User ID" [nzSpan]="2">
|
<scn-metadata-value label="User ID">
|
||||||
<span class="mono">{{ user()!.user_id }}</span>
|
<span class="mono">{{ user()!.user_id }}</span>
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Username">
|
<scn-metadata-value label="Username">
|
||||||
{{ user()!.username || '(Not set)' }}
|
{{ user()!.username || '(Not set)' }}
|
||||||
<button nz-button nzSize="small" nzType="link" (click)="openEditModal()">
|
<button nz-button nzSize="small" nzType="link" (click)="openEditModal()">
|
||||||
<span nz-icon nzType="edit"></span>
|
<span nz-icon nzType="edit"></span>
|
||||||
</button>
|
</button>
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Account Type">
|
<scn-metadata-value label="Account Type">
|
||||||
@if (user()!.is_pro) {
|
@if (user()!.is_pro) {
|
||||||
<nz-tag nzColor="gold">Pro</nz-tag>
|
<nz-tag nzColor="gold">Pro</nz-tag>
|
||||||
} @else {
|
} @else {
|
||||||
<nz-tag>Free</nz-tag>
|
<nz-tag>Free</nz-tag>
|
||||||
}
|
}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Messages Sent">
|
<scn-metadata-value label="Messages Sent">
|
||||||
{{ user()!.messages_sent }}
|
{{ user()!.messages_sent }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Created">
|
<scn-metadata-value label="Created">
|
||||||
{{ user()!.timestamp_created | relativeTime }}
|
{{ user()!.timestamp_created | relativeTime }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Last Read">
|
<scn-metadata-value label="Last Read">
|
||||||
{{ user()!.timestamp_lastread | relativeTime }}
|
{{ user()!.timestamp_lastread | relativeTime }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Last Sent">
|
<scn-metadata-value label="Last Sent">
|
||||||
{{ user()!.timestamp_lastsent | relativeTime }}
|
{{ user()!.timestamp_lastsent | relativeTime }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
</nz-descriptions>
|
</scn-metadata-grid>
|
||||||
</nz-card>
|
</nz-card>
|
||||||
|
|
||||||
<nz-card nzTitle="Quota" class="mt-16">
|
<nz-card nzTitle="Quota" class="mt-16">
|
||||||
@@ -62,22 +62,39 @@
|
|||||||
|
|
||||||
<nz-divider></nz-divider>
|
<nz-divider></nz-divider>
|
||||||
|
|
||||||
<nz-descriptions [nzColumn]="2" nzSize="small">
|
<scn-metadata-grid>
|
||||||
<nz-descriptions-item nzTitle="Max Body Size">
|
<scn-metadata-value label="Max Body Size">
|
||||||
{{ user()!.max_body_size | number }} bytes
|
{{ user()!.max_body_size | number }} bytes
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Max Title Length">
|
<scn-metadata-value label="Max Title Length">
|
||||||
{{ user()!.max_title_length }} chars
|
{{ user()!.max_title_length }} chars
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Default Channel">
|
<scn-metadata-value label="Default Channel">
|
||||||
{{ user()!.default_channel }}
|
{{ user()!.default_channel }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Default Priority">
|
<scn-metadata-value label="Default Priority">
|
||||||
{{ user()!.default_priority }}
|
{{ user()!.default_priority }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
</nz-descriptions>
|
</scn-metadata-grid>
|
||||||
</nz-card>
|
</nz-card>
|
||||||
|
|
||||||
|
@if (expertMode()) {
|
||||||
|
<nz-card nzTitle="Danger Zone" class="mt-16 danger-zone">
|
||||||
|
<p class="danger-warning">Deleting your account is permanent and cannot be undone. All your data will be lost.</p>
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzDanger
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Are you sure you want to delete your account? This action cannot be undone."
|
||||||
|
(nzOnConfirm)="deleteAccount()"
|
||||||
|
[nzLoading]="deleting()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="delete"></span>
|
||||||
|
Delete Account
|
||||||
|
</button>
|
||||||
|
</nz-card>
|
||||||
|
}
|
||||||
|
|
||||||
}
|
}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
|||||||
@@ -43,3 +43,17 @@
|
|||||||
margin-bottom: 16px;
|
margin-bottom: 16px;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.danger-zone {
|
||||||
|
border-color: #ff4d4f !important;
|
||||||
|
|
||||||
|
:host ::ng-deep .ant-card-head {
|
||||||
|
color: #ff4d4f;
|
||||||
|
border-bottom-color: #ff4d4f;
|
||||||
|
}
|
||||||
|
|
||||||
|
.danger-warning {
|
||||||
|
color: #666;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,6 +1,7 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule } from '@angular/common';
|
||||||
import { FormsModule } from '@angular/forms';
|
import { FormsModule } from '@angular/forms';
|
||||||
|
import { Router } from '@angular/router';
|
||||||
import { NzCardModule } from 'ng-zorro-antd/card';
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
@@ -12,11 +13,14 @@ import { NzModalModule } from 'ng-zorro-antd/modal';
|
|||||||
import { NzFormModule } from 'ng-zorro-antd/form';
|
import { NzFormModule } from 'ng-zorro-antd/form';
|
||||||
import { NzInputModule } from 'ng-zorro-antd/input';
|
import { NzInputModule } from 'ng-zorro-antd/input';
|
||||||
import { NzDividerModule } from 'ng-zorro-antd/divider';
|
import { NzDividerModule } from 'ng-zorro-antd/divider';
|
||||||
|
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
||||||
import { ApiService } from '../../../core/services/api.service';
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
import { AuthService } from '../../../core/services/auth.service';
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
import { NotificationService } from '../../../core/services/notification.service';
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
|
import { SettingsService } from '../../../core/services/settings.service';
|
||||||
import { UserWithExtra } from '../../../core/models';
|
import { UserWithExtra } from '../../../core/models';
|
||||||
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
|
import { MetadataGridComponent, MetadataValueComponent } from '../../../shared/components/metadata-grid';
|
||||||
|
|
||||||
@Component({
|
@Component({
|
||||||
selector: 'app-account-info',
|
selector: 'app-account-info',
|
||||||
@@ -35,7 +39,10 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
NzFormModule,
|
NzFormModule,
|
||||||
NzInputModule,
|
NzInputModule,
|
||||||
NzDividerModule,
|
NzDividerModule,
|
||||||
|
NzPopconfirmModule,
|
||||||
RelativeTimePipe,
|
RelativeTimePipe,
|
||||||
|
MetadataGridComponent,
|
||||||
|
MetadataValueComponent,
|
||||||
],
|
],
|
||||||
templateUrl: './account-info.component.html',
|
templateUrl: './account-info.component.html',
|
||||||
styleUrl: './account-info.component.scss'
|
styleUrl: './account-info.component.scss'
|
||||||
@@ -44,9 +51,13 @@ export class AccountInfoComponent implements OnInit {
|
|||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
private notification = inject(NotificationService);
|
private notification = inject(NotificationService);
|
||||||
|
private settingsService = inject(SettingsService);
|
||||||
|
private router = inject(Router);
|
||||||
|
|
||||||
user = signal<UserWithExtra | null>(null);
|
user = signal<UserWithExtra | null>(null);
|
||||||
loading = signal(true);
|
loading = signal(true);
|
||||||
|
deleting = signal(false);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
|
||||||
// Edit username modal
|
// Edit username modal
|
||||||
showEditModal = signal(false);
|
showEditModal = signal(false);
|
||||||
@@ -116,4 +127,21 @@ export class AccountInfoComponent implements OnInit {
|
|||||||
}
|
}
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
deleteAccount(): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.deleting.set(true);
|
||||||
|
this.apiService.deleteUser(userId).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Account deleted');
|
||||||
|
this.authService.logout();
|
||||||
|
this.router.navigate(['/login']);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.deleting.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -15,128 +15,156 @@
|
|||||||
<span nz-icon nzType="edit"></span>
|
<span nz-icon nzType="edit"></span>
|
||||||
Edit
|
Edit
|
||||||
</button>
|
</button>
|
||||||
|
@if (expertMode()) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzDanger
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Are you sure you want to delete this channel? All messages and subscriptions will be lost."
|
||||||
|
(nzOnConfirm)="deleteChannel()"
|
||||||
|
[nzLoading]="deleting()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="delete"></span>
|
||||||
|
Delete
|
||||||
|
</button>
|
||||||
|
}
|
||||||
</div>
|
</div>
|
||||||
}
|
}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<nz-card [nzTitle]="channel()!.display_name">
|
<nz-card [nzTitle]="channel()!.display_name">
|
||||||
<nz-descriptions nzBordered [nzColumn]="2">
|
<scn-metadata-grid>
|
||||||
<nz-descriptions-item nzTitle="Channel ID" [nzSpan]="2">
|
<scn-metadata-value label="Channel ID">
|
||||||
<span class="mono">{{ channel()!.channel_id }}</span>
|
<span class="mono">{{ channel()!.channel_id }}</span>
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Internal Name">
|
<scn-metadata-value label="Internal Name">
|
||||||
<span class="mono">{{ channel()!.internal_name }}</span>
|
<span class="mono">{{ channel()!.internal_name }}</span>
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Status">
|
<scn-metadata-value label="Status">
|
||||||
<nz-tag [nzColor]="getSubscriptionStatus().color">
|
<nz-tag [nzColor]="getSubscriptionStatus().color">
|
||||||
{{ getSubscriptionStatus().label }}
|
{{ getSubscriptionStatus().label }}
|
||||||
</nz-tag>
|
</nz-tag>
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Owner" [nzSpan]="2">
|
<scn-metadata-value label="Owner">
|
||||||
<span class="mono">{{ channel()!.owner_user_id }}</span>
|
<span class="mono">{{ channel()!.owner_user_id }}</span>
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
@if (channel()!.description_name) {
|
@if (channel()!.description_name) {
|
||||||
<nz-descriptions-item nzTitle="Description" [nzSpan]="2">
|
<scn-metadata-value label="Description">
|
||||||
{{ channel()!.description_name }}
|
{{ channel()!.description_name }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
}
|
}
|
||||||
<nz-descriptions-item nzTitle="Messages Sent">
|
<scn-metadata-value label="Messages Sent">
|
||||||
{{ channel()!.messages_sent }}
|
{{ channel()!.messages_sent }}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Last Sent">
|
<scn-metadata-value label="Last Sent">
|
||||||
@if (channel()!.timestamp_lastsent) {
|
@if (channel()!.timestamp_lastsent) {
|
||||||
{{ channel()!.timestamp_lastsent | relativeTime }}
|
<div class="timestamp-absolute">{{ channel()!.timestamp_lastsent | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ channel()!.timestamp_lastsent | relativeTime }}</div>
|
||||||
} @else {
|
} @else {
|
||||||
Never
|
Never
|
||||||
}
|
}
|
||||||
</nz-descriptions-item>
|
</scn-metadata-value>
|
||||||
<nz-descriptions-item nzTitle="Created" [nzSpan]="2">
|
<scn-metadata-value label="Created">
|
||||||
{{ channel()!.timestamp_created }}
|
<div class="timestamp-absolute">{{ channel()!.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
</nz-descriptions-item>
|
<div class="timestamp-relative">{{ channel()!.timestamp_created | relativeTime }}</div>
|
||||||
</nz-descriptions>
|
</scn-metadata-value>
|
||||||
|
@if (isOwner() && channel()!.subscribe_key) {
|
||||||
|
<scn-metadata-value label="Subscribe Key">
|
||||||
|
<div class="key-field">
|
||||||
|
<nz-input-group [nzSuffix]="subscribeKeySuffix">
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
nz-input
|
||||||
|
[value]="channel()!.subscribe_key"
|
||||||
|
readonly
|
||||||
|
class="mono"
|
||||||
|
/>
|
||||||
|
</nz-input-group>
|
||||||
|
<ng-template #subscribeKeySuffix>
|
||||||
|
<span
|
||||||
|
nz-icon
|
||||||
|
nzType="copy"
|
||||||
|
class="action-icon"
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Copy"
|
||||||
|
[appCopyToClipboard]="channel()!.subscribe_key!"
|
||||||
|
></span>
|
||||||
|
</ng-template>
|
||||||
|
<div class="key-actions">
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Regenerate subscribe key? The existing key will no longer be valid."
|
||||||
|
(nzOnConfirm)="regenerateSubscribeKey()"
|
||||||
|
>
|
||||||
|
Invalidate & Regenerate
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Subscribe QR">
|
||||||
|
<div class="qr-container">
|
||||||
|
<app-qr-code-display [data]="qrCodeData()"></app-qr-code-display>
|
||||||
|
<p class="qr-hint">Scan with the SimpleCloudNotifier app to subscribe</p>
|
||||||
|
</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
}
|
||||||
|
@if (isOwner() && channel()!.send_key) {
|
||||||
|
<scn-metadata-value label="Send Key">
|
||||||
|
<div class="key-field">
|
||||||
|
<nz-input-group [nzSuffix]="sendKeySuffix">
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
nz-input
|
||||||
|
[value]="channel()!.send_key"
|
||||||
|
readonly
|
||||||
|
class="mono"
|
||||||
|
/>
|
||||||
|
</nz-input-group>
|
||||||
|
<ng-template #sendKeySuffix>
|
||||||
|
<span
|
||||||
|
nz-icon
|
||||||
|
nzType="copy"
|
||||||
|
class="action-icon"
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Copy"
|
||||||
|
[appCopyToClipboard]="channel()!.send_key!"
|
||||||
|
></span>
|
||||||
|
</ng-template>
|
||||||
|
<div class="key-actions">
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Regenerate send key?"
|
||||||
|
(nzOnConfirm)="regenerateSendKey()"
|
||||||
|
>
|
||||||
|
Regenerate
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
}
|
||||||
|
</scn-metadata-grid>
|
||||||
</nz-card>
|
</nz-card>
|
||||||
|
|
||||||
@if (isOwner()) {
|
@if (isOwner()) {
|
||||||
<nz-card nzTitle="Keys" class="mt-16">
|
<nz-card nzTitle="Subscriptions" [nzExtra]="subscriptionsCardExtra" class="mt-16">
|
||||||
@if (channel()!.subscribe_key) {
|
<ng-template #subscriptionsCardExtra>
|
||||||
<div class="key-section">
|
@if (expertMode()) {
|
||||||
<label>Subscribe Key</label>
|
<button
|
||||||
<nz-input-group [nzSuffix]="subscribeKeySuffix">
|
nz-button
|
||||||
<input
|
nzSize="small"
|
||||||
type="text"
|
[nzType]="isUserSubscribed() ? 'default' : 'primary'"
|
||||||
nz-input
|
nz-tooltip
|
||||||
[value]="channel()!.subscribe_key"
|
[nzTooltipTitle]="isUserSubscribed() ? 'Unsubscribe' : 'Subscribe'"
|
||||||
readonly
|
(click)="toggleSelfSubscription()"
|
||||||
class="mono"
|
>
|
||||||
/>
|
<span nz-icon [nzType]="isUserSubscribed() ? 'user-delete' : 'user-add'"></span>
|
||||||
</nz-input-group>
|
</button>
|
||||||
<ng-template #subscribeKeySuffix>
|
|
||||||
<span
|
|
||||||
nz-icon
|
|
||||||
nzType="copy"
|
|
||||||
class="action-icon"
|
|
||||||
nz-tooltip
|
|
||||||
nzTooltipTitle="Copy"
|
|
||||||
[appCopyToClipboard]="channel()!.subscribe_key!"
|
|
||||||
></span>
|
|
||||||
</ng-template>
|
|
||||||
<div class="key-actions">
|
|
||||||
<button
|
|
||||||
nz-button
|
|
||||||
nzSize="small"
|
|
||||||
nz-popconfirm
|
|
||||||
nzPopconfirmTitle="Regenerate subscribe key? The existing key will no longer be valid."
|
|
||||||
(nzOnConfirm)="regenerateSubscribeKey()"
|
|
||||||
>
|
|
||||||
Invalidate & Regenerate
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
<div class="qr-section">
|
|
||||||
<app-qr-code-display [data]="qrCodeData()"></app-qr-code-display>
|
|
||||||
<p class="qr-hint">Scan this QR code with the SimpleCloudNotifier app to subscribe to this channel.</p>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
}
|
}
|
||||||
|
</ng-template>
|
||||||
@if (channel()!.send_key) {
|
|
||||||
<nz-divider></nz-divider>
|
|
||||||
<div class="key-section">
|
|
||||||
<label>Send Key</label>
|
|
||||||
<nz-input-group [nzSuffix]="sendKeySuffix">
|
|
||||||
<input
|
|
||||||
type="text"
|
|
||||||
nz-input
|
|
||||||
[value]="channel()!.send_key"
|
|
||||||
readonly
|
|
||||||
class="mono"
|
|
||||||
/>
|
|
||||||
</nz-input-group>
|
|
||||||
<ng-template #sendKeySuffix>
|
|
||||||
<span
|
|
||||||
nz-icon
|
|
||||||
nzType="copy"
|
|
||||||
class="action-icon"
|
|
||||||
nz-tooltip
|
|
||||||
nzTooltipTitle="Copy"
|
|
||||||
[appCopyToClipboard]="channel()!.send_key!"
|
|
||||||
></span>
|
|
||||||
</ng-template>
|
|
||||||
<div class="key-actions">
|
|
||||||
<button
|
|
||||||
nz-button
|
|
||||||
nzSize="small"
|
|
||||||
nz-popconfirm
|
|
||||||
nzPopconfirmTitle="Regenerate send key?"
|
|
||||||
(nzOnConfirm)="regenerateSendKey()"
|
|
||||||
>
|
|
||||||
Regenerate
|
|
||||||
</button>
|
|
||||||
</div>
|
|
||||||
</div>
|
|
||||||
}
|
|
||||||
</nz-card>
|
|
||||||
|
|
||||||
<nz-card nzTitle="Subscriptions" class="mt-16">
|
|
||||||
<nz-table
|
<nz-table
|
||||||
#subscriptionTable
|
#subscriptionTable
|
||||||
[nzData]="subscriptions()"
|
[nzData]="subscriptions()"
|
||||||
@@ -149,26 +177,86 @@
|
|||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th>Subscriber</th>
|
<th>Subscriber</th>
|
||||||
<th>Status</th>
|
<th nzWidth="0">Status</th>
|
||||||
<th>Created</th>
|
<th nzWidth="0">Active</th>
|
||||||
|
<th nzWidth="0">Created</th>
|
||||||
|
<th nzWidth="0">Actions</th>
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@for (sub of subscriptions(); track sub.subscription_id) {
|
@for (sub of subscriptions(); track sub.subscription_id) {
|
||||||
<tr>
|
<tr class="clickable-row">
|
||||||
<td>
|
<td>
|
||||||
<span class="mono">{{ sub.subscriber_user_id }}</span>
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<div class="cell-name">{{ getUserDisplayName(sub.subscriber_user_id) }}</div>
|
||||||
|
<div class="cell-id mono">{{ sub.subscriber_user_id }}</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<nz-tag [nzColor]="sub.confirmed ? 'green' : 'orange'">
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
{{ sub.confirmed ? 'Confirmed' : 'Pending' }}
|
<nz-tag [nzColor]="sub.confirmed ? 'green' : 'orange'">
|
||||||
</nz-tag>
|
{{ sub.confirmed ? 'Confirmed' : 'Pending' }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<nz-tag [nzColor]="sub.active ? 'green' : 'default'">
|
||||||
|
{{ sub.active ? 'Active' : 'Inactive' }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<div class="timestamp-absolute">{{ sub.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ sub.timestamp_created | relativeTime }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<div class="action-buttons">
|
||||||
|
@if (!sub.confirmed) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nzType="primary"
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Accept"
|
||||||
|
(click)="acceptSubscription(sub)"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="check"></span>
|
||||||
|
</button>
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nzDanger
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Deny"
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Deny this subscription request?"
|
||||||
|
(nzOnConfirm)="denySubscription(sub)"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="close"></span>
|
||||||
|
</button>
|
||||||
|
} @else {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nzDanger
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Revoke"
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Revoke this subscription?"
|
||||||
|
(nzOnConfirm)="revokeSubscription(sub)"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="delete"></span>
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
</td>
|
</td>
|
||||||
<td>{{ sub.timestamp_created | relativeTime }}</td>
|
|
||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
<tr>
|
<tr>
|
||||||
<td colspan="3">
|
<td colspan="5">
|
||||||
<nz-empty nzNotFoundContent="No subscriptions"></nz-empty>
|
<nz-empty nzNotFoundContent="No subscriptions"></nz-empty>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
@@ -177,6 +265,84 @@
|
|||||||
</nz-table>
|
</nz-table>
|
||||||
</nz-card>
|
</nz-card>
|
||||||
}
|
}
|
||||||
|
|
||||||
|
<nz-card nzTitle="Messages" class="mt-16">
|
||||||
|
<nz-table
|
||||||
|
#messageTable
|
||||||
|
[nzData]="messages()"
|
||||||
|
[nzLoading]="loadingMessages()"
|
||||||
|
[nzShowPagination]="false"
|
||||||
|
[nzNoResult]="noMessagesResultTpl"
|
||||||
|
nzSize="small"
|
||||||
|
>
|
||||||
|
<ng-template #noMessagesResultTpl></ng-template>
|
||||||
|
<thead>
|
||||||
|
<tr>
|
||||||
|
<th>Title</th>
|
||||||
|
<th>Content</th>
|
||||||
|
<th nzWidth="0">Sender</th>
|
||||||
|
<th nzWidth="0">Priority</th>
|
||||||
|
<th nzWidth="0">Time</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
@for (message of messages(); track message.message_id) {
|
||||||
|
<tr class="clickable-row">
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="message-title">{{ message.title }}</div>
|
||||||
|
<div class="message-id mono">{{ message.message_id }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
@if (message.content) {
|
||||||
|
<div class="message-content">{{ message.content | slice:0:128 }}{{ message.content.length > 128 ? '...' : '' }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted"></span>
|
||||||
|
}
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<span style="white-space: pre">{{ message.sender_name || '-' }}</span>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<nz-tag [nzColor]="getPriorityColor(message.priority)">
|
||||||
|
{{ getPriorityLabel(message.priority) }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="timestamp-absolute">{{ message.timestamp | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ message.timestamp | relativeTime }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
} @empty {
|
||||||
|
<tr>
|
||||||
|
<td colspan="5">
|
||||||
|
<nz-empty nzNotFoundContent="No messages"></nz-empty>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
}
|
||||||
|
</tbody>
|
||||||
|
</nz-table>
|
||||||
|
@if (messagesTotalCount() > messagesPageSize) {
|
||||||
|
<div class="pagination-controls">
|
||||||
|
<nz-pagination
|
||||||
|
[nzPageIndex]="messagesCurrentPage()"
|
||||||
|
[nzPageSize]="messagesPageSize"
|
||||||
|
[nzTotal]="messagesTotalCount()"
|
||||||
|
[nzDisabled]="loadingMessages()"
|
||||||
|
(nzPageIndexChange)="messagesGoToPage($event)"
|
||||||
|
></nz-pagination>
|
||||||
|
</div>
|
||||||
|
}
|
||||||
|
</nz-card>
|
||||||
} @else {
|
} @else {
|
||||||
<nz-card>
|
<nz-card>
|
||||||
<div class="not-found">
|
<div class="not-found">
|
||||||
|
|||||||
@@ -10,17 +10,14 @@
|
|||||||
gap: 8px;
|
gap: 8px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.key-section {
|
.key-field {
|
||||||
label {
|
display: flex;
|
||||||
display: block;
|
flex-direction: column;
|
||||||
font-weight: 500;
|
gap: 8px;
|
||||||
margin-bottom: 8px;
|
|
||||||
color: #333;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.key-actions {
|
.key-actions {
|
||||||
margin-top: 8px;
|
display: flex;
|
||||||
}
|
}
|
||||||
|
|
||||||
.action-icon {
|
.action-icon {
|
||||||
@@ -44,28 +41,81 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.qr-section {
|
.qr-container {
|
||||||
margin-top: 16px;
|
display: flex;
|
||||||
padding-top: 16px;
|
flex-direction: column;
|
||||||
border-top: 1px solid #f0f0f0;
|
align-items: center;
|
||||||
|
|
||||||
label {
|
|
||||||
display: block;
|
|
||||||
font-weight: 500;
|
|
||||||
margin-bottom: 12px;
|
|
||||||
color: #333;
|
|
||||||
}
|
|
||||||
|
|
||||||
app-qr-code-display {
|
|
||||||
display: flex;
|
|
||||||
justify-content: center;
|
|
||||||
}
|
|
||||||
}
|
}
|
||||||
|
|
||||||
.qr-hint {
|
.qr-hint {
|
||||||
text-align: center;
|
|
||||||
color: #666;
|
color: #666;
|
||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
margin-top: 12px;
|
margin-top: 8px;
|
||||||
margin-bottom: 0;
|
margin-bottom: 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.cell-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.clickable-row {
|
||||||
|
cursor: pointer;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background-color: #fafafa;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.action-buttons {
|
||||||
|
display: flex;
|
||||||
|
gap: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-title {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-content {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #666;
|
||||||
|
white-space: pre;
|
||||||
|
max-height: 2lh;
|
||||||
|
overflow-y: clip;
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-muted {
|
||||||
|
color: #999;
|
||||||
|
}
|
||||||
|
|
||||||
|
.pagination-controls {
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
align-items: center;
|
||||||
|
padding: 16px 0;
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,11 +1,10 @@
|
|||||||
import { Component, inject, signal, computed, OnInit } from '@angular/core';
|
import { Component, inject, signal, computed, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
import { ActivatedRoute, Router } from '@angular/router';
|
import { ActivatedRoute, Router, RouterLink } from '@angular/router';
|
||||||
import { FormsModule } from '@angular/forms';
|
import { FormsModule } from '@angular/forms';
|
||||||
import { NzCardModule } from 'ng-zorro-antd/card';
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
import { NzDescriptionsModule } from 'ng-zorro-antd/descriptions';
|
|
||||||
import { NzTagModule } from 'ng-zorro-antd/tag';
|
import { NzTagModule } from 'ng-zorro-antd/tag';
|
||||||
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
||||||
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
||||||
@@ -16,24 +15,29 @@ import { NzFormModule } from 'ng-zorro-antd/form';
|
|||||||
import { NzTableModule } from 'ng-zorro-antd/table';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
||||||
import { NzEmptyModule } from 'ng-zorro-antd/empty';
|
import { NzEmptyModule } from 'ng-zorro-antd/empty';
|
||||||
|
import { NzPaginationModule } from 'ng-zorro-antd/pagination';
|
||||||
import { ApiService } from '../../../core/services/api.service';
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
import { AuthService } from '../../../core/services/auth.service';
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
import { NotificationService } from '../../../core/services/notification.service';
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
import { ChannelWithSubscription, Subscription } from '../../../core/models';
|
import { SettingsService } from '../../../core/services/settings.service';
|
||||||
|
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
||||||
|
import { ChannelWithSubscription, Subscription, Message } from '../../../core/models';
|
||||||
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
import { CopyToClipboardDirective } from '../../../shared/directives/copy-to-clipboard.directive';
|
import { CopyToClipboardDirective } from '../../../shared/directives/copy-to-clipboard.directive';
|
||||||
import { QrCodeDisplayComponent } from '../../../shared/components/qr-code-display/qr-code-display.component';
|
import { QrCodeDisplayComponent } from '../../../shared/components/qr-code-display/qr-code-display.component';
|
||||||
|
import { MetadataGridComponent, MetadataValueComponent } from '../../../shared/components/metadata-grid';
|
||||||
|
|
||||||
@Component({
|
@Component({
|
||||||
selector: 'app-channel-detail',
|
selector: 'app-channel-detail',
|
||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
FormsModule,
|
FormsModule,
|
||||||
|
RouterLink,
|
||||||
NzCardModule,
|
NzCardModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
NzDescriptionsModule,
|
|
||||||
NzTagModule,
|
NzTagModule,
|
||||||
NzSpinModule,
|
NzSpinModule,
|
||||||
NzPopconfirmModule,
|
NzPopconfirmModule,
|
||||||
@@ -44,9 +48,12 @@ import { QrCodeDisplayComponent } from '../../../shared/components/qr-code-displ
|
|||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzToolTipModule,
|
NzToolTipModule,
|
||||||
NzEmptyModule,
|
NzEmptyModule,
|
||||||
|
NzPaginationModule,
|
||||||
RelativeTimePipe,
|
RelativeTimePipe,
|
||||||
CopyToClipboardDirective,
|
CopyToClipboardDirective,
|
||||||
QrCodeDisplayComponent,
|
QrCodeDisplayComponent,
|
||||||
|
MetadataGridComponent,
|
||||||
|
MetadataValueComponent,
|
||||||
],
|
],
|
||||||
templateUrl: './channel-detail.component.html',
|
templateUrl: './channel-detail.component.html',
|
||||||
styleUrl: './channel-detail.component.scss'
|
styleUrl: './channel-detail.component.scss'
|
||||||
@@ -57,11 +64,24 @@ export class ChannelDetailComponent implements OnInit {
|
|||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
private notification = inject(NotificationService);
|
private notification = inject(NotificationService);
|
||||||
|
private settingsService = inject(SettingsService);
|
||||||
|
private userCacheService = inject(UserCacheService);
|
||||||
|
|
||||||
channel = signal<ChannelWithSubscription | null>(null);
|
channel = signal<ChannelWithSubscription | null>(null);
|
||||||
subscriptions = signal<Subscription[]>([]);
|
subscriptions = signal<Subscription[]>([]);
|
||||||
|
messages = signal<Message[]>([]);
|
||||||
|
userNames = signal<Map<string, ResolvedUser>>(new Map());
|
||||||
loading = signal(true);
|
loading = signal(true);
|
||||||
loadingSubscriptions = signal(false);
|
loadingSubscriptions = signal(false);
|
||||||
|
loadingMessages = signal(false);
|
||||||
|
deleting = signal(false);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
|
||||||
|
// Messages pagination
|
||||||
|
messagesPageSize = 16;
|
||||||
|
messagesNextPageToken = signal<string | null>(null);
|
||||||
|
messagesTotalCount = signal(0);
|
||||||
|
messagesCurrentPage = signal(1);
|
||||||
// Edit modal
|
// Edit modal
|
||||||
showEditModal = signal(false);
|
showEditModal = signal(false);
|
||||||
editDisplayName = '';
|
editDisplayName = '';
|
||||||
@@ -102,6 +122,7 @@ export class ChannelDetailComponent implements OnInit {
|
|||||||
if (this.isOwner()) {
|
if (this.isOwner()) {
|
||||||
this.loadSubscriptions(channelId);
|
this.loadSubscriptions(channelId);
|
||||||
}
|
}
|
||||||
|
this.loadMessages(channelId);
|
||||||
},
|
},
|
||||||
error: () => {
|
error: () => {
|
||||||
this.loading.set(false);
|
this.loading.set(false);
|
||||||
@@ -118,6 +139,7 @@ export class ChannelDetailComponent implements OnInit {
|
|||||||
next: (response) => {
|
next: (response) => {
|
||||||
this.subscriptions.set(response.subscriptions);
|
this.subscriptions.set(response.subscriptions);
|
||||||
this.loadingSubscriptions.set(false);
|
this.loadingSubscriptions.set(false);
|
||||||
|
this.resolveUserNames(response.subscriptions);
|
||||||
},
|
},
|
||||||
error: () => {
|
error: () => {
|
||||||
this.loadingSubscriptions.set(false);
|
this.loadingSubscriptions.set(false);
|
||||||
@@ -125,6 +147,86 @@ export class ChannelDetailComponent implements OnInit {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
loadMessages(channelId: string, nextPageToken?: string): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.loadingMessages.set(true);
|
||||||
|
this.apiService.getChannelMessages(userId, channelId, {
|
||||||
|
page_size: this.messagesPageSize,
|
||||||
|
next_page_token: nextPageToken,
|
||||||
|
trimmed: true
|
||||||
|
}).subscribe({
|
||||||
|
next: (response) => {
|
||||||
|
this.messages.set(response.messages);
|
||||||
|
this.messagesNextPageToken.set(response.next_page_token || null);
|
||||||
|
this.messagesTotalCount.set(response.total_count);
|
||||||
|
this.loadingMessages.set(false);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loadingMessages.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
messagesGoToPage(page: number): void {
|
||||||
|
const channel = this.channel();
|
||||||
|
if (!channel) return;
|
||||||
|
|
||||||
|
this.messagesCurrentPage.set(page);
|
||||||
|
// For pagination with tokens, we need to handle this differently
|
||||||
|
// The API uses next_page_token, so we'll reload from the beginning for now
|
||||||
|
// In a real implementation, you'd need to track tokens per page or use offset-based pagination
|
||||||
|
if (page === 1) {
|
||||||
|
this.loadMessages(channel.channel_id);
|
||||||
|
} else {
|
||||||
|
// For simplicity, use the next page token if going forward
|
||||||
|
const token = this.messagesNextPageToken();
|
||||||
|
if (token) {
|
||||||
|
this.loadMessages(channel.channel_id, token);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
viewMessage(message: Message): void {
|
||||||
|
this.router.navigate(['/messages', message.message_id]);
|
||||||
|
}
|
||||||
|
|
||||||
|
getPriorityColor(priority: number): string {
|
||||||
|
switch (priority) {
|
||||||
|
case 0: return 'default';
|
||||||
|
case 1: return 'blue';
|
||||||
|
case 2: return 'orange';
|
||||||
|
default: return 'default';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
getPriorityLabel(priority: number): string {
|
||||||
|
switch (priority) {
|
||||||
|
case 0: return 'Low';
|
||||||
|
case 1: return 'Normal';
|
||||||
|
case 2: return 'High';
|
||||||
|
default: return 'Unknown';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveUserNames(subscriptions: Subscription[]): void {
|
||||||
|
const userIds = new Set<string>();
|
||||||
|
for (const sub of subscriptions) {
|
||||||
|
userIds.add(sub.subscriber_user_id);
|
||||||
|
}
|
||||||
|
for (const id of userIds) {
|
||||||
|
this.userCacheService.resolveUser(id).subscribe(resolved => {
|
||||||
|
this.userNames.update(map => new Map(map).set(id, resolved));
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
getUserDisplayName(userId: string): string {
|
||||||
|
const resolved = this.userNames().get(userId);
|
||||||
|
return resolved?.displayName || userId;
|
||||||
|
}
|
||||||
|
|
||||||
goBack(): void {
|
goBack(): void {
|
||||||
this.router.navigate(['/channels']);
|
this.router.navigate(['/channels']);
|
||||||
}
|
}
|
||||||
@@ -222,4 +324,99 @@ export class ChannelDetailComponent implements OnInit {
|
|||||||
|
|
||||||
return { label: 'Not Subscribed', color: 'default' };
|
return { label: 'Not Subscribed', color: 'default' };
|
||||||
}
|
}
|
||||||
|
|
||||||
|
deleteChannel(): void {
|
||||||
|
const channel = this.channel();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!channel || !userId) return;
|
||||||
|
|
||||||
|
this.deleting.set(true);
|
||||||
|
this.apiService.deleteChannel(userId, channel.channel_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Channel deleted');
|
||||||
|
this.router.navigate(['/channels']);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.deleting.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
viewSubscription(sub: Subscription): void {
|
||||||
|
this.router.navigate(['/subscriptions', sub.subscription_id]);
|
||||||
|
}
|
||||||
|
|
||||||
|
acceptSubscription(sub: Subscription): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { confirmed: true }).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscription accepted');
|
||||||
|
const channel = this.channel();
|
||||||
|
if (channel) {
|
||||||
|
this.loadSubscriptions(channel.channel_id);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
denySubscription(sub: Subscription): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.deleteSubscription(userId, sub.subscription_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscription denied');
|
||||||
|
const channel = this.channel();
|
||||||
|
if (channel) {
|
||||||
|
this.loadSubscriptions(channel.channel_id);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
revokeSubscription(sub: Subscription): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.deleteSubscription(userId, sub.subscription_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscription revoked');
|
||||||
|
const channel = this.channel();
|
||||||
|
if (channel) {
|
||||||
|
this.loadSubscriptions(channel.channel_id);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
isUserSubscribed(): boolean {
|
||||||
|
return this.channel()?.subscription !== null;
|
||||||
|
}
|
||||||
|
|
||||||
|
toggleSelfSubscription(): void {
|
||||||
|
const channel = this.channel();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!channel || !userId) return;
|
||||||
|
|
||||||
|
if (this.isUserSubscribed()) {
|
||||||
|
// Unsubscribe
|
||||||
|
const subscriptionId = channel.subscription!.subscription_id;
|
||||||
|
this.apiService.deleteSubscription(userId, subscriptionId).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Unsubscribed from channel');
|
||||||
|
this.loadChannel(channel.channel_id);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
// Subscribe
|
||||||
|
this.apiService.createSubscription(userId, { channel_id: channel.channel_id }).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscribed to channel');
|
||||||
|
this.loadChannel(channel.channel_id);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -9,6 +9,21 @@
|
|||||||
</div>
|
</div>
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
|
<nz-tabset (nzSelectedIndexChange)="onTabChange($event)">
|
||||||
|
<nz-tab nzTitle="All"></nz-tab>
|
||||||
|
<nz-tab nzTitle="Owned"></nz-tab>
|
||||||
|
<nz-tab nzTitle="Foreign"></nz-tab>
|
||||||
|
</nz-tabset>
|
||||||
|
|
||||||
|
@if (getTabDescription()) {
|
||||||
|
<nz-alert
|
||||||
|
nzType="info"
|
||||||
|
[nzMessage]="getTabDescription()!"
|
||||||
|
nzShowIcon
|
||||||
|
style="margin-bottom: 16px;"
|
||||||
|
></nz-alert>
|
||||||
|
}
|
||||||
|
|
||||||
<nz-card>
|
<nz-card>
|
||||||
<nz-table
|
<nz-table
|
||||||
#channelTable
|
#channelTable
|
||||||
@@ -21,46 +36,122 @@
|
|||||||
<ng-template #noResultTpl></ng-template>
|
<ng-template #noResultTpl></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="20%">Name</th>
|
<th style="width: auto">Name</th>
|
||||||
<th nzWidth="15%">Internal Name</th>
|
<th style="width: auto">Internal Name</th>
|
||||||
<th nzWidth="15%">Owner</th>
|
<th style="width: auto">Owner</th>
|
||||||
<th nzWidth="15%">Status</th>
|
<th style="width: 0">Status</th>
|
||||||
<th nzWidth="15%">Messages</th>
|
<th style="width: 400px">Subscribers</th>
|
||||||
<th nzWidth="20%">Last Sent</th>
|
<th style="width: 0">Messages</th>
|
||||||
|
<th style="width: 0">Last Sent</th>
|
||||||
|
@if (expertMode()) {
|
||||||
|
<th style="width: 0">Actions</th>
|
||||||
|
}
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@for (channel of channels(); track channel.channel_id) {
|
@for (channel of channels(); track channel.channel_id) {
|
||||||
<tr [class.clickable-row]="isOwned(channel)" (click)="isOwned(channel) && viewChannel(channel)">
|
<tr [class.clickable-row]="isOwned(channel)">
|
||||||
<td>
|
<td>
|
||||||
<div class="channel-name">{{ channel.display_name }}</div>
|
@if (isOwned(channel)) {
|
||||||
@if (channel.description_name) {
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
<div class="channel-description">{{ channel.description_name }}</div>
|
<div class="channel-name">{{ channel.display_name }}</div>
|
||||||
}
|
<div class="channel-id mono">{{ channel.channel_id }}</div>
|
||||||
</td>
|
</a>
|
||||||
<td>
|
|
||||||
<span class="mono">{{ channel.internal_name }}</span>
|
|
||||||
</td>
|
|
||||||
<td>{{ getOwnerDisplayName(channel.owner_user_id) }}</td>
|
|
||||||
<td>
|
|
||||||
<nz-tag [nzColor]="getSubscriptionStatus(channel).color">
|
|
||||||
{{ getSubscriptionStatus(channel).label }}
|
|
||||||
</nz-tag>
|
|
||||||
</td>
|
|
||||||
<td>{{ channel.messages_sent }}</td>
|
|
||||||
<td>
|
|
||||||
@if (channel.timestamp_lastsent) {
|
|
||||||
<span nz-tooltip [nzTooltipTitle]="channel.timestamp_lastsent">
|
|
||||||
{{ channel.timestamp_lastsent | relativeTime }}
|
|
||||||
</span>
|
|
||||||
} @else {
|
} @else {
|
||||||
<span class="text-muted">Never</span>
|
<div class="channel-name">{{ channel.display_name }}</div>
|
||||||
|
<div class="channel-id mono">{{ channel.channel_id }}</div>
|
||||||
}
|
}
|
||||||
</td>
|
</td>
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
|
<span class="mono">{{ channel.internal_name }}</span>
|
||||||
|
</a>
|
||||||
|
} @else {
|
||||||
|
<span class="mono">{{ channel.internal_name }}</span>
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
|
<div class="channel-name">{{ getOwnerDisplayName(channel.owner_user_id) }}</div>
|
||||||
|
<div class="channel-id mono">{{ channel.owner_user_id }}</div>
|
||||||
|
</a>
|
||||||
|
} @else {
|
||||||
|
<div class="channel-name">{{ getOwnerDisplayName(channel.owner_user_id) }}</div>
|
||||||
|
<div class="channel-id mono">{{ channel.owner_user_id }}</div>
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
|
<nz-tag [nzColor]="getSubscriptionStatus(channel).color">
|
||||||
|
{{ getSubscriptionStatus(channel).label }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
} @else {
|
||||||
|
<nz-tag [nzColor]="getSubscriptionStatus(channel).color">
|
||||||
|
{{ getSubscriptionStatus(channel).label }}
|
||||||
|
</nz-tag>
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
|
<app-channel-subscribers [channelId]="channel.channel_id" />
|
||||||
|
</a>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted">-</span>
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
|
{{ channel.messages_sent }}
|
||||||
|
</a>
|
||||||
|
} @else {
|
||||||
|
{{ channel.messages_sent }}
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<a class="cell-link" [routerLink]="['/channels', channel.channel_id]">
|
||||||
|
@if (channel.timestamp_lastsent) {
|
||||||
|
<div class="timestamp-absolute">{{ channel.timestamp_lastsent | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ channel.timestamp_lastsent | relativeTime }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted">Never</span>
|
||||||
|
}
|
||||||
|
</a>
|
||||||
|
} @else {
|
||||||
|
@if (channel.timestamp_lastsent) {
|
||||||
|
<div class="timestamp-absolute">{{ channel.timestamp_lastsent | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ channel.timestamp_lastsent | relativeTime }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted">Never</span>
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
@if (expertMode()) {
|
||||||
|
<td>
|
||||||
|
@if (isOwned(channel)) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
[nzType]="channel.subscription ? 'default' : 'primary'"
|
||||||
|
nz-tooltip
|
||||||
|
[nzTooltipTitle]="channel.subscription ? 'Unsubscribe' : 'Subscribe'"
|
||||||
|
(click)="toggleSelfSubscription(channel, $event)"
|
||||||
|
>
|
||||||
|
<span nz-icon [nzType]="channel.subscription ? 'user-delete' : 'user-add'"></span>
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
</td>
|
||||||
|
}
|
||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
<tr>
|
<tr>
|
||||||
<td colspan="6">
|
<td [attr.colspan]="expertMode() ? 8 : 7">
|
||||||
<nz-empty nzNotFoundContent="No channels found"></nz-empty>
|
<nz-empty nzNotFoundContent="No channels found"></nz-empty>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
|
|||||||
@@ -23,12 +23,32 @@
|
|||||||
color: #333;
|
color: #333;
|
||||||
}
|
}
|
||||||
|
|
||||||
.channel-description {
|
.channel-id {
|
||||||
font-size: 12px;
|
font-size: 11px;
|
||||||
color: #999;
|
color: #999;
|
||||||
margin-top: 4px;
|
margin-top: 2px;
|
||||||
}
|
}
|
||||||
|
|
||||||
.text-muted {
|
.text-muted {
|
||||||
color: #999;
|
color: #999;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.clickable-row {
|
||||||
|
cursor: pointer;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background-color: #fafafa;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, computed, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
import { Router } from '@angular/router';
|
import { Router, RouterLink } from '@angular/router';
|
||||||
import { NzTableModule } from 'ng-zorro-antd/table';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
@@ -9,17 +9,26 @@ import { NzBadgeModule } from 'ng-zorro-antd/badge';
|
|||||||
import { NzEmptyModule } from 'ng-zorro-antd/empty';
|
import { NzEmptyModule } from 'ng-zorro-antd/empty';
|
||||||
import { NzCardModule } from 'ng-zorro-antd/card';
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
||||||
|
import { NzTabsModule } from 'ng-zorro-antd/tabs';
|
||||||
|
import { NzAlertModule } from 'ng-zorro-antd/alert';
|
||||||
import { ApiService } from '../../../core/services/api.service';
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
import { AuthService } from '../../../core/services/auth.service';
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
|
import { SettingsService } from '../../../core/services/settings.service';
|
||||||
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
||||||
import { ChannelWithSubscription } from '../../../core/models';
|
import { ChannelWithSubscription } from '../../../core/models';
|
||||||
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
|
import { ChannelSubscribersComponent } from '../channel-subscribers/channel-subscribers.component';
|
||||||
|
|
||||||
|
type ChannelTab = 'all' | 'owned' | 'foreign';
|
||||||
|
|
||||||
@Component({
|
@Component({
|
||||||
selector: 'app-channel-list',
|
selector: 'app-channel-list',
|
||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
|
RouterLink,
|
||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
@@ -28,7 +37,10 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
NzEmptyModule,
|
NzEmptyModule,
|
||||||
NzCardModule,
|
NzCardModule,
|
||||||
NzToolTipModule,
|
NzToolTipModule,
|
||||||
|
NzTabsModule,
|
||||||
|
NzAlertModule,
|
||||||
RelativeTimePipe,
|
RelativeTimePipe,
|
||||||
|
ChannelSubscribersComponent,
|
||||||
],
|
],
|
||||||
templateUrl: './channel-list.component.html',
|
templateUrl: './channel-list.component.html',
|
||||||
styleUrl: './channel-list.component.scss'
|
styleUrl: './channel-list.component.scss'
|
||||||
@@ -36,12 +48,31 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
export class ChannelListComponent implements OnInit {
|
export class ChannelListComponent implements OnInit {
|
||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
|
private notification = inject(NotificationService);
|
||||||
|
private settingsService = inject(SettingsService);
|
||||||
private userCacheService = inject(UserCacheService);
|
private userCacheService = inject(UserCacheService);
|
||||||
private router = inject(Router);
|
private router = inject(Router);
|
||||||
|
|
||||||
channels = signal<ChannelWithSubscription[]>([]);
|
allChannels = signal<ChannelWithSubscription[]>([]);
|
||||||
ownerNames = signal<Map<string, ResolvedUser>>(new Map());
|
ownerNames = signal<Map<string, ResolvedUser>>(new Map());
|
||||||
loading = signal(false);
|
loading = signal(false);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
activeTab = signal<ChannelTab>('all');
|
||||||
|
|
||||||
|
channels = computed(() => {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
const all = this.allChannels();
|
||||||
|
const tab = this.activeTab();
|
||||||
|
|
||||||
|
switch (tab) {
|
||||||
|
case 'owned':
|
||||||
|
return all.filter(c => c.owner_user_id === userId);
|
||||||
|
case 'foreign':
|
||||||
|
return all.filter(c => c.owner_user_id !== userId);
|
||||||
|
default:
|
||||||
|
return all;
|
||||||
|
}
|
||||||
|
});
|
||||||
|
|
||||||
ngOnInit(): void {
|
ngOnInit(): void {
|
||||||
this.loadChannels();
|
this.loadChannels();
|
||||||
@@ -54,7 +85,7 @@ export class ChannelListComponent implements OnInit {
|
|||||||
this.loading.set(true);
|
this.loading.set(true);
|
||||||
this.apiService.getChannels(userId, 'all_any').subscribe({
|
this.apiService.getChannels(userId, 'all_any').subscribe({
|
||||||
next: (response) => {
|
next: (response) => {
|
||||||
this.channels.set(response.channels);
|
this.allChannels.set(response.channels);
|
||||||
this.loading.set(false);
|
this.loading.set(false);
|
||||||
this.resolveOwnerNames(response.channels);
|
this.resolveOwnerNames(response.channels);
|
||||||
},
|
},
|
||||||
@@ -64,6 +95,22 @@ export class ChannelListComponent implements OnInit {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
onTabChange(index: number): void {
|
||||||
|
const tabs: ChannelTab[] = ['all', 'owned', 'foreign'];
|
||||||
|
this.activeTab.set(tabs[index]);
|
||||||
|
}
|
||||||
|
|
||||||
|
getTabDescription(): string | null {
|
||||||
|
switch (this.activeTab()) {
|
||||||
|
case 'owned':
|
||||||
|
return 'Channels that you own and can configure.';
|
||||||
|
case 'foreign':
|
||||||
|
return 'Channels owned by other users that you are subscribed to.';
|
||||||
|
default:
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
private resolveOwnerNames(channels: ChannelWithSubscription[]): void {
|
private resolveOwnerNames(channels: ChannelWithSubscription[]): void {
|
||||||
const uniqueOwnerIds = [...new Set(channels.map(c => c.owner_user_id))];
|
const uniqueOwnerIds = [...new Set(channels.map(c => c.owner_user_id))];
|
||||||
for (const ownerId of uniqueOwnerIds) {
|
for (const ownerId of uniqueOwnerIds) {
|
||||||
@@ -105,4 +152,28 @@ export class ChannelListComponent implements OnInit {
|
|||||||
|
|
||||||
return { label: 'Not Subscribed', color: 'default' };
|
return { label: 'Not Subscribed', color: 'default' };
|
||||||
}
|
}
|
||||||
|
|
||||||
|
toggleSelfSubscription(channel: ChannelWithSubscription, event: Event): void {
|
||||||
|
event.stopPropagation();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
if (channel.subscription) {
|
||||||
|
// Unsubscribe
|
||||||
|
this.apiService.deleteSubscription(userId, channel.subscription.subscription_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Unsubscribed from channel');
|
||||||
|
this.loadChannels();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
} else {
|
||||||
|
// Subscribe
|
||||||
|
this.apiService.createSubscription(userId, { channel_id: channel.channel_id }).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscribed to channel');
|
||||||
|
this.loadChannels();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -0,0 +1,107 @@
|
|||||||
|
import { Component, inject, input, signal, OnInit } from '@angular/core';
|
||||||
|
import { CommonModule } from '@angular/common';
|
||||||
|
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
||||||
|
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
||||||
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
|
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
||||||
|
import { Subscription } from '../../../core/models';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'app-channel-subscribers',
|
||||||
|
standalone: true,
|
||||||
|
imports: [CommonModule, NzSpinModule, NzToolTipModule],
|
||||||
|
template: `
|
||||||
|
@if (loading()) {
|
||||||
|
<nz-spin nzSimple nzSize="small"></nz-spin>
|
||||||
|
} @else if (subscribers().length === 0) {
|
||||||
|
<span class="text-muted">None</span>
|
||||||
|
} @else {
|
||||||
|
<div class="subscribers-list">
|
||||||
|
@for (sub of subscribers(); track sub.subscription_id) {
|
||||||
|
<span
|
||||||
|
class="subscriber"
|
||||||
|
[class.unconfirmed]="!sub.confirmed"
|
||||||
|
nz-tooltip
|
||||||
|
[nzTooltipTitle]="getTooltip(sub)"
|
||||||
|
>
|
||||||
|
{{ getDisplayName(sub.subscriber_user_id) }}
|
||||||
|
</span>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
}
|
||||||
|
`,
|
||||||
|
styles: [`
|
||||||
|
.text-muted {
|
||||||
|
color: #999;
|
||||||
|
}
|
||||||
|
.subscribers-list {
|
||||||
|
display: flex;
|
||||||
|
flex-wrap: wrap;
|
||||||
|
gap: 4px;
|
||||||
|
}
|
||||||
|
.subscriber {
|
||||||
|
background: #f0f0f0;
|
||||||
|
padding: 2px 8px;
|
||||||
|
border-radius: 4px;
|
||||||
|
font-size: 12px;
|
||||||
|
}
|
||||||
|
.subscriber.unconfirmed {
|
||||||
|
background: #fff7e6;
|
||||||
|
color: #d48806;
|
||||||
|
}
|
||||||
|
`]
|
||||||
|
})
|
||||||
|
export class ChannelSubscribersComponent implements OnInit {
|
||||||
|
private apiService = inject(ApiService);
|
||||||
|
private authService = inject(AuthService);
|
||||||
|
private userCacheService = inject(UserCacheService);
|
||||||
|
|
||||||
|
channelId = input.required<string>();
|
||||||
|
|
||||||
|
loading = signal(true);
|
||||||
|
subscribers = signal<Subscription[]>([]);
|
||||||
|
userNames = signal<Map<string, ResolvedUser>>(new Map());
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
this.loadSubscribers();
|
||||||
|
}
|
||||||
|
|
||||||
|
private loadSubscribers(): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) {
|
||||||
|
this.loading.set(false);
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
this.apiService.getChannelSubscriptions(userId, this.channelId()).subscribe({
|
||||||
|
next: (response) => {
|
||||||
|
this.subscribers.set(response.subscriptions);
|
||||||
|
this.loading.set(false);
|
||||||
|
this.resolveUserNames(response.subscriptions);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loading.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveUserNames(subscriptions: Subscription[]): void {
|
||||||
|
const userIds = new Set(subscriptions.map(s => s.subscriber_user_id));
|
||||||
|
for (const userId of userIds) {
|
||||||
|
this.userCacheService.resolveUser(userId).subscribe(resolved => {
|
||||||
|
this.userNames.update(map => new Map(map).set(userId, resolved));
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
getDisplayName(userId: string): string {
|
||||||
|
const resolved = this.userNames().get(userId);
|
||||||
|
return resolved?.displayName || userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
getTooltip(sub: Subscription): string {
|
||||||
|
const status = sub.confirmed ? 'Confirmed' : 'Pending';
|
||||||
|
return `${sub.subscriber_user_id} (${status})`;
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -0,0 +1,74 @@
|
|||||||
|
<div class="page-content">
|
||||||
|
@if (loading()) {
|
||||||
|
<div class="loading-container">
|
||||||
|
<nz-spin nzSimple nzSize="large"></nz-spin>
|
||||||
|
</div>
|
||||||
|
} @else if (client()) {
|
||||||
|
<div class="detail-header">
|
||||||
|
<button nz-button (click)="goBack()">
|
||||||
|
<span nz-icon nzType="arrow-left" nzTheme="outline"></span>
|
||||||
|
Back to Clients
|
||||||
|
</button>
|
||||||
|
@if (expertMode()) {
|
||||||
|
<div class="header-actions">
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzDanger
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Are you sure you want to delete this client?"
|
||||||
|
(nzOnConfirm)="deleteClient()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="delete"></span>
|
||||||
|
Delete
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<nz-card>
|
||||||
|
<div class="client-header">
|
||||||
|
<span
|
||||||
|
nz-icon
|
||||||
|
[nzType]="getClientIcon(client()!.type)"
|
||||||
|
nzTheme="outline"
|
||||||
|
class="client-type-icon"
|
||||||
|
></span>
|
||||||
|
<h2 class="client-title">{{ client()!.name || 'Unnamed Client' }}</h2>
|
||||||
|
<nz-tag>{{ getClientTypeLabel(client()!.type) }}</nz-tag>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<scn-metadata-grid>
|
||||||
|
<scn-metadata-value label="Client ID">
|
||||||
|
<span class="mono">{{ client()!.client_id }}</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Type">
|
||||||
|
<nz-tag>{{ getClientTypeLabel(client()!.type) }}</nz-tag>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Agent">
|
||||||
|
<div class="agent-info">
|
||||||
|
<span>{{ client()!.agent_model }}</span>
|
||||||
|
<span class="agent-version">v{{ client()!.agent_version }}</span>
|
||||||
|
</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Created">
|
||||||
|
<div class="timestamp-absolute">{{ client()!.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ client()!.timestamp_created | relativeTime }}</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="FCM Token">
|
||||||
|
<span class="mono fcm-token" nz-tooltip [nzTooltipTitle]="client()!.fcm_token">
|
||||||
|
{{ client()!.fcm_token }}
|
||||||
|
</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
</scn-metadata-grid>
|
||||||
|
</nz-card>
|
||||||
|
} @else {
|
||||||
|
<nz-card>
|
||||||
|
<div class="not-found">
|
||||||
|
<p>Client not found</p>
|
||||||
|
<button nz-button nzType="primary" (click)="goBack()">
|
||||||
|
Back to Clients
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</nz-card>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
@@ -0,0 +1,69 @@
|
|||||||
|
.loading-container {
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
align-items: center;
|
||||||
|
min-height: 300px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.header-actions {
|
||||||
|
display: flex;
|
||||||
|
gap: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.client-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 12px;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.client-type-icon {
|
||||||
|
font-size: 24px;
|
||||||
|
color: #666;
|
||||||
|
}
|
||||||
|
|
||||||
|
.client-title {
|
||||||
|
margin: 0;
|
||||||
|
font-size: 20px;
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
|
.agent-info {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
|
||||||
|
.agent-version {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.fcm-token {
|
||||||
|
display: block;
|
||||||
|
max-width: 300px;
|
||||||
|
overflow: hidden;
|
||||||
|
text-overflow: ellipsis;
|
||||||
|
white-space: nowrap;
|
||||||
|
}
|
||||||
|
|
||||||
|
.not-found {
|
||||||
|
text-align: center;
|
||||||
|
padding: 48px;
|
||||||
|
|
||||||
|
p {
|
||||||
|
color: #999;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
@@ -0,0 +1,105 @@
|
|||||||
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
|
import { ActivatedRoute, Router } from '@angular/router';
|
||||||
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
|
import { NzTagModule } from 'ng-zorro-antd/tag';
|
||||||
|
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
||||||
|
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
||||||
|
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
||||||
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
|
import { SettingsService } from '../../../core/services/settings.service';
|
||||||
|
import { Client, ClientType, getClientTypeIcon } from '../../../core/models';
|
||||||
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
|
import { MetadataGridComponent, MetadataValueComponent } from '../../../shared/components/metadata-grid';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'app-client-detail',
|
||||||
|
standalone: true,
|
||||||
|
imports: [
|
||||||
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
|
NzCardModule,
|
||||||
|
NzButtonModule,
|
||||||
|
NzIconModule,
|
||||||
|
NzTagModule,
|
||||||
|
NzSpinModule,
|
||||||
|
NzPopconfirmModule,
|
||||||
|
NzToolTipModule,
|
||||||
|
RelativeTimePipe,
|
||||||
|
MetadataGridComponent,
|
||||||
|
MetadataValueComponent,
|
||||||
|
],
|
||||||
|
templateUrl: './client-detail.component.html',
|
||||||
|
styleUrl: './client-detail.component.scss'
|
||||||
|
})
|
||||||
|
export class ClientDetailComponent implements OnInit {
|
||||||
|
private route = inject(ActivatedRoute);
|
||||||
|
private router = inject(Router);
|
||||||
|
private apiService = inject(ApiService);
|
||||||
|
private authService = inject(AuthService);
|
||||||
|
private notification = inject(NotificationService);
|
||||||
|
private settingsService = inject(SettingsService);
|
||||||
|
|
||||||
|
client = signal<Client | null>(null);
|
||||||
|
loading = signal(true);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
const clientId = this.route.snapshot.paramMap.get('id');
|
||||||
|
if (clientId) {
|
||||||
|
this.loadClient(clientId);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
loadClient(clientId: string): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.loading.set(true);
|
||||||
|
this.apiService.getClient(userId, clientId).subscribe({
|
||||||
|
next: (client) => {
|
||||||
|
this.client.set(client);
|
||||||
|
this.loading.set(false);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loading.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
goBack(): void {
|
||||||
|
this.router.navigate(['/clients']);
|
||||||
|
}
|
||||||
|
|
||||||
|
getClientIcon(type: ClientType): string {
|
||||||
|
return getClientTypeIcon(type);
|
||||||
|
}
|
||||||
|
|
||||||
|
getClientTypeLabel(type: ClientType): string {
|
||||||
|
switch (type) {
|
||||||
|
case 'ANDROID': return 'Android';
|
||||||
|
case 'IOS': return 'iOS';
|
||||||
|
case 'MACOS': return 'macOS';
|
||||||
|
case 'WINDOWS': return 'Windows';
|
||||||
|
case 'LINUX': return 'Linux';
|
||||||
|
default: return type;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
deleteClient(): void {
|
||||||
|
const client = this.client();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!client || !userId) return;
|
||||||
|
|
||||||
|
this.apiService.deleteClient(userId, client.client_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Client deleted');
|
||||||
|
this.router.navigate(['/clients']);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -19,47 +19,55 @@
|
|||||||
<ng-template #noResultTpl></ng-template>
|
<ng-template #noResultTpl></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="5%"></th>
|
<th nzWidth="0"></th>
|
||||||
<th nzWidth="20%">Name</th>
|
<th>Name</th>
|
||||||
<th nzWidth="15%">Type</th>
|
<th nzWidth="0">Type</th>
|
||||||
<th nzWidth="25%">Agent</th>
|
<th nzWidth="0">Agent</th>
|
||||||
<th nzWidth="20%">Created</th>
|
<th nzWidth="0">Created</th>
|
||||||
<th nzWidth="15%">Client ID</th>
|
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@for (client of clients(); track client.client_id) {
|
@for (client of clients(); track client.client_id) {
|
||||||
<tr>
|
<tr class="clickable-row">
|
||||||
<td>
|
<td>
|
||||||
<span
|
<a class="cell-link" [routerLink]="['/clients', client.client_id]">
|
||||||
nz-icon
|
<span
|
||||||
[nzType]="getClientIcon(client.type)"
|
nz-icon
|
||||||
nzTheme="outline"
|
[nzType]="getClientIcon(client.type)"
|
||||||
class="client-icon"
|
nzTheme="outline"
|
||||||
></span>
|
class="client-icon"
|
||||||
</td>
|
></span>
|
||||||
<td>{{ client.name || '-' }}</td>
|
</a>
|
||||||
<td>
|
|
||||||
<nz-tag>{{ getClientTypeLabel(client.type) }}</nz-tag>
|
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<div class="agent-info">
|
<a class="cell-link" [routerLink]="['/clients', client.client_id]">
|
||||||
<span>{{ client.agent_model }}</span>
|
<div class="client-name">{{ client.name || '-' }}</div>
|
||||||
<span class="agent-version">v{{ client.agent_version }}</span>
|
<div class="client-id mono">{{ client.client_id }}</div>
|
||||||
</div>
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<span nz-tooltip [nzTooltipTitle]="client.timestamp_created">
|
<a class="cell-link" [routerLink]="['/clients', client.client_id]">
|
||||||
{{ client.timestamp_created | relativeTime }}
|
<nz-tag>{{ getClientTypeLabel(client.type) }}</nz-tag>
|
||||||
</span>
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<span class="mono client-id">{{ client.client_id }}</span>
|
<a class="cell-link" [routerLink]="['/clients', client.client_id]">
|
||||||
|
<div class="agent-info">
|
||||||
|
<span style="white-space: pre;">{{ client.agent_model }}</span>
|
||||||
|
<span style="white-space: pre;" class="agent-version">v{{ client.agent_version }}</span>
|
||||||
|
</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/clients', client.client_id]">
|
||||||
|
<div class="timestamp-absolute">{{ client.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ client.timestamp_created | relativeTime }}</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
<tr>
|
<tr>
|
||||||
<td colspan="6">
|
<td colspan="5">
|
||||||
<nz-empty nzNotFoundContent="No clients registered"></nz-empty>
|
<nz-empty nzNotFoundContent="No clients registered"></nz-empty>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
|
|||||||
@@ -24,7 +24,33 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.client-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
.client-id {
|
.client-id {
|
||||||
font-size: 11px;
|
font-size: 11px;
|
||||||
color: #999;
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.clickable-row {
|
||||||
|
cursor: pointer;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background-color: #fafafa;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,5 +1,6 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
|
import { Router, RouterLink } from '@angular/router';
|
||||||
import { NzTableModule } from 'ng-zorro-antd/table';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
@@ -17,6 +18,8 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
|
RouterLink,
|
||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
@@ -32,6 +35,7 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
export class ClientListComponent implements OnInit {
|
export class ClientListComponent implements OnInit {
|
||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
|
private router = inject(Router);
|
||||||
|
|
||||||
clients = signal<Client[]>([]);
|
clients = signal<Client[]>([]);
|
||||||
loading = signal(false);
|
loading = signal(false);
|
||||||
@@ -70,4 +74,8 @@ export class ClientListComponent implements OnInit {
|
|||||||
default: return type;
|
default: return type;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
openClient(clientId: string): void {
|
||||||
|
this.router.navigate(['/clients', clientId]);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -0,0 +1,276 @@
|
|||||||
|
<div class="page-content">
|
||||||
|
@if (loading()) {
|
||||||
|
<div class="loading-container">
|
||||||
|
<nz-spin nzSimple nzSize="large"></nz-spin>
|
||||||
|
</div>
|
||||||
|
} @else if (key()) {
|
||||||
|
<div class="detail-header">
|
||||||
|
<button nz-button (click)="goBack()">
|
||||||
|
<span nz-icon nzType="arrow-left" nzTheme="outline"></span>
|
||||||
|
Back to Keys
|
||||||
|
</button>
|
||||||
|
<div class="header-actions">
|
||||||
|
<button nz-button (click)="openEditModal()">
|
||||||
|
<span nz-icon nzType="edit"></span>
|
||||||
|
Edit
|
||||||
|
</button>
|
||||||
|
@if (!isCurrentKey()) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzDanger
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Are you sure you want to delete this key?"
|
||||||
|
(nzOnConfirm)="deleteKey()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="delete"></span>
|
||||||
|
Delete
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<nz-card>
|
||||||
|
<div class="key-header">
|
||||||
|
<h2 class="key-title">{{ key()!.name }}</h2>
|
||||||
|
@if (isCurrentKey()) {
|
||||||
|
<nz-tag nzColor="cyan">Current</nz-tag>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<scn-metadata-grid>
|
||||||
|
<scn-metadata-value label="Key ID">
|
||||||
|
<span class="mono">{{ key()!.keytoken_id }}</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Permissions">
|
||||||
|
<div class="permissions">
|
||||||
|
@for (perm of getPermissions(); track perm) {
|
||||||
|
<nz-tag
|
||||||
|
[nzColor]="getPermissionColor(perm)"
|
||||||
|
nz-tooltip
|
||||||
|
[nzTooltipTitle]="getPermissionLabel(perm)"
|
||||||
|
>
|
||||||
|
{{ perm }}
|
||||||
|
</nz-tag>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Channel Access">
|
||||||
|
@if (key()!.all_channels) {
|
||||||
|
<nz-tag nzColor="default">All Channels</nz-tag>
|
||||||
|
} @else if (key()!.channels && key()!.channels.length > 0) {
|
||||||
|
<div class="channel-list">
|
||||||
|
@for (channelId of key()!.channels; track channelId) {
|
||||||
|
<nz-tag nzColor="orange" nz-tooltip [nzTooltipTitle]="channelId">
|
||||||
|
{{ getChannelDisplayName(channelId) }}
|
||||||
|
</nz-tag>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted">No channels</span>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Messages Sent">
|
||||||
|
{{ key()!.messages_sent }}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Created">
|
||||||
|
<div class="timestamp-absolute">{{ key()!.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ key()!.timestamp_created | relativeTime }}</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Last Used">
|
||||||
|
@if (key()!.timestamp_lastused) {
|
||||||
|
<div class="timestamp-absolute">{{ key()!.timestamp_lastused | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ key()!.timestamp_lastused | relativeTime }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted">Never</span>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Owner">
|
||||||
|
@if (resolvedOwner()) {
|
||||||
|
<div class="owner-name">{{ resolvedOwner()!.displayName }}</div>
|
||||||
|
<div class="owner-id mono">{{ key()!.owner_user_id }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="mono">{{ key()!.owner_user_id }}</span>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
</scn-metadata-grid>
|
||||||
|
</nz-card>
|
||||||
|
|
||||||
|
<nz-card nzTitle="Messages" class="mt-16">
|
||||||
|
<nz-table
|
||||||
|
#messageTable
|
||||||
|
[nzData]="messages()"
|
||||||
|
[nzLoading]="loadingMessages()"
|
||||||
|
[nzShowPagination]="false"
|
||||||
|
[nzNoResult]="noMessagesResultTpl"
|
||||||
|
nzSize="small"
|
||||||
|
>
|
||||||
|
<ng-template #noMessagesResultTpl></ng-template>
|
||||||
|
<thead>
|
||||||
|
<tr>
|
||||||
|
<th>Title</th>
|
||||||
|
<th>Content</th>
|
||||||
|
<th nzWidth="0">Channel</th>
|
||||||
|
<th nzWidth="0">Sender</th>
|
||||||
|
<th nzWidth="0">Priority</th>
|
||||||
|
<th nzWidth="0">Time</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
@for (message of messages(); track message.message_id) {
|
||||||
|
<tr class="clickable-row">
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="message-title">{{ message.title }}</div>
|
||||||
|
<div class="message-id mono">{{ message.message_id }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
@if (message.content) {
|
||||||
|
<div class="message-content">{{ message.content | slice:0:128 }}{{ message.content.length > 128 ? '...' : '' }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted"></span>
|
||||||
|
}
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="cell-name">{{ message.channel_internal_name }}</div>
|
||||||
|
<div class="cell-id mono">{{ message.channel_id }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<span style="white-space: pre">{{ message.sender_name || '-' }}</span>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<nz-tag [nzColor]="getPriorityColor(message.priority)">
|
||||||
|
{{ getPriorityLabel(message.priority) }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="timestamp-absolute">{{ message.timestamp | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ message.timestamp | relativeTime }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
} @empty {
|
||||||
|
<tr>
|
||||||
|
<td colspan="6">
|
||||||
|
<nz-empty nzNotFoundContent="No messages sent with this key"></nz-empty>
|
||||||
|
</td>
|
||||||
|
</tr>
|
||||||
|
}
|
||||||
|
</tbody>
|
||||||
|
</nz-table>
|
||||||
|
@if (messagesTotalCount() > messagesPageSize) {
|
||||||
|
<div class="pagination-controls">
|
||||||
|
<nz-pagination
|
||||||
|
[nzPageIndex]="messagesCurrentPage()"
|
||||||
|
[nzPageSize]="messagesPageSize"
|
||||||
|
[nzTotal]="messagesTotalCount()"
|
||||||
|
[nzDisabled]="loadingMessages()"
|
||||||
|
(nzPageIndexChange)="messagesGoToPage($event)"
|
||||||
|
></nz-pagination>
|
||||||
|
</div>
|
||||||
|
}
|
||||||
|
</nz-card>
|
||||||
|
} @else {
|
||||||
|
<nz-card>
|
||||||
|
<div class="not-found">
|
||||||
|
<p>Key not found</p>
|
||||||
|
<button nz-button nzType="primary" (click)="goBack()">
|
||||||
|
Back to Keys
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</nz-card>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<!-- Edit Modal -->
|
||||||
|
<nz-modal
|
||||||
|
[(nzVisible)]="showEditModal"
|
||||||
|
nzTitle="Edit Key"
|
||||||
|
(nzOnCancel)="closeEditModal()"
|
||||||
|
[nzFooter]="editModalFooter"
|
||||||
|
nzWidth="500px"
|
||||||
|
>
|
||||||
|
<ng-container *nzModalContent>
|
||||||
|
<nz-form-item>
|
||||||
|
<nz-form-label>Name</nz-form-label>
|
||||||
|
<nz-form-control>
|
||||||
|
<input
|
||||||
|
type="text"
|
||||||
|
nz-input
|
||||||
|
placeholder="Enter a name for this key"
|
||||||
|
[(ngModel)]="editKeyName"
|
||||||
|
/>
|
||||||
|
</nz-form-control>
|
||||||
|
</nz-form-item>
|
||||||
|
|
||||||
|
<nz-form-item>
|
||||||
|
<nz-form-label>Permissions</nz-form-label>
|
||||||
|
<nz-form-control>
|
||||||
|
<div class="permission-checkboxes">
|
||||||
|
@for (opt of permissionOptions; track opt.value) {
|
||||||
|
<label
|
||||||
|
nz-checkbox
|
||||||
|
[nzChecked]="isEditPermissionChecked(opt.value)"
|
||||||
|
[nzDisabled]="opt.value !== 'A' && isEditPermissionChecked('A')"
|
||||||
|
(nzCheckedChange)="onEditPermissionChange(opt.value, $event)"
|
||||||
|
>
|
||||||
|
<nz-tag [nzColor]="getPermissionColor(opt.value)">{{ opt.value }}</nz-tag>
|
||||||
|
<span class="perm-label">{{ opt.label }}</span>
|
||||||
|
<span class="perm-desc">- {{ opt.description }}</span>
|
||||||
|
</label>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
</nz-form-control>
|
||||||
|
</nz-form-item>
|
||||||
|
|
||||||
|
<nz-form-item>
|
||||||
|
<label nz-checkbox [(ngModel)]="editKeyAllChannels">
|
||||||
|
Access to all channels
|
||||||
|
</label>
|
||||||
|
</nz-form-item>
|
||||||
|
|
||||||
|
@if (!editKeyAllChannels) {
|
||||||
|
<nz-form-item class="mb-0">
|
||||||
|
<nz-form-label>Channels</nz-form-label>
|
||||||
|
<nz-form-control>
|
||||||
|
<nz-select
|
||||||
|
[(ngModel)]="editKeyChannels"
|
||||||
|
nzMode="multiple"
|
||||||
|
nzPlaceHolder="Select channels"
|
||||||
|
nzShowSearch
|
||||||
|
style="width: 100%"
|
||||||
|
>
|
||||||
|
@for (channel of availableChannels(); track channel.channel_id) {
|
||||||
|
<nz-option
|
||||||
|
[nzValue]="channel.channel_id"
|
||||||
|
[nzLabel]="getChannelLabel(channel)"
|
||||||
|
></nz-option>
|
||||||
|
}
|
||||||
|
</nz-select>
|
||||||
|
</nz-form-control>
|
||||||
|
</nz-form-item>
|
||||||
|
}
|
||||||
|
</ng-container>
|
||||||
|
</nz-modal>
|
||||||
|
|
||||||
|
<ng-template #editModalFooter>
|
||||||
|
<button nz-button (click)="closeEditModal()">Cancel</button>
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzType="primary"
|
||||||
|
[nzLoading]="updating()"
|
||||||
|
[disabled]="!editKeyName.trim() || editKeyPermissions.length === 0"
|
||||||
|
(click)="updateKey()"
|
||||||
|
>
|
||||||
|
Save
|
||||||
|
</button>
|
||||||
|
</ng-template>
|
||||||
@@ -0,0 +1,145 @@
|
|||||||
|
.loading-container {
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
align-items: center;
|
||||||
|
min-height: 300px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.header-actions {
|
||||||
|
display: flex;
|
||||||
|
gap: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.key-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 12px;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.key-title {
|
||||||
|
margin: 0;
|
||||||
|
font-size: 20px;
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
|
.permissions {
|
||||||
|
display: flex;
|
||||||
|
flex-wrap: wrap;
|
||||||
|
gap: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.channel-list {
|
||||||
|
display: flex;
|
||||||
|
flex-wrap: wrap;
|
||||||
|
gap: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-muted {
|
||||||
|
color: #999;
|
||||||
|
}
|
||||||
|
|
||||||
|
.owner-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.owner-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.not-found {
|
||||||
|
text-align: center;
|
||||||
|
padding: 48px;
|
||||||
|
|
||||||
|
p {
|
||||||
|
color: #999;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.permission-checkboxes {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
gap: 8px;
|
||||||
|
|
||||||
|
label {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
margin-left: 0;
|
||||||
|
}
|
||||||
|
|
||||||
|
nz-tag {
|
||||||
|
width: 32px;
|
||||||
|
text-align: center;
|
||||||
|
margin-right: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.perm-label {
|
||||||
|
min-width: 100px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.perm-desc {
|
||||||
|
color: #999;
|
||||||
|
font-size: 12px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.clickable-row {
|
||||||
|
cursor: pointer;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background-color: #fafafa;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-title {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-content {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #666;
|
||||||
|
white-space: pre;
|
||||||
|
max-height: 2lh;
|
||||||
|
overflow-y: clip;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.pagination-controls {
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
align-items: center;
|
||||||
|
padding: 16px 0;
|
||||||
|
}
|
||||||
332
webapp/src/app/features/keys/key-detail/key-detail.component.ts
Normal file
332
webapp/src/app/features/keys/key-detail/key-detail.component.ts
Normal file
@@ -0,0 +1,332 @@
|
|||||||
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
|
import { ActivatedRoute, Router, RouterLink } from '@angular/router';
|
||||||
|
import { FormsModule } from '@angular/forms';
|
||||||
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
|
import { NzTagModule } from 'ng-zorro-antd/tag';
|
||||||
|
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
||||||
|
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
||||||
|
import { NzModalModule } from 'ng-zorro-antd/modal';
|
||||||
|
import { NzFormModule } from 'ng-zorro-antd/form';
|
||||||
|
import { NzInputModule } from 'ng-zorro-antd/input';
|
||||||
|
import { NzCheckboxModule } from 'ng-zorro-antd/checkbox';
|
||||||
|
import { NzSelectModule } from 'ng-zorro-antd/select';
|
||||||
|
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
||||||
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
|
import { NzEmptyModule } from 'ng-zorro-antd/empty';
|
||||||
|
import { NzPaginationModule } from 'ng-zorro-antd/pagination';
|
||||||
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
|
import { ChannelCacheService, ResolvedChannel } from '../../../core/services/channel-cache.service';
|
||||||
|
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
||||||
|
import { KeyToken, parsePermissions, TokenPermission, ChannelWithSubscription, Message } from '../../../core/models';
|
||||||
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
|
import { MetadataGridComponent, MetadataValueComponent } from '../../../shared/components/metadata-grid';
|
||||||
|
|
||||||
|
interface PermissionOption {
|
||||||
|
value: TokenPermission;
|
||||||
|
label: string;
|
||||||
|
description: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'app-key-detail',
|
||||||
|
standalone: true,
|
||||||
|
imports: [
|
||||||
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
|
FormsModule,
|
||||||
|
RouterLink,
|
||||||
|
NzCardModule,
|
||||||
|
NzButtonModule,
|
||||||
|
NzIconModule,
|
||||||
|
NzTagModule,
|
||||||
|
NzSpinModule,
|
||||||
|
NzPopconfirmModule,
|
||||||
|
NzModalModule,
|
||||||
|
NzFormModule,
|
||||||
|
NzInputModule,
|
||||||
|
NzCheckboxModule,
|
||||||
|
NzSelectModule,
|
||||||
|
NzToolTipModule,
|
||||||
|
NzTableModule,
|
||||||
|
NzEmptyModule,
|
||||||
|
NzPaginationModule,
|
||||||
|
RelativeTimePipe,
|
||||||
|
MetadataGridComponent,
|
||||||
|
MetadataValueComponent,
|
||||||
|
],
|
||||||
|
templateUrl: './key-detail.component.html',
|
||||||
|
styleUrl: './key-detail.component.scss'
|
||||||
|
})
|
||||||
|
export class KeyDetailComponent implements OnInit {
|
||||||
|
private route = inject(ActivatedRoute);
|
||||||
|
private router = inject(Router);
|
||||||
|
private apiService = inject(ApiService);
|
||||||
|
private authService = inject(AuthService);
|
||||||
|
private notification = inject(NotificationService);
|
||||||
|
private channelCacheService = inject(ChannelCacheService);
|
||||||
|
private userCacheService = inject(UserCacheService);
|
||||||
|
|
||||||
|
key = signal<KeyToken | null>(null);
|
||||||
|
currentKeyId = signal<string | null>(null);
|
||||||
|
loading = signal(true);
|
||||||
|
channelNames = signal<Map<string, ResolvedChannel>>(new Map());
|
||||||
|
availableChannels = signal<ChannelWithSubscription[]>([]);
|
||||||
|
resolvedOwner = signal<ResolvedUser | null>(null);
|
||||||
|
|
||||||
|
// Messages
|
||||||
|
messages = signal<Message[]>([]);
|
||||||
|
loadingMessages = signal(false);
|
||||||
|
messagesPageSize = 16;
|
||||||
|
messagesTotalCount = signal(0);
|
||||||
|
messagesCurrentPage = signal(1);
|
||||||
|
messagesNextPageToken = signal<string | null>(null);
|
||||||
|
|
||||||
|
// Edit modal
|
||||||
|
showEditModal = signal(false);
|
||||||
|
editKeyName = '';
|
||||||
|
editKeyPermissions: TokenPermission[] = [];
|
||||||
|
editKeyAllChannels = true;
|
||||||
|
editKeyChannels: string[] = [];
|
||||||
|
updating = signal(false);
|
||||||
|
|
||||||
|
permissionOptions: PermissionOption[] = [
|
||||||
|
{ value: 'A', label: 'Admin', description: 'Full access to all operations' },
|
||||||
|
{ value: 'CR', label: 'Channel Read', description: 'Read messages from channels' },
|
||||||
|
{ value: 'CS', label: 'Channel Send', description: 'Send messages to channels' },
|
||||||
|
{ value: 'UR', label: 'User Read', description: 'Read user information' },
|
||||||
|
];
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
const keyId = this.route.snapshot.paramMap.get('id');
|
||||||
|
if (keyId) {
|
||||||
|
this.loadKey(keyId);
|
||||||
|
this.loadCurrentKey();
|
||||||
|
this.loadAvailableChannels();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
loadKey(keyId: string): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.loading.set(true);
|
||||||
|
this.apiService.getKey(userId, keyId).subscribe({
|
||||||
|
next: (key) => {
|
||||||
|
this.key.set(key);
|
||||||
|
this.loading.set(false);
|
||||||
|
this.resolveChannelNames(key);
|
||||||
|
this.resolveOwner(key.owner_user_id);
|
||||||
|
this.loadMessages(keyId);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loading.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
loadMessages(keyId: string, nextPageToken?: string): void {
|
||||||
|
this.loadingMessages.set(true);
|
||||||
|
this.apiService.getMessages({
|
||||||
|
subscription_status: 'all',
|
||||||
|
used_key: keyId,
|
||||||
|
page_size: this.messagesPageSize,
|
||||||
|
next_page_token: nextPageToken,
|
||||||
|
trimmed: true
|
||||||
|
}).subscribe({
|
||||||
|
next: (response) => {
|
||||||
|
this.messages.set(response.messages);
|
||||||
|
this.messagesTotalCount.set(response.total_count);
|
||||||
|
this.messagesNextPageToken.set(response.next_page_token || null);
|
||||||
|
this.loadingMessages.set(false);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loadingMessages.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
messagesGoToPage(page: number): void {
|
||||||
|
const key = this.key();
|
||||||
|
if (!key) return;
|
||||||
|
this.messagesCurrentPage.set(page);
|
||||||
|
if (page === 1) {
|
||||||
|
this.loadMessages(key.keytoken_id);
|
||||||
|
} else {
|
||||||
|
const token = this.messagesNextPageToken();
|
||||||
|
if (token) {
|
||||||
|
this.loadMessages(key.keytoken_id, token);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
viewMessage(message: Message): void {
|
||||||
|
this.router.navigate(['/messages', message.message_id]);
|
||||||
|
}
|
||||||
|
|
||||||
|
getPriorityColor(priority: number): string {
|
||||||
|
switch (priority) {
|
||||||
|
case 0: return 'default';
|
||||||
|
case 1: return 'blue';
|
||||||
|
case 2: return 'orange';
|
||||||
|
default: return 'default';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
getPriorityLabel(priority: number): string {
|
||||||
|
switch (priority) {
|
||||||
|
case 0: return 'Low';
|
||||||
|
case 1: return 'Normal';
|
||||||
|
case 2: return 'High';
|
||||||
|
default: return 'Unknown';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveOwner(ownerId: string): void {
|
||||||
|
this.userCacheService.resolveUser(ownerId).subscribe(resolved => {
|
||||||
|
this.resolvedOwner.set(resolved);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
loadCurrentKey(): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.getCurrentKey(userId).subscribe({
|
||||||
|
next: (key) => {
|
||||||
|
this.currentKeyId.set(key.keytoken_id);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
loadAvailableChannels(): void {
|
||||||
|
this.channelCacheService.getAllChannels().subscribe(channels => {
|
||||||
|
this.availableChannels.set(channels);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveChannelNames(key: KeyToken): void {
|
||||||
|
if (!key.all_channels && key.channels && key.channels.length > 0) {
|
||||||
|
this.channelCacheService.resolveChannels(key.channels).subscribe(resolved => {
|
||||||
|
this.channelNames.set(resolved);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
goBack(): void {
|
||||||
|
this.router.navigate(['/keys']);
|
||||||
|
}
|
||||||
|
|
||||||
|
isCurrentKey(): boolean {
|
||||||
|
const key = this.key();
|
||||||
|
return key?.keytoken_id === this.currentKeyId();
|
||||||
|
}
|
||||||
|
|
||||||
|
getPermissions(): TokenPermission[] {
|
||||||
|
const key = this.key();
|
||||||
|
return key ? parsePermissions(key.permissions) : [];
|
||||||
|
}
|
||||||
|
|
||||||
|
getPermissionColor(perm: TokenPermission): string {
|
||||||
|
switch (perm) {
|
||||||
|
case 'A': return 'red';
|
||||||
|
case 'CR': return 'blue';
|
||||||
|
case 'CS': return 'green';
|
||||||
|
case 'UR': return 'purple';
|
||||||
|
default: return 'default';
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
getPermissionLabel(perm: TokenPermission): string {
|
||||||
|
const option = this.permissionOptions.find(o => o.value === perm);
|
||||||
|
return option?.label || perm;
|
||||||
|
}
|
||||||
|
|
||||||
|
getChannelDisplayName(channelId: string): string {
|
||||||
|
const resolved = this.channelNames().get(channelId);
|
||||||
|
return resolved?.displayName || channelId;
|
||||||
|
}
|
||||||
|
|
||||||
|
getChannelLabel(channel: ChannelWithSubscription): string {
|
||||||
|
return channel.display_name || channel.internal_name;
|
||||||
|
}
|
||||||
|
|
||||||
|
// Edit modal
|
||||||
|
openEditModal(): void {
|
||||||
|
const key = this.key();
|
||||||
|
if (!key) return;
|
||||||
|
|
||||||
|
this.editKeyName = key.name;
|
||||||
|
this.editKeyPermissions = parsePermissions(key.permissions);
|
||||||
|
this.editKeyAllChannels = key.all_channels;
|
||||||
|
this.editKeyChannels = key.channels ? [...key.channels] : [];
|
||||||
|
this.showEditModal.set(true);
|
||||||
|
}
|
||||||
|
|
||||||
|
closeEditModal(): void {
|
||||||
|
this.showEditModal.set(false);
|
||||||
|
}
|
||||||
|
|
||||||
|
updateKey(): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
const key = this.key();
|
||||||
|
if (!userId || !key || !this.editKeyName.trim() || this.editKeyPermissions.length === 0) return;
|
||||||
|
|
||||||
|
this.updating.set(true);
|
||||||
|
this.apiService.updateKey(userId, key.keytoken_id, {
|
||||||
|
name: this.editKeyName.trim(),
|
||||||
|
permissions: this.editKeyPermissions.join(';'),
|
||||||
|
all_channels: this.editKeyAllChannels,
|
||||||
|
channels: this.editKeyAllChannels ? undefined : this.editKeyChannels
|
||||||
|
}).subscribe({
|
||||||
|
next: (updated) => {
|
||||||
|
this.key.set(updated);
|
||||||
|
this.notification.success('Key updated');
|
||||||
|
this.updating.set(false);
|
||||||
|
this.closeEditModal();
|
||||||
|
this.resolveChannelNames(updated);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.updating.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
onEditPermissionChange(perm: TokenPermission, checked: boolean): void {
|
||||||
|
if (checked) {
|
||||||
|
if (perm === 'A') {
|
||||||
|
this.editKeyPermissions = ['A'];
|
||||||
|
} else if (!this.editKeyPermissions.includes(perm)) {
|
||||||
|
this.editKeyPermissions = [...this.editKeyPermissions, perm];
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
this.editKeyPermissions = this.editKeyPermissions.filter(p => p !== perm);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
isEditPermissionChecked(perm: TokenPermission): boolean {
|
||||||
|
return this.editKeyPermissions.includes(perm);
|
||||||
|
}
|
||||||
|
|
||||||
|
deleteKey(): void {
|
||||||
|
const key = this.key();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!key || !userId) return;
|
||||||
|
|
||||||
|
if (this.isCurrentKey()) {
|
||||||
|
this.notification.warning('Cannot delete the key you are currently using');
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
|
||||||
|
this.apiService.deleteKey(userId, key.keytoken_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Key deleted');
|
||||||
|
this.router.navigate(['/keys']);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -25,58 +25,67 @@
|
|||||||
<ng-template #noResultTpl></ng-template>
|
<ng-template #noResultTpl></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="25%">Name</th>
|
<th>Name</th>
|
||||||
<th nzWidth="25%">Permissions</th>
|
<th>Permissions</th>
|
||||||
<th nzWidth="15%">Messages Sent</th>
|
<th nzWidth="0">Messages Sent</th>
|
||||||
<th nzWidth="20%">Last Used</th>
|
<th nzWidth="0">Last Used</th>
|
||||||
<th nzWidth="15%">Actions</th>
|
<th nzWidth="0">Actions</th>
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@for (key of keys(); track key.keytoken_id) {
|
@for (key of keys(); track key.keytoken_id) {
|
||||||
<tr>
|
<tr class="clickable-row">
|
||||||
<td>
|
<td>
|
||||||
<div class="key-name">
|
<a class="cell-link" [routerLink]="['/keys', key.keytoken_id]">
|
||||||
{{ key.name }}
|
<div class="key-name">
|
||||||
@if (isCurrentKey(key)) {
|
{{ key.name }}
|
||||||
<nz-tag nzColor="cyan" class="current-tag">Current</nz-tag>
|
@if (isCurrentKey(key)) {
|
||||||
}
|
<nz-tag nzColor="cyan" class="current-tag">Current</nz-tag>
|
||||||
</div>
|
}
|
||||||
<div class="key-id mono">{{ key.keytoken_id }}</div>
|
</div>
|
||||||
|
<div class="key-id mono">{{ key.keytoken_id }}</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<div class="permissions">
|
<a class="cell-link" [routerLink]="['/keys', key.keytoken_id]">
|
||||||
@for (perm of getPermissions(key); track perm) {
|
<div class="permissions">
|
||||||
<nz-tag
|
@for (perm of getPermissions(key); track perm) {
|
||||||
[nzColor]="getPermissionColor(perm)"
|
<nz-tag
|
||||||
nz-tooltip
|
[nzColor]="getPermissionColor(perm)"
|
||||||
[nzTooltipTitle]="getPermissionLabel(perm)"
|
nz-tooltip
|
||||||
>
|
[nzTooltipTitle]="getPermissionLabel(perm)"
|
||||||
{{ perm }}
|
>
|
||||||
</nz-tag>
|
{{ perm }}
|
||||||
}
|
|
||||||
@if (key.all_channels) {
|
|
||||||
<nz-tag nzColor="default" nz-tooltip nzTooltipTitle="Access to all channels">
|
|
||||||
All Channels
|
|
||||||
</nz-tag>
|
|
||||||
} @else if (key.channels && key.channels.length > 0) {
|
|
||||||
@for (channelId of key.channels; track channelId) {
|
|
||||||
<nz-tag nzColor="orange" nz-tooltip [nzTooltipTitle]="channelId">
|
|
||||||
{{ getChannelDisplayName(channelId) }}
|
|
||||||
</nz-tag>
|
</nz-tag>
|
||||||
}
|
}
|
||||||
}
|
@if (key.all_channels) {
|
||||||
</div>
|
<nz-tag nzColor="default" nz-tooltip nzTooltipTitle="Access to all channels">
|
||||||
|
All Channels
|
||||||
|
</nz-tag>
|
||||||
|
} @else if (key.channels && key.channels.length > 0) {
|
||||||
|
@for (channelId of key.channels; track channelId) {
|
||||||
|
<nz-tag nzColor="orange" nz-tooltip [nzTooltipTitle]="channelId">
|
||||||
|
{{ getChannelDisplayName(channelId) }}
|
||||||
|
</nz-tag>
|
||||||
|
}
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>{{ key.messages_sent }}</td>
|
|
||||||
<td>
|
<td>
|
||||||
@if (key.timestamp_lastused) {
|
<a class="cell-link" [routerLink]="['/keys', key.keytoken_id]">
|
||||||
<span nz-tooltip [nzTooltipTitle]="key.timestamp_lastused">
|
{{ key.messages_sent }}
|
||||||
{{ key.timestamp_lastused | relativeTime }}
|
</a>
|
||||||
</span>
|
</td>
|
||||||
} @else {
|
<td>
|
||||||
<span class="text-muted">Never</span>
|
<a class="cell-link" [routerLink]="['/keys', key.keytoken_id]">
|
||||||
}
|
@if (key.timestamp_lastused) {
|
||||||
|
<div class="timestamp-absolute">{{ key.timestamp_lastused | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ key.timestamp_lastused | relativeTime }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted">Never</span>
|
||||||
|
}
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<div class="action-buttons">
|
<div class="action-buttons">
|
||||||
|
|||||||
@@ -83,3 +83,23 @@
|
|||||||
font-size: 12px;
|
font-size: 12px;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.clickable-row {
|
||||||
|
cursor: pointer;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background-color: #fafafa;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,5 +1,6 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
|
import { Router, RouterLink } from '@angular/router';
|
||||||
import { FormsModule } from '@angular/forms';
|
import { FormsModule } from '@angular/forms';
|
||||||
import { NzTableModule } from 'ng-zorro-antd/table';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
@@ -34,7 +35,9 @@ interface PermissionOption {
|
|||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
FormsModule,
|
FormsModule,
|
||||||
|
RouterLink,
|
||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
@@ -56,6 +59,7 @@ interface PermissionOption {
|
|||||||
styleUrl: './key-list.component.scss'
|
styleUrl: './key-list.component.scss'
|
||||||
})
|
})
|
||||||
export class KeyListComponent implements OnInit {
|
export class KeyListComponent implements OnInit {
|
||||||
|
private router = inject(Router);
|
||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
private notification = inject(NotificationService);
|
private notification = inject(NotificationService);
|
||||||
@@ -162,6 +166,10 @@ export class KeyListComponent implements OnInit {
|
|||||||
return key.keytoken_id === this.currentKeyId();
|
return key.keytoken_id === this.currentKeyId();
|
||||||
}
|
}
|
||||||
|
|
||||||
|
viewKey(key: KeyToken): void {
|
||||||
|
this.router.navigate(['/keys', key.keytoken_id]);
|
||||||
|
}
|
||||||
|
|
||||||
deleteKey(key: KeyToken): void {
|
deleteKey(key: KeyToken): void {
|
||||||
if (this.isCurrentKey(key)) {
|
if (this.isCurrentKey(key)) {
|
||||||
this.notification.warning('Cannot delete the key you are currently using');
|
this.notification.warning('Cannot delete the key you are currently using');
|
||||||
|
|||||||
@@ -9,58 +9,114 @@
|
|||||||
<span nz-icon nzType="arrow-left" nzTheme="outline"></span>
|
<span nz-icon nzType="arrow-left" nzTheme="outline"></span>
|
||||||
Back to Messages
|
Back to Messages
|
||||||
</button>
|
</button>
|
||||||
<button
|
@if (expertMode()) {
|
||||||
nz-button
|
<div class="header-actions">
|
||||||
nzType="primary"
|
<button
|
||||||
nzDanger
|
nz-button
|
||||||
nz-popconfirm
|
nzDanger
|
||||||
nzPopconfirmTitle="Are you sure you want to delete this message?"
|
nz-popconfirm
|
||||||
nzPopconfirmPlacement="bottomRight"
|
nzPopconfirmTitle="Are you sure you want to delete this message?"
|
||||||
(nzOnConfirm)="deleteMessage()"
|
(nzOnConfirm)="deleteMessage()"
|
||||||
[nzLoading]="deleting()"
|
[nzLoading]="deleting()"
|
||||||
>
|
>
|
||||||
<span nz-icon nzType="delete"></span>
|
<span nz-icon nzType="delete"></span>
|
||||||
Delete
|
Delete
|
||||||
</button>
|
</button>
|
||||||
|
</div>
|
||||||
|
}
|
||||||
</div>
|
</div>
|
||||||
|
|
||||||
<nz-card [nzTitle]="message()!.title">
|
<nz-card [nzTitle]="message()!.title">
|
||||||
<nz-descriptions nzBordered [nzColumn]="2">
|
|
||||||
<nz-descriptions-item nzTitle="Message ID" [nzSpan]="2">
|
|
||||||
<span class="mono">{{ message()!.message_id }}</span>
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="Channel">
|
|
||||||
{{ message()!.channel_internal_name }}
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="Priority">
|
|
||||||
<nz-tag [nzColor]="getPriorityColor(message()!.priority)">
|
|
||||||
{{ getPriorityLabel(message()!.priority) }}
|
|
||||||
</nz-tag>
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="Sender Name">
|
|
||||||
{{ message()!.sender_name || '-' }}
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="Sender IP">
|
|
||||||
{{ message()!.sender_ip }}
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="Timestamp" [nzSpan]="2">
|
|
||||||
{{ message()!.timestamp }} ({{ message()!.timestamp | relativeTime }})
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="User Message ID" [nzSpan]="2">
|
|
||||||
<span class="mono">{{ message()!.usr_message_id || '-' }}</span>
|
|
||||||
</nz-descriptions-item>
|
|
||||||
<nz-descriptions-item nzTitle="Used Key ID" [nzSpan]="2">
|
|
||||||
<span class="mono">{{ message()!.used_key_id }}</span>
|
|
||||||
</nz-descriptions-item>
|
|
||||||
</nz-descriptions>
|
|
||||||
|
|
||||||
@if (message()!.content) {
|
@if (message()!.content) {
|
||||||
<nz-divider nzText="Content"></nz-divider>
|
|
||||||
<div class="message-content">
|
<div class="message-content">
|
||||||
<pre>{{ message()!.content }}</pre>
|
<pre>{{ message()!.content }}</pre>
|
||||||
</div>
|
</div>
|
||||||
|
} @else {
|
||||||
|
<div class="no-content">No content</div>
|
||||||
}
|
}
|
||||||
</nz-card>
|
</nz-card>
|
||||||
|
|
||||||
|
<nz-card nzTitle="Metadata">
|
||||||
|
<scn-metadata-grid>
|
||||||
|
<scn-metadata-value label="Message ID">
|
||||||
|
<span class="mono">{{ message()!.message_id }}</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Channel">
|
||||||
|
<a [routerLink]="['/channels', message()!.channel_id]" class="metadata-link">
|
||||||
|
<div class="cell-name">{{ message()!.channel_internal_name }}</div>
|
||||||
|
<div class="cell-id mono">{{ message()!.channel_id }}</div>
|
||||||
|
</a>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Channel Owner">
|
||||||
|
<div class="cell-name">{{ resolvedChannelOwner()?.displayName || message()!.channel_owner_user_id }}</div>
|
||||||
|
<div class="cell-id mono">{{ message()!.channel_owner_user_id }}</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Priority">
|
||||||
|
<nz-tag [nzColor]="getPriorityColor(message()!.priority)">
|
||||||
|
{{ getPriorityLabel(message()!.priority) }}
|
||||||
|
</nz-tag>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Sender Name">
|
||||||
|
{{ message()!.sender_name || '-' }}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Sender IP">
|
||||||
|
{{ message()!.sender_ip }}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Timestamp">
|
||||||
|
<div class="timestamp-absolute">{{ message()!.timestamp | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ message()!.timestamp | relativeTime }}</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="User Message ID">
|
||||||
|
<span class="mono">{{ message()!.usr_message_id || '-' }}</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Used Key">
|
||||||
|
<a [routerLink]="['/keys', message()!.used_key_id]" class="metadata-link">
|
||||||
|
<div class="cell-name">{{ resolvedKey()?.name || message()!.used_key_id }}</div>
|
||||||
|
<div class="cell-id mono">{{ message()!.used_key_id }}</div>
|
||||||
|
</a>
|
||||||
|
</scn-metadata-value>
|
||||||
|
</scn-metadata-grid>
|
||||||
|
</nz-card>
|
||||||
|
|
||||||
|
@if (showDeliveries()) {
|
||||||
|
<nz-card nzTitle="Deliveries">
|
||||||
|
<nz-table
|
||||||
|
#deliveriesTable
|
||||||
|
[nzData]="deliveries()"
|
||||||
|
[nzLoading]="loadingDeliveries()"
|
||||||
|
[nzShowPagination]="deliveries().length > 10"
|
||||||
|
[nzPageSize]="10"
|
||||||
|
nzSize="small"
|
||||||
|
>
|
||||||
|
<thead>
|
||||||
|
<tr>
|
||||||
|
<th>Client ID</th>
|
||||||
|
<th>Status</th>
|
||||||
|
<th>Retries</th>
|
||||||
|
<th>Created</th>
|
||||||
|
<th>Finalized</th>
|
||||||
|
</tr>
|
||||||
|
</thead>
|
||||||
|
<tbody>
|
||||||
|
@for (delivery of deliveriesTable.data; track delivery.delivery_id) {
|
||||||
|
<tr>
|
||||||
|
<td>
|
||||||
|
<span class="mono">{{ delivery.receiver_client_id }}</span>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<nz-tag [nzColor]="getStatusColor(delivery.status)">
|
||||||
|
{{ delivery.status }}
|
||||||
|
</nz-tag>
|
||||||
|
</td>
|
||||||
|
<td>{{ delivery.retry_count }}</td>
|
||||||
|
<td>{{ delivery.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</td>
|
||||||
|
<td>{{ delivery.timestamp_finalized ? (delivery.timestamp_finalized | date:'yyyy-MM-dd HH:mm:ss') : '-' }}</td>
|
||||||
|
</tr>
|
||||||
|
}
|
||||||
|
</tbody>
|
||||||
|
</nz-table>
|
||||||
|
</nz-card>
|
||||||
|
}
|
||||||
} @else {
|
} @else {
|
||||||
<nz-card>
|
<nz-card>
|
||||||
<div class="not-found">
|
<div class="not-found">
|
||||||
|
|||||||
@@ -20,6 +20,11 @@
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.no-content {
|
||||||
|
color: rgba(0, 0, 0, 0.45);
|
||||||
|
font-style: italic;
|
||||||
|
}
|
||||||
|
|
||||||
.not-found {
|
.not-found {
|
||||||
text-align: center;
|
text-align: center;
|
||||||
padding: 48px;
|
padding: 48px;
|
||||||
@@ -29,3 +34,41 @@
|
|||||||
margin-bottom: 16px;
|
margin-bottom: 16px;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
nz-card + nz-card {
|
||||||
|
margin-top: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.metadata-link {
|
||||||
|
text-decoration: none;
|
||||||
|
display: block;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
.cell-name {
|
||||||
|
color: #1890ff;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
@@ -1,33 +1,40 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit, computed, effect } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
import { ActivatedRoute, Router } from '@angular/router';
|
import { ActivatedRoute, Router, RouterLink } from '@angular/router';
|
||||||
import { NzCardModule } from 'ng-zorro-antd/card';
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
import { NzDescriptionsModule } from 'ng-zorro-antd/descriptions';
|
|
||||||
import { NzTagModule } from 'ng-zorro-antd/tag';
|
import { NzTagModule } from 'ng-zorro-antd/tag';
|
||||||
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
||||||
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
||||||
import { NzDividerModule } from 'ng-zorro-antd/divider';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { ApiService } from '../../../core/services/api.service';
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
import { NotificationService } from '../../../core/services/notification.service';
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
import { Message } from '../../../core/models';
|
import { SettingsService } from '../../../core/services/settings.service';
|
||||||
|
import { KeyCacheService, ResolvedKey } from '../../../core/services/key-cache.service';
|
||||||
|
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
||||||
|
import { Message, Delivery } from '../../../core/models';
|
||||||
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
|
import { MetadataGridComponent, MetadataValueComponent } from '../../../shared/components/metadata-grid';
|
||||||
|
|
||||||
@Component({
|
@Component({
|
||||||
selector: 'app-message-detail',
|
selector: 'app-message-detail',
|
||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
NzCardModule,
|
NzCardModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
NzDescriptionsModule,
|
|
||||||
NzTagModule,
|
NzTagModule,
|
||||||
NzSpinModule,
|
NzSpinModule,
|
||||||
NzPopconfirmModule,
|
NzPopconfirmModule,
|
||||||
NzDividerModule,
|
NzTableModule,
|
||||||
|
RouterLink,
|
||||||
RelativeTimePipe,
|
RelativeTimePipe,
|
||||||
|
MetadataGridComponent,
|
||||||
|
MetadataValueComponent,
|
||||||
],
|
],
|
||||||
templateUrl: './message-detail.component.html',
|
templateUrl: './message-detail.component.html',
|
||||||
styleUrl: './message-detail.component.scss'
|
styleUrl: './message-detail.component.scss'
|
||||||
@@ -36,11 +43,37 @@ export class MessageDetailComponent implements OnInit {
|
|||||||
private route = inject(ActivatedRoute);
|
private route = inject(ActivatedRoute);
|
||||||
private router = inject(Router);
|
private router = inject(Router);
|
||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
|
private authService = inject(AuthService);
|
||||||
private notification = inject(NotificationService);
|
private notification = inject(NotificationService);
|
||||||
|
private settingsService = inject(SettingsService);
|
||||||
|
private keyCacheService = inject(KeyCacheService);
|
||||||
|
private userCacheService = inject(UserCacheService);
|
||||||
|
|
||||||
message = signal<Message | null>(null);
|
message = signal<Message | null>(null);
|
||||||
|
resolvedKey = signal<ResolvedKey | null>(null);
|
||||||
|
resolvedChannelOwner = signal<ResolvedUser | null>(null);
|
||||||
|
deliveries = signal<Delivery[]>([]);
|
||||||
loading = signal(true);
|
loading = signal(true);
|
||||||
deleting = signal(false);
|
deleting = signal(false);
|
||||||
|
loadingDeliveries = signal(false);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
|
||||||
|
isChannelOwner = computed(() => {
|
||||||
|
const msg = this.message();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
return msg !== null && userId !== null && msg.channel_owner_user_id === userId;
|
||||||
|
});
|
||||||
|
|
||||||
|
showDeliveries = computed(() => this.expertMode() && this.isChannelOwner());
|
||||||
|
|
||||||
|
constructor() {
|
||||||
|
// Watch for expert mode changes and load deliveries when it becomes visible
|
||||||
|
effect(() => {
|
||||||
|
if (this.showDeliveries() && this.message() && this.deliveries().length === 0 && !this.loadingDeliveries()) {
|
||||||
|
this.loadDeliveries(this.message()!.message_id);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
ngOnInit(): void {
|
ngOnInit(): void {
|
||||||
const messageId = this.route.snapshot.paramMap.get('id');
|
const messageId = this.route.snapshot.paramMap.get('id');
|
||||||
@@ -55,6 +88,9 @@ export class MessageDetailComponent implements OnInit {
|
|||||||
next: (message) => {
|
next: (message) => {
|
||||||
this.message.set(message);
|
this.message.set(message);
|
||||||
this.loading.set(false);
|
this.loading.set(false);
|
||||||
|
this.resolveKey(message.used_key_id);
|
||||||
|
this.resolveChannelOwner(message.channel_owner_user_id);
|
||||||
|
this.loadDeliveries(messageId);
|
||||||
},
|
},
|
||||||
error: () => {
|
error: () => {
|
||||||
this.loading.set(false);
|
this.loading.set(false);
|
||||||
@@ -62,6 +98,34 @@ export class MessageDetailComponent implements OnInit {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
private loadDeliveries(messageId: string): void {
|
||||||
|
if (!this.showDeliveries()) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
this.loadingDeliveries.set(true);
|
||||||
|
this.apiService.getDeliveries(messageId).subscribe({
|
||||||
|
next: (response) => {
|
||||||
|
this.deliveries.set(response.deliveries);
|
||||||
|
this.loadingDeliveries.set(false);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loadingDeliveries.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveKey(keyId: string): void {
|
||||||
|
this.keyCacheService.resolveKey(keyId).subscribe({
|
||||||
|
next: (resolved) => this.resolvedKey.set(resolved)
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveChannelOwner(userId: string): void {
|
||||||
|
this.userCacheService.resolveUser(userId).subscribe({
|
||||||
|
next: (resolved) => this.resolvedChannelOwner.set(resolved)
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
goBack(): void {
|
goBack(): void {
|
||||||
this.router.navigate(['/messages']);
|
this.router.navigate(['/messages']);
|
||||||
}
|
}
|
||||||
@@ -99,4 +163,13 @@ export class MessageDetailComponent implements OnInit {
|
|||||||
default: return 'default';
|
default: return 'default';
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
getStatusColor(status: string): string {
|
||||||
|
switch (status) {
|
||||||
|
case 'SUCCESS': return 'green';
|
||||||
|
case 'FAILED': return 'red';
|
||||||
|
case 'RETRY': return 'orange';
|
||||||
|
default: return 'default';
|
||||||
|
}
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -67,26 +67,26 @@
|
|||||||
<ng-template #noResultTpl></ng-template>
|
<ng-template #noResultTpl></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="40%">Title</th>
|
<th>Title</th>
|
||||||
|
<th>Content</th>
|
||||||
<th
|
<th
|
||||||
nzWidth="15%"
|
|
||||||
[nzFilters]="channelFilters()"
|
[nzFilters]="channelFilters()"
|
||||||
[nzFilterMultiple]="true"
|
[nzFilterMultiple]="true"
|
||||||
(nzFilterChange)="onChannelFilterChange($event)"
|
(nzFilterChange)="onChannelFilterChange($event)"
|
||||||
>Channel</th>
|
>Channel</th>
|
||||||
<th
|
<th
|
||||||
nzWidth="15%"
|
nzWidth="0"
|
||||||
[nzFilters]="senderFilters()"
|
[nzFilters]="senderFilters()"
|
||||||
[nzFilterMultiple]="true"
|
[nzFilterMultiple]="true"
|
||||||
(nzFilterChange)="onSenderFilterChange($event)"
|
(nzFilterChange)="onSenderFilterChange($event)"
|
||||||
>Sender</th>
|
>Sender</th>
|
||||||
<th
|
<th
|
||||||
nzWidth="10%"
|
nzWidth="0"
|
||||||
[nzFilters]="priorityFilters"
|
[nzFilters]="priorityFilters"
|
||||||
[nzFilterMultiple]="false"
|
[nzFilterMultiple]="false"
|
||||||
(nzFilterChange)="onPriorityFilterChange($event)"
|
(nzFilterChange)="onPriorityFilterChange($event)"
|
||||||
>Priority</th>
|
>Priority</th>
|
||||||
<th nzWidth="20%" nzCustomFilter>
|
<th nzWidth="0" nzCustomFilter>
|
||||||
Time
|
Time
|
||||||
<nz-filter-trigger [(nzVisible)]="dateFilterVisible" [nzActive]="!!dateRange" [nzDropdownMenu]="dateMenu">
|
<nz-filter-trigger [(nzVisible)]="dateFilterVisible" [nzActive]="!!dateRange" [nzDropdownMenu]="dateMenu">
|
||||||
<span nz-icon nzType="filter" nzTheme="fill"></span>
|
<span nz-icon nzType="filter" nzTheme="fill"></span>
|
||||||
@@ -107,33 +107,50 @@
|
|||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@for (message of messages(); track message.message_id) {
|
@for (message of messages(); track message.message_id) {
|
||||||
<tr class="clickable-row" (click)="viewMessage(message)">
|
<tr class="clickable-row">
|
||||||
<td>
|
<td>
|
||||||
<div class="message-title">{{ message.title }}</div>
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
@if (message.content && !message.trimmed) {
|
<div class="message-title">{{ message.title }}</div>
|
||||||
<div class="message-preview">{{ message.content | slice:0:100 }}{{ message.content.length > 100 ? '...' : '' }}</div>
|
<div class="message-id mono">{{ message.message_id }}</div>
|
||||||
}
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<span class="mono">{{ message.channel_internal_name }}</span>
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
@if (message.content) {
|
||||||
|
<div class="message-content">{{ message.content | slice:0:128 }}{{ message.content.length > 128 ? '...' : '' }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="text-muted"></span>
|
||||||
|
}
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
{{ message.sender_name || '-' }}
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="cell-name">{{ message.channel_internal_name }}</div>
|
||||||
|
<div class="cell-id">{{ message.channel_id }}</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<nz-tag [nzColor]="getPriorityColor(message.priority)">
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
{{ getPriorityLabel(message.priority) }}
|
<span style="white-space: pre">{{ message.sender_name || '-' }}</span>
|
||||||
</nz-tag>
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<span nz-tooltip [nzTooltipTitle]="message.timestamp">
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
{{ message.timestamp | relativeTime }}
|
<nz-tag [nzColor]="getPriorityColor(message.priority)">
|
||||||
</span>
|
{{ getPriorityLabel(message.priority) }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/messages', message.message_id]">
|
||||||
|
<div class="timestamp-absolute">{{ message.timestamp | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ message.timestamp | relativeTime }}</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
<tr>
|
<tr>
|
||||||
<td colspan="5">
|
<td colspan="6">
|
||||||
<nz-empty nzNotFoundContent="No messages found"></nz-empty>
|
<nz-empty nzNotFoundContent="No messages found"></nz-empty>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
|
|||||||
@@ -41,10 +41,45 @@
|
|||||||
color: #333;
|
color: #333;
|
||||||
}
|
}
|
||||||
|
|
||||||
.message-preview {
|
.message-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.message-content {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #666;
|
||||||
|
white-space: pre;
|
||||||
|
max-height: 2lh;
|
||||||
|
overflow-y: clip;
|
||||||
|
}
|
||||||
|
|
||||||
|
.text-muted {
|
||||||
|
color: #999;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
font-size: 12px;
|
font-size: 12px;
|
||||||
color: #999;
|
color: #999;
|
||||||
margin-top: 4px;
|
white-space: pre;
|
||||||
}
|
}
|
||||||
|
|
||||||
.pagination-controls {
|
.pagination-controls {
|
||||||
|
|||||||
@@ -1,6 +1,6 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule } from '@angular/common';
|
||||||
import { Router } from '@angular/router';
|
import { Router, RouterLink } from '@angular/router';
|
||||||
import { FormsModule } from '@angular/forms';
|
import { FormsModule } from '@angular/forms';
|
||||||
import { NzTableModule, NzTableFilterList } from 'ng-zorro-antd/table';
|
import { NzTableModule, NzTableFilterList } from 'ng-zorro-antd/table';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
@@ -24,6 +24,7 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
FormsModule,
|
FormsModule,
|
||||||
|
RouterLink,
|
||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzInputModule,
|
NzInputModule,
|
||||||
|
|||||||
@@ -21,9 +21,9 @@
|
|||||||
<ng-template #noResultTpl></ng-template>
|
<ng-template #noResultTpl></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="40%">Sender Name</th>
|
<th>Sender Name</th>
|
||||||
<th nzWidth="20%">Message Count</th>
|
<th nzWidth="0">Message Count</th>
|
||||||
<th nzWidth="40%">Last Used</th>
|
<th nzWidth="0">Last Used</th>
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@@ -34,9 +34,8 @@
|
|||||||
</td>
|
</td>
|
||||||
<td>{{ sender.count }}</td>
|
<td>{{ sender.count }}</td>
|
||||||
<td>
|
<td>
|
||||||
<span nz-tooltip [nzTooltipTitle]="sender.last_timestamp">
|
<div class="timestamp-absolute">{{ sender.last_timestamp | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
{{ sender.last_timestamp | relativeTime }}
|
<div class="timestamp-relative">{{ sender.last_timestamp | relativeTime }}</div>
|
||||||
</span>
|
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
@@ -62,9 +61,9 @@
|
|||||||
<ng-template #noResultTpl2></ng-template>
|
<ng-template #noResultTpl2></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="40%">Sender Name</th>
|
<th>Sender Name</th>
|
||||||
<th nzWidth="20%">Message Count</th>
|
<th nzWidth="0">Message Count</th>
|
||||||
<th nzWidth="40%">Last Used</th>
|
<th nzWidth="0">Last Used</th>
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@@ -75,9 +74,8 @@
|
|||||||
</td>
|
</td>
|
||||||
<td>{{ sender.count }}</td>
|
<td>{{ sender.count }}</td>
|
||||||
<td>
|
<td>
|
||||||
<span nz-tooltip [nzTooltipTitle]="sender.last_timestamp">
|
<div class="timestamp-absolute">{{ sender.last_timestamp | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
{{ sender.last_timestamp | relativeTime }}
|
<div class="timestamp-relative">{{ sender.last_timestamp | relativeTime }}</div>
|
||||||
</span>
|
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
|
|||||||
@@ -12,3 +12,15 @@
|
|||||||
.sender-name {
|
.sender-name {
|
||||||
font-weight: 500;
|
font-weight: 500;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,5 +1,5 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
import { NzTableModule } from 'ng-zorro-antd/table';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
@@ -17,6 +17,7 @@ import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
|||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
|
|||||||
@@ -0,0 +1,142 @@
|
|||||||
|
<div class="page-content">
|
||||||
|
@if (loading()) {
|
||||||
|
<div class="loading-container">
|
||||||
|
<nz-spin nzSimple nzSize="large"></nz-spin>
|
||||||
|
</div>
|
||||||
|
} @else if (subscription()) {
|
||||||
|
<div class="detail-header">
|
||||||
|
<button nz-button (click)="goBack()">
|
||||||
|
<span nz-icon nzType="arrow-left" nzTheme="outline"></span>
|
||||||
|
Back to Subscriptions
|
||||||
|
</button>
|
||||||
|
<div class="header-actions">
|
||||||
|
@if (!subscription()!.confirmed && isOwner()) {
|
||||||
|
<button nz-button nzType="primary" (click)="acceptSubscription()">
|
||||||
|
<span nz-icon nzType="check"></span>
|
||||||
|
Accept
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
@if (subscription()!.confirmed && isOwner() && !isOwnSubscription()) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Deactivate this subscription?"
|
||||||
|
(nzOnConfirm)="deactivateSubscription()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="stop"></span>
|
||||||
|
Deactivate
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
@if (isOwnSubscription()) {
|
||||||
|
@if (subscription()!.active) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Deactivate this subscription?"
|
||||||
|
(nzOnConfirm)="setInactive()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="pause-circle"></span>
|
||||||
|
Deactivate
|
||||||
|
</button>
|
||||||
|
} @else {
|
||||||
|
<button nz-button nzType="primary" (click)="activateSubscription()">
|
||||||
|
<span nz-icon nzType="play-circle"></span>
|
||||||
|
Activate
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
}
|
||||||
|
@if (expertMode() && isOutgoing() && subscription()!.confirmed && subscription()!.active && !isOwnSubscription()) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Set this subscription to inactive? You will stop receiving messages."
|
||||||
|
(nzOnConfirm)="setInactive()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="pause-circle"></span>
|
||||||
|
Set Inactive
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
@if (expertMode() && isOutgoing()) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzDanger
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Are you sure you want to delete this subscription?"
|
||||||
|
(nzOnConfirm)="deleteSubscription()"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="delete"></span>
|
||||||
|
Delete
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<nz-card>
|
||||||
|
<div class="subscription-header">
|
||||||
|
<h2 class="subscription-title">Subscription</h2>
|
||||||
|
<nz-tag [nzColor]="getTypeLabel().color">{{ getTypeLabel().label }}</nz-tag>
|
||||||
|
<nz-tag [nzColor]="getStatusInfo().color">{{ getStatusInfo().label }}</nz-tag>
|
||||||
|
</div>
|
||||||
|
|
||||||
|
<scn-metadata-grid>
|
||||||
|
<scn-metadata-value label="Subscription ID">
|
||||||
|
<span class="mono">{{ subscription()!.subscription_id }}</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Channel">
|
||||||
|
<a [routerLink]="['/channels', subscription()!.channel_id]" class="channel-link">
|
||||||
|
@if (resolvedChannel()) {
|
||||||
|
<div class="resolved-name">{{ resolvedChannel()!.displayName }}</div>
|
||||||
|
}
|
||||||
|
<div class="resolved-id mono">{{ subscription()!.channel_id }}</div>
|
||||||
|
</a>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Channel Internal Name">
|
||||||
|
<span>{{ subscription()!.channel_internal_name }}</span>
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Subscriber">
|
||||||
|
@if (resolvedSubscriber()) {
|
||||||
|
<div class="resolved-name">{{ resolvedSubscriber()!.displayName }}</div>
|
||||||
|
<div class="resolved-id mono">{{ subscription()!.subscriber_user_id }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="mono">{{ subscription()!.subscriber_user_id }}</span>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Channel Owner">
|
||||||
|
@if (resolvedOwner()) {
|
||||||
|
<div class="resolved-name">{{ resolvedOwner()!.displayName }}</div>
|
||||||
|
<div class="resolved-id mono">{{ subscription()!.channel_owner_user_id }}</div>
|
||||||
|
} @else {
|
||||||
|
<span class="mono">{{ subscription()!.channel_owner_user_id }}</span>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Confirmed">
|
||||||
|
@if (subscription()!.confirmed) {
|
||||||
|
<nz-tag nzColor="green">Yes</nz-tag>
|
||||||
|
} @else {
|
||||||
|
<nz-tag nzColor="orange">No</nz-tag>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Active">
|
||||||
|
@if (subscription()!.active) {
|
||||||
|
<nz-tag nzColor="green">Yes</nz-tag>
|
||||||
|
} @else {
|
||||||
|
<nz-tag nzColor="red">No</nz-tag>
|
||||||
|
}
|
||||||
|
</scn-metadata-value>
|
||||||
|
<scn-metadata-value label="Created">
|
||||||
|
<div class="timestamp-absolute">{{ subscription()!.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ subscription()!.timestamp_created | relativeTime }}</div>
|
||||||
|
</scn-metadata-value>
|
||||||
|
</scn-metadata-grid>
|
||||||
|
</nz-card>
|
||||||
|
} @else {
|
||||||
|
<nz-card>
|
||||||
|
<div class="not-found">
|
||||||
|
<p>Subscription not found</p>
|
||||||
|
<button nz-button nzType="primary" (click)="goBack()">
|
||||||
|
Back to Subscriptions
|
||||||
|
</button>
|
||||||
|
</div>
|
||||||
|
</nz-card>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
@@ -0,0 +1,68 @@
|
|||||||
|
.loading-container {
|
||||||
|
display: flex;
|
||||||
|
justify-content: center;
|
||||||
|
align-items: center;
|
||||||
|
min-height: 300px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.header-actions {
|
||||||
|
display: flex;
|
||||||
|
gap: 8px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.subscription-header {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 12px;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.subscription-title {
|
||||||
|
margin: 0;
|
||||||
|
font-size: 20px;
|
||||||
|
font-weight: 500;
|
||||||
|
}
|
||||||
|
|
||||||
|
.channel-link {
|
||||||
|
text-decoration: none;
|
||||||
|
color: inherit;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
.resolved-name {
|
||||||
|
color: #1890ff;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.resolved-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.resolved-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.not-found {
|
||||||
|
text-align: center;
|
||||||
|
padding: 48px;
|
||||||
|
|
||||||
|
p {
|
||||||
|
color: #999;
|
||||||
|
margin-bottom: 16px;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
@@ -0,0 +1,214 @@
|
|||||||
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
|
import { ActivatedRoute, Router, RouterLink } from '@angular/router';
|
||||||
|
import { NzCardModule } from 'ng-zorro-antd/card';
|
||||||
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
|
import { NzTagModule } from 'ng-zorro-antd/tag';
|
||||||
|
import { NzSpinModule } from 'ng-zorro-antd/spin';
|
||||||
|
import { NzPopconfirmModule } from 'ng-zorro-antd/popconfirm';
|
||||||
|
import { NzToolTipModule } from 'ng-zorro-antd/tooltip';
|
||||||
|
import { ApiService } from '../../../core/services/api.service';
|
||||||
|
import { AuthService } from '../../../core/services/auth.service';
|
||||||
|
import { NotificationService } from '../../../core/services/notification.service';
|
||||||
|
import { SettingsService } from '../../../core/services/settings.service';
|
||||||
|
import { ChannelCacheService, ResolvedChannel } from '../../../core/services/channel-cache.service';
|
||||||
|
import { UserCacheService, ResolvedUser } from '../../../core/services/user-cache.service';
|
||||||
|
import { Subscription } from '../../../core/models';
|
||||||
|
import { RelativeTimePipe } from '../../../shared/pipes/relative-time.pipe';
|
||||||
|
import { MetadataGridComponent, MetadataValueComponent } from '../../../shared/components/metadata-grid';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'app-subscription-detail',
|
||||||
|
standalone: true,
|
||||||
|
imports: [
|
||||||
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
|
RouterLink,
|
||||||
|
NzCardModule,
|
||||||
|
NzButtonModule,
|
||||||
|
NzIconModule,
|
||||||
|
NzTagModule,
|
||||||
|
NzSpinModule,
|
||||||
|
NzPopconfirmModule,
|
||||||
|
NzToolTipModule,
|
||||||
|
RelativeTimePipe,
|
||||||
|
MetadataGridComponent,
|
||||||
|
MetadataValueComponent,
|
||||||
|
],
|
||||||
|
templateUrl: './subscription-detail.component.html',
|
||||||
|
styleUrl: './subscription-detail.component.scss'
|
||||||
|
})
|
||||||
|
export class SubscriptionDetailComponent implements OnInit {
|
||||||
|
private route = inject(ActivatedRoute);
|
||||||
|
private router = inject(Router);
|
||||||
|
private apiService = inject(ApiService);
|
||||||
|
private authService = inject(AuthService);
|
||||||
|
private notification = inject(NotificationService);
|
||||||
|
private settingsService = inject(SettingsService);
|
||||||
|
private channelCacheService = inject(ChannelCacheService);
|
||||||
|
private userCacheService = inject(UserCacheService);
|
||||||
|
|
||||||
|
subscription = signal<Subscription | null>(null);
|
||||||
|
loading = signal(true);
|
||||||
|
resolvedChannel = signal<ResolvedChannel | null>(null);
|
||||||
|
resolvedSubscriber = signal<ResolvedUser | null>(null);
|
||||||
|
resolvedOwner = signal<ResolvedUser | null>(null);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
const subscriptionId = this.route.snapshot.paramMap.get('id');
|
||||||
|
if (subscriptionId) {
|
||||||
|
this.loadSubscription(subscriptionId);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
loadSubscription(subscriptionId: string): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.loading.set(true);
|
||||||
|
this.apiService.getSubscription(userId, subscriptionId).subscribe({
|
||||||
|
next: (subscription) => {
|
||||||
|
this.subscription.set(subscription);
|
||||||
|
this.loading.set(false);
|
||||||
|
this.resolveChannel(subscription.channel_id);
|
||||||
|
this.resolveSubscriber(subscription.subscriber_user_id);
|
||||||
|
this.resolveOwner(subscription.channel_owner_user_id);
|
||||||
|
},
|
||||||
|
error: () => {
|
||||||
|
this.loading.set(false);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveChannel(channelId: string): void {
|
||||||
|
this.channelCacheService.resolveChannel(channelId).subscribe(resolved => {
|
||||||
|
this.resolvedChannel.set(resolved);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveSubscriber(userId: string): void {
|
||||||
|
this.userCacheService.resolveUser(userId).subscribe(resolved => {
|
||||||
|
this.resolvedSubscriber.set(resolved);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
private resolveOwner(userId: string): void {
|
||||||
|
this.userCacheService.resolveUser(userId).subscribe(resolved => {
|
||||||
|
this.resolvedOwner.set(resolved);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
goBack(): void {
|
||||||
|
this.router.navigate(['/subscriptions']);
|
||||||
|
}
|
||||||
|
|
||||||
|
isOutgoing(): boolean {
|
||||||
|
const sub = this.subscription();
|
||||||
|
if (!sub) return false;
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
return sub.subscriber_user_id === userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
isOwner(): boolean {
|
||||||
|
const sub = this.subscription();
|
||||||
|
if (!sub) return false;
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
return sub.channel_owner_user_id === userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
isOwnSubscription(): boolean {
|
||||||
|
const sub = this.subscription();
|
||||||
|
if (!sub) return false;
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
return sub.subscriber_user_id === userId && sub.channel_owner_user_id === userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
getStatusInfo(): { label: string; color: string } {
|
||||||
|
const sub = this.subscription();
|
||||||
|
if (!sub) return { label: 'Unknown', color: 'default' };
|
||||||
|
if (sub.confirmed) {
|
||||||
|
return { label: 'Confirmed', color: 'green' };
|
||||||
|
}
|
||||||
|
return { label: 'Pending', color: 'orange' };
|
||||||
|
}
|
||||||
|
|
||||||
|
getTypeLabel(): { label: string; color: string } {
|
||||||
|
const sub = this.subscription();
|
||||||
|
if (!sub) return { label: 'Unknown', color: 'default' };
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (sub.subscriber_user_id === sub.channel_owner_user_id) {
|
||||||
|
return { label: 'Own', color: 'green' };
|
||||||
|
}
|
||||||
|
if (sub.subscriber_user_id === userId) {
|
||||||
|
return { label: 'External', color: 'blue' };
|
||||||
|
}
|
||||||
|
return { label: 'Incoming', color: 'purple' };
|
||||||
|
}
|
||||||
|
|
||||||
|
acceptSubscription(): void {
|
||||||
|
const sub = this.subscription();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!sub || !userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { confirmed: true }).subscribe({
|
||||||
|
next: (updated) => {
|
||||||
|
this.subscription.set(updated);
|
||||||
|
this.notification.success('Subscription accepted');
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
activateSubscription(): void {
|
||||||
|
const sub = this.subscription();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!sub || !userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { active: true }).subscribe({
|
||||||
|
next: (updated) => {
|
||||||
|
this.subscription.set(updated);
|
||||||
|
this.notification.success('Subscription activated');
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
deactivateSubscription(): void {
|
||||||
|
const sub = this.subscription();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!sub || !userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { confirmed: false }).subscribe({
|
||||||
|
next: (updated) => {
|
||||||
|
this.subscription.set(updated);
|
||||||
|
this.notification.success('Subscription deactivated');
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
setInactive(): void {
|
||||||
|
const sub = this.subscription();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!sub || !userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { active: false }).subscribe({
|
||||||
|
next: (updated) => {
|
||||||
|
this.subscription.set(updated);
|
||||||
|
this.notification.success('Subscription set to inactive');
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
deleteSubscription(): void {
|
||||||
|
const sub = this.subscription();
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!sub || !userId) return;
|
||||||
|
|
||||||
|
this.apiService.deleteSubscription(userId, sub.subscription_id).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscription deleted');
|
||||||
|
this.router.navigate(['/subscriptions']);
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -42,37 +42,69 @@
|
|||||||
<ng-template #noResultTpl></ng-template>
|
<ng-template #noResultTpl></ng-template>
|
||||||
<thead>
|
<thead>
|
||||||
<tr>
|
<tr>
|
||||||
<th nzWidth="10%">Type</th>
|
<th nzWidth="0">ID</th>
|
||||||
<th nzWidth="20%">Channel</th>
|
<th nzWidth="0">Type</th>
|
||||||
<th nzWidth="20%">Subscriber</th>
|
<th>Channel</th>
|
||||||
<th nzWidth="20%">Owner</th>
|
<th>Subscriber</th>
|
||||||
<th nzWidth="10%">Status</th>
|
<th>Owner</th>
|
||||||
<th nzWidth="12%">Created</th>
|
<th nzWidth="0">Confirmation</th>
|
||||||
<th nzWidth="8%">Actions</th>
|
<th nzWidth="0">Active</th>
|
||||||
|
<th nzWidth="0">Created</th>
|
||||||
|
<th nzWidth="0">Actions</th>
|
||||||
</tr>
|
</tr>
|
||||||
</thead>
|
</thead>
|
||||||
<tbody>
|
<tbody>
|
||||||
@for (sub of subscriptions(); track sub.subscription_id) {
|
@for (sub of subscriptions(); track sub.subscription_id) {
|
||||||
<tr>
|
<tr class="clickable-row">
|
||||||
<td>
|
<td>
|
||||||
<nz-tag [nzColor]="getTypeLabel(sub).color">
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
{{ getTypeLabel(sub).label }}
|
<span class="mono subscription-id">{{ sub.subscription_id }}</span>
|
||||||
</nz-tag>
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<span class="mono">{{ sub.channel_internal_name }}</span>
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
</td>
|
<nz-tag [nzColor]="getTypeLabel(sub).color">
|
||||||
<td>{{ getUserDisplayName(sub.subscriber_user_id) }}</td>
|
{{ getTypeLabel(sub).label }}
|
||||||
<td>{{ getUserDisplayName(sub.channel_owner_user_id) }}</td>
|
</nz-tag>
|
||||||
<td>
|
</a>
|
||||||
<nz-tag [nzColor]="getStatusInfo(sub).color">
|
|
||||||
{{ getStatusInfo(sub).label }}
|
|
||||||
</nz-tag>
|
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<span nz-tooltip [nzTooltipTitle]="sub.timestamp_created">
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
{{ sub.timestamp_created | relativeTime }}
|
<div class="cell-name">{{ sub.channel_internal_name }}</div>
|
||||||
</span>
|
<div class="cell-id mono">{{ sub.channel_id }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<div class="cell-name">{{ getUserDisplayName(sub.subscriber_user_id) }}</div>
|
||||||
|
<div class="cell-id mono">{{ sub.subscriber_user_id }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<div class="cell-name">{{ getUserDisplayName(sub.channel_owner_user_id) }}</div>
|
||||||
|
<div class="cell-id mono">{{ sub.channel_owner_user_id }}</div>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<nz-tag [nzColor]="getConfirmationInfo(sub).color">
|
||||||
|
{{ getConfirmationInfo(sub).label }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<nz-tag [nzColor]="getActiveInfo(sub).color">
|
||||||
|
{{ getActiveInfo(sub).label }}
|
||||||
|
</nz-tag>
|
||||||
|
</a>
|
||||||
|
</td>
|
||||||
|
<td>
|
||||||
|
<a class="cell-link" [routerLink]="['/subscriptions', sub.subscription_id]">
|
||||||
|
<div class="timestamp-absolute">{{ sub.timestamp_created | date:'yyyy-MM-dd HH:mm:ss' }}</div>
|
||||||
|
<div class="timestamp-relative">{{ sub.timestamp_created | relativeTime }}</div>
|
||||||
|
</a>
|
||||||
</td>
|
</td>
|
||||||
<td>
|
<td>
|
||||||
<div class="action-buttons">
|
<div class="action-buttons">
|
||||||
@@ -101,6 +133,33 @@
|
|||||||
<span nz-icon nzType="close"></span>
|
<span nz-icon nzType="close"></span>
|
||||||
</button>
|
</button>
|
||||||
} @else {
|
} @else {
|
||||||
|
<!-- Own subscriptions: can activate/deactivate -->
|
||||||
|
@if (isOwnSubscription(sub)) {
|
||||||
|
@if (sub.active) {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Deactivate"
|
||||||
|
nz-popconfirm
|
||||||
|
nzPopconfirmTitle="Deactivate this subscription?"
|
||||||
|
(nzOnConfirm)="deactivateSubscription(sub)"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="pause-circle"></span>
|
||||||
|
</button>
|
||||||
|
} @else {
|
||||||
|
<button
|
||||||
|
nz-button
|
||||||
|
nzSize="small"
|
||||||
|
nzType="primary"
|
||||||
|
nz-tooltip
|
||||||
|
nzTooltipTitle="Activate"
|
||||||
|
(click)="activateSubscription(sub)"
|
||||||
|
>
|
||||||
|
<span nz-icon nzType="play-circle"></span>
|
||||||
|
</button>
|
||||||
|
}
|
||||||
|
}
|
||||||
<!-- Confirmed or outgoing: can revoke -->
|
<!-- Confirmed or outgoing: can revoke -->
|
||||||
<button
|
<button
|
||||||
nz-button
|
nz-button
|
||||||
@@ -120,7 +179,7 @@
|
|||||||
</tr>
|
</tr>
|
||||||
} @empty {
|
} @empty {
|
||||||
<tr>
|
<tr>
|
||||||
<td colspan="7">
|
<td colspan="9">
|
||||||
<nz-empty nzNotFoundContent="No subscriptions found"></nz-empty>
|
<nz-empty nzNotFoundContent="No subscriptions found"></nz-empty>
|
||||||
</td>
|
</td>
|
||||||
</tr>
|
</tr>
|
||||||
|
|||||||
@@ -25,6 +25,30 @@
|
|||||||
gap: 4px;
|
gap: 4px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.clickable-row {
|
||||||
|
cursor: pointer;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
background-color: #fafafa;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
.subscription-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-name {
|
||||||
|
font-weight: 500;
|
||||||
|
color: #333;
|
||||||
|
}
|
||||||
|
|
||||||
|
.cell-id {
|
||||||
|
font-size: 11px;
|
||||||
|
color: #999;
|
||||||
|
margin-top: 2px;
|
||||||
|
}
|
||||||
|
|
||||||
.modal-hint {
|
.modal-hint {
|
||||||
color: #666;
|
color: #666;
|
||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
@@ -36,3 +60,15 @@
|
|||||||
justify-content: center;
|
justify-content: center;
|
||||||
padding: 16px 0;
|
padding: 16px 0;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.timestamp-absolute {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #333;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|
||||||
|
.timestamp-relative {
|
||||||
|
font-size: 12px;
|
||||||
|
color: #999;
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
|
|||||||
@@ -1,5 +1,6 @@
|
|||||||
import { Component, inject, signal, OnInit } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule, DatePipe } from '@angular/common';
|
||||||
|
import { Router, RouterLink } from '@angular/router';
|
||||||
import { FormsModule } from '@angular/forms';
|
import { FormsModule } from '@angular/forms';
|
||||||
import { NzTableModule } from 'ng-zorro-antd/table';
|
import { NzTableModule } from 'ng-zorro-antd/table';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
@@ -40,7 +41,9 @@ const TAB_CONFIGS: Record<SubscriptionTab, TabConfig> = {
|
|||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
DatePipe,
|
||||||
FormsModule,
|
FormsModule,
|
||||||
|
RouterLink,
|
||||||
NzTableModule,
|
NzTableModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzIconModule,
|
NzIconModule,
|
||||||
@@ -60,6 +63,7 @@ const TAB_CONFIGS: Record<SubscriptionTab, TabConfig> = {
|
|||||||
styleUrl: './subscription-list.component.scss'
|
styleUrl: './subscription-list.component.scss'
|
||||||
})
|
})
|
||||||
export class SubscriptionListComponent implements OnInit {
|
export class SubscriptionListComponent implements OnInit {
|
||||||
|
private router = inject(Router);
|
||||||
private apiService = inject(ApiService);
|
private apiService = inject(ApiService);
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
private notification = inject(NotificationService);
|
private notification = inject(NotificationService);
|
||||||
@@ -155,6 +159,15 @@ export class SubscriptionListComponent implements OnInit {
|
|||||||
return sub.channel_owner_user_id === userId;
|
return sub.channel_owner_user_id === userId;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
isOwnSubscription(sub: Subscription): boolean {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
return sub.subscriber_user_id === userId && sub.channel_owner_user_id === userId;
|
||||||
|
}
|
||||||
|
|
||||||
|
viewSubscription(sub: Subscription): void {
|
||||||
|
this.router.navigate(['/subscriptions', sub.subscription_id]);
|
||||||
|
}
|
||||||
|
|
||||||
// Actions
|
// Actions
|
||||||
acceptSubscription(sub: Subscription): void {
|
acceptSubscription(sub: Subscription): void {
|
||||||
const userId = this.authService.getUserId();
|
const userId = this.authService.getUserId();
|
||||||
@@ -192,6 +205,30 @@ export class SubscriptionListComponent implements OnInit {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
|
activateSubscription(sub: Subscription): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { active: true }).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscription activated');
|
||||||
|
this.loadSubscriptions();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
deactivateSubscription(sub: Subscription): void {
|
||||||
|
const userId = this.authService.getUserId();
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.confirmSubscription(userId, sub.subscription_id, { active: false }).subscribe({
|
||||||
|
next: () => {
|
||||||
|
this.notification.success('Subscription deactivated');
|
||||||
|
this.loadSubscriptions();
|
||||||
|
}
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
// Create subscription
|
// Create subscription
|
||||||
openCreateModal(): void {
|
openCreateModal(): void {
|
||||||
this.newChannelOwner = '';
|
this.newChannelOwner = '';
|
||||||
@@ -224,13 +261,20 @@ export class SubscriptionListComponent implements OnInit {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
getStatusInfo(sub: Subscription): { label: string; color: string } {
|
getConfirmationInfo(sub: Subscription): { label: string; color: string } {
|
||||||
if (sub.confirmed) {
|
if (sub.confirmed) {
|
||||||
return { label: 'Confirmed', color: 'green' };
|
return { label: 'Confirmed', color: 'green' };
|
||||||
}
|
}
|
||||||
return { label: 'Pending', color: 'orange' };
|
return { label: 'Pending', color: 'orange' };
|
||||||
}
|
}
|
||||||
|
|
||||||
|
getActiveInfo(sub: Subscription): { label: string; color: string } {
|
||||||
|
if (sub.active) {
|
||||||
|
return { label: 'Active', color: 'green' };
|
||||||
|
}
|
||||||
|
return { label: 'Inactive', color: 'default' };
|
||||||
|
}
|
||||||
|
|
||||||
getTypeLabel(sub: Subscription): { label: string; color: string } {
|
getTypeLabel(sub: Subscription): { label: string; color: string } {
|
||||||
const userId = this.authService.getUserId();
|
const userId = this.authService.getUserId();
|
||||||
if (sub.subscriber_user_id === sub.channel_owner_user_id) {
|
if (sub.subscriber_user_id === sub.channel_owner_user_id) {
|
||||||
|
|||||||
@@ -56,7 +56,20 @@
|
|||||||
</span>
|
</span>
|
||||||
</div>
|
</div>
|
||||||
<div class="header-right">
|
<div class="header-right">
|
||||||
<span class="user-id mono">{{ userId }}</span>
|
<div class="expert-mode-toggle">
|
||||||
|
<nz-switch
|
||||||
|
[ngModel]="expertMode()"
|
||||||
|
(ngModelChange)="settingsService.setExpertMode($event)"
|
||||||
|
nzSize="small"
|
||||||
|
></nz-switch>
|
||||||
|
<span class="expert-mode-label">Expert</span>
|
||||||
|
</div>
|
||||||
|
<div class="user-info">
|
||||||
|
<span class="user-id mono">{{ userId }}</span>
|
||||||
|
@if (currentKey()) {
|
||||||
|
<span class="key-id mono">{{ currentKey()!.keytoken_id }}</span>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
<button nz-button nzType="text" nzDanger (click)="logout()">
|
<button nz-button nzType="text" nzDanger (click)="logout()">
|
||||||
<span nz-icon nzType="logout"></span>
|
<span nz-icon nzType="logout"></span>
|
||||||
Logout
|
Logout
|
||||||
|
|||||||
@@ -51,6 +51,17 @@
|
|||||||
align-items: center;
|
align-items: center;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.expert-mode-toggle {
|
||||||
|
display: flex;
|
||||||
|
align-items: center;
|
||||||
|
gap: 8px;
|
||||||
|
|
||||||
|
.expert-mode-label {
|
||||||
|
font-size: 13px;
|
||||||
|
color: #666;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
.header-trigger {
|
.header-trigger {
|
||||||
font-size: 18px;
|
font-size: 18px;
|
||||||
cursor: pointer;
|
cursor: pointer;
|
||||||
@@ -66,11 +77,23 @@
|
|||||||
display: flex;
|
display: flex;
|
||||||
align-items: center;
|
align-items: center;
|
||||||
gap: 16px;
|
gap: 16px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.user-info {
|
||||||
|
display: flex;
|
||||||
|
flex-direction: column;
|
||||||
|
align-items: flex-end;
|
||||||
|
line-height: 1.3;
|
||||||
|
|
||||||
.user-id {
|
.user-id {
|
||||||
color: #666;
|
color: #666;
|
||||||
font-size: 13px;
|
font-size: 13px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.key-id {
|
||||||
|
color: #999;
|
||||||
|
font-size: 13px;
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
.content-area {
|
.content-area {
|
||||||
|
|||||||
@@ -1,4 +1,4 @@
|
|||||||
import { Component, inject, signal } from '@angular/core';
|
import { Component, inject, signal, OnInit } from '@angular/core';
|
||||||
import { CommonModule } from '@angular/common';
|
import { CommonModule } from '@angular/common';
|
||||||
import { RouterOutlet, RouterLink, Router } from '@angular/router';
|
import { RouterOutlet, RouterLink, Router } from '@angular/router';
|
||||||
import { NzLayoutModule } from 'ng-zorro-antd/layout';
|
import { NzLayoutModule } from 'ng-zorro-antd/layout';
|
||||||
@@ -6,13 +6,19 @@ import { NzMenuModule } from 'ng-zorro-antd/menu';
|
|||||||
import { NzIconModule } from 'ng-zorro-antd/icon';
|
import { NzIconModule } from 'ng-zorro-antd/icon';
|
||||||
import { NzButtonModule } from 'ng-zorro-antd/button';
|
import { NzButtonModule } from 'ng-zorro-antd/button';
|
||||||
import { NzDropDownModule } from 'ng-zorro-antd/dropdown';
|
import { NzDropDownModule } from 'ng-zorro-antd/dropdown';
|
||||||
|
import { NzSwitchModule } from 'ng-zorro-antd/switch';
|
||||||
|
import { FormsModule } from '@angular/forms';
|
||||||
import { AuthService } from '../../core/services/auth.service';
|
import { AuthService } from '../../core/services/auth.service';
|
||||||
|
import { SettingsService } from '../../core/services/settings.service';
|
||||||
|
import { ApiService } from '../../core/services/api.service';
|
||||||
|
import { KeyToken } from '../../core/models';
|
||||||
|
|
||||||
@Component({
|
@Component({
|
||||||
selector: 'app-main-layout',
|
selector: 'app-main-layout',
|
||||||
standalone: true,
|
standalone: true,
|
||||||
imports: [
|
imports: [
|
||||||
CommonModule,
|
CommonModule,
|
||||||
|
FormsModule,
|
||||||
RouterOutlet,
|
RouterOutlet,
|
||||||
RouterLink,
|
RouterLink,
|
||||||
NzLayoutModule,
|
NzLayoutModule,
|
||||||
@@ -20,16 +26,34 @@ import { AuthService } from '../../core/services/auth.service';
|
|||||||
NzIconModule,
|
NzIconModule,
|
||||||
NzButtonModule,
|
NzButtonModule,
|
||||||
NzDropDownModule,
|
NzDropDownModule,
|
||||||
|
NzSwitchModule,
|
||||||
],
|
],
|
||||||
templateUrl: './main-layout.component.html',
|
templateUrl: './main-layout.component.html',
|
||||||
styleUrl: './main-layout.component.scss'
|
styleUrl: './main-layout.component.scss'
|
||||||
})
|
})
|
||||||
export class MainLayoutComponent {
|
export class MainLayoutComponent implements OnInit {
|
||||||
private authService = inject(AuthService);
|
private authService = inject(AuthService);
|
||||||
|
private apiService = inject(ApiService);
|
||||||
private router = inject(Router);
|
private router = inject(Router);
|
||||||
|
settingsService = inject(SettingsService);
|
||||||
|
|
||||||
isCollapsed = signal(false);
|
isCollapsed = signal(false);
|
||||||
userId = this.authService.getUserId();
|
userId = this.authService.getUserId();
|
||||||
|
currentKey = signal<KeyToken | null>(null);
|
||||||
|
expertMode = this.settingsService.expertMode;
|
||||||
|
|
||||||
|
ngOnInit(): void {
|
||||||
|
this.loadCurrentKey();
|
||||||
|
}
|
||||||
|
|
||||||
|
private loadCurrentKey(): void {
|
||||||
|
const userId = this.userId;
|
||||||
|
if (!userId) return;
|
||||||
|
|
||||||
|
this.apiService.getCurrentKey(userId).subscribe({
|
||||||
|
next: (key) => this.currentKey.set(key)
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
toggleCollapsed(): void {
|
toggleCollapsed(): void {
|
||||||
this.isCollapsed.update(v => !v);
|
this.isCollapsed.update(v => !v);
|
||||||
|
|||||||
2
webapp/src/app/shared/components/metadata-grid/index.ts
Normal file
2
webapp/src/app/shared/components/metadata-grid/index.ts
Normal file
@@ -0,0 +1,2 @@
|
|||||||
|
export { MetadataGridComponent } from './metadata-grid.component';
|
||||||
|
export { MetadataValueComponent } from './metadata-value.component';
|
||||||
@@ -0,0 +1,74 @@
|
|||||||
|
import { Component, ContentChildren, QueryList, ViewEncapsulation, ChangeDetectionStrategy } from '@angular/core';
|
||||||
|
import { CommonModule } from '@angular/common';
|
||||||
|
import { MetadataValueComponent } from './metadata-value.component';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'scn-metadata-grid',
|
||||||
|
standalone: true,
|
||||||
|
imports: [CommonModule],
|
||||||
|
encapsulation: ViewEncapsulation.None,
|
||||||
|
changeDetection: ChangeDetectionStrategy.OnPush,
|
||||||
|
template: `
|
||||||
|
<div class="scn-metadata-grid">
|
||||||
|
@for (item of items; track item; let first = $first; let last = $last) {
|
||||||
|
<label class="scn-metadata-label" [class.first]="first" [class.last]="last">{{ item.label }}</label>
|
||||||
|
<div class="scn-metadata-value" [class.first]="first" [class.last]="last">
|
||||||
|
<ng-container [ngTemplateOutlet]="item.content"></ng-container>
|
||||||
|
</div>
|
||||||
|
}
|
||||||
|
</div>
|
||||||
|
`,
|
||||||
|
styles: [`
|
||||||
|
.scn-metadata-grid {
|
||||||
|
display: grid;
|
||||||
|
grid-template-columns: minmax(120px, auto) 1fr;
|
||||||
|
border-radius: 4px;
|
||||||
|
overflow: hidden;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scn-metadata-label {
|
||||||
|
font-size: 14px;
|
||||||
|
color: rgba(0, 0, 0, 0.45);
|
||||||
|
padding: 12px 16px;
|
||||||
|
background: #fafafa;
|
||||||
|
border: 1px solid #f0f0f0;
|
||||||
|
border-right: none;
|
||||||
|
border-top: none;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scn-metadata-label.first {
|
||||||
|
border-top: 1px solid #f0f0f0;
|
||||||
|
border-top-left-radius: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scn-metadata-label.last {
|
||||||
|
border-bottom-left-radius: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scn-metadata-value {
|
||||||
|
font-size: 14px;
|
||||||
|
color: rgba(0, 0, 0, 0.85);
|
||||||
|
padding: 12px 16px;
|
||||||
|
background: #fff;
|
||||||
|
border: 1px solid #f0f0f0;
|
||||||
|
border-top: none;
|
||||||
|
word-break: break-word;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scn-metadata-value.first {
|
||||||
|
border-top: 1px solid #f0f0f0;
|
||||||
|
border-top-right-radius: 4px;
|
||||||
|
}
|
||||||
|
|
||||||
|
.scn-metadata-value.last {
|
||||||
|
border-bottom-right-radius: 4px;
|
||||||
|
}
|
||||||
|
`]
|
||||||
|
})
|
||||||
|
export class MetadataGridComponent {
|
||||||
|
@ContentChildren(MetadataValueComponent) children!: QueryList<MetadataValueComponent>;
|
||||||
|
|
||||||
|
get items(): MetadataValueComponent[] {
|
||||||
|
return this.children?.toArray() ?? [];
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -0,0 +1,20 @@
|
|||||||
|
import { Component, Input, ViewChild, TemplateRef, ViewEncapsulation, ChangeDetectionStrategy } from '@angular/core';
|
||||||
|
|
||||||
|
@Component({
|
||||||
|
selector: 'scn-metadata-value',
|
||||||
|
standalone: true,
|
||||||
|
encapsulation: ViewEncapsulation.None,
|
||||||
|
changeDetection: ChangeDetectionStrategy.OnPush,
|
||||||
|
template: `
|
||||||
|
<ng-template #contentTemplate><ng-content></ng-content></ng-template>
|
||||||
|
`,
|
||||||
|
})
|
||||||
|
export class MetadataValueComponent {
|
||||||
|
@Input() label: string = '';
|
||||||
|
|
||||||
|
@ViewChild('contentTemplate', { static: true }) contentTemplate!: TemplateRef<any>;
|
||||||
|
|
||||||
|
get content(): TemplateRef<any> {
|
||||||
|
return this.contentTemplate;
|
||||||
|
}
|
||||||
|
}
|
||||||
@@ -67,15 +67,28 @@ body {
|
|||||||
align-items: center;
|
align-items: center;
|
||||||
}
|
}
|
||||||
|
|
||||||
// Clickable row
|
// Clickable row with anchor link for proper middle-click support
|
||||||
.clickable-row {
|
.clickable-row {
|
||||||
cursor: pointer;
|
|
||||||
|
|
||||||
&:hover {
|
&:hover {
|
||||||
background-color: #fafafa;
|
background-color: #fafafa;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
td:has(> a.cell-link) {
|
||||||
|
padding: 0 !important;
|
||||||
|
}
|
||||||
|
|
||||||
|
a.cell-link {
|
||||||
|
display: block;
|
||||||
|
padding: 8px;
|
||||||
|
color: inherit;
|
||||||
|
text-decoration: none;
|
||||||
|
|
||||||
|
&:hover {
|
||||||
|
color: inherit;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
// Status colors
|
// Status colors
|
||||||
.status-confirmed {
|
.status-confirmed {
|
||||||
color: #52c41a;
|
color: #52c41a;
|
||||||
@@ -150,3 +163,7 @@ nz-card {
|
|||||||
flex-grow: 1;
|
flex-grow: 1;
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
th {
|
||||||
|
white-space: pre;
|
||||||
|
}
|
||||||
Reference in New Issue
Block a user