mirror of
https://github.com/owncast/owncast.git
synced 2024-11-21 12:18:02 +03:00
Add user detail API + modal. Closes #2002
This commit is contained in:
parent
82a0b492a5
commit
f3a16be0dd
21 changed files with 543 additions and 60 deletions
2
.github/workflows/build-next.yml
vendored
2
.github/workflows/build-next.yml
vendored
|
@ -13,4 +13,4 @@ jobs:
|
||||||
uses: actions/checkout@v2
|
uses: actions/checkout@v2
|
||||||
|
|
||||||
- name: Install dependencies
|
- name: Install dependencies
|
||||||
run: cd web && npm install && npm run build
|
run: cd web && npm install --include=dev --force && npm run build
|
||||||
|
|
4
.github/workflows/build-storybook.yml
vendored
4
.github/workflows/build-storybook.yml
vendored
|
@ -1,7 +1,7 @@
|
||||||
name: Build and Deploy Components+Style Guide
|
name: Build and Deploy Components+Style Guide
|
||||||
on:
|
on:
|
||||||
push:
|
push:
|
||||||
paths: ["web/stories/**", "web/components/**"] # Trigger the action only when files change in the folders defined here
|
paths: ['web/stories/**', 'web/components/**'] # Trigger the action only when files change in the folders defined here
|
||||||
jobs:
|
jobs:
|
||||||
build-and-deploy:
|
build-and-deploy:
|
||||||
runs-on: ubuntu-latest
|
runs-on: ubuntu-latest
|
||||||
|
@ -14,7 +14,7 @@ jobs:
|
||||||
- name: Install and Build
|
- name: Install and Build
|
||||||
run: | # Install npm packages and build the Storybook files
|
run: | # Install npm packages and build the Storybook files
|
||||||
cd web
|
cd web
|
||||||
npm install --include-dev
|
npm install --include-dev --force
|
||||||
npm run build-storybook -- -o ../docs/components
|
npm run build-storybook -- -o ../docs/components
|
||||||
|
|
||||||
- name: Dispatch event to web site
|
- name: Dispatch event to web site
|
||||||
|
|
2
.github/workflows/chromatic.yml
vendored
2
.github/workflows/chromatic.yml
vendored
|
@ -20,7 +20,7 @@ jobs:
|
||||||
steps:
|
steps:
|
||||||
- uses: actions/checkout@v1
|
- uses: actions/checkout@v1
|
||||||
- name: Install dependencies
|
- name: Install dependencies
|
||||||
run: npm install --include=dev
|
run: npm install --include=dev --force
|
||||||
# 👇 Adds Chromatic as a step in the workflow
|
# 👇 Adds Chromatic as a step in the workflow
|
||||||
- name: Publish to Chromatic
|
- name: Publish to Chromatic
|
||||||
uses: chromaui/action@v1
|
uses: chromaui/action@v1
|
||||||
|
|
2
.github/workflows/javascript-formatting.yml
vendored
2
.github/workflows/javascript-formatting.yml
vendored
|
@ -43,7 +43,7 @@ jobs:
|
||||||
uses: actions/checkout@v2
|
uses: actions/checkout@v2
|
||||||
|
|
||||||
- name: Install Dependencies
|
- name: Install Dependencies
|
||||||
run: npm install
|
run: npm install --force
|
||||||
|
|
||||||
- name: Lint
|
- name: Lint
|
||||||
run: npm run lint
|
run: npm run lint
|
||||||
|
|
71
controllers/moderation/moderation.go
Normal file
71
controllers/moderation/moderation.go
Normal file
|
@ -0,0 +1,71 @@
|
||||||
|
package moderation
|
||||||
|
|
||||||
|
import (
|
||||||
|
"encoding/json"
|
||||||
|
"net/http"
|
||||||
|
"strings"
|
||||||
|
"time"
|
||||||
|
|
||||||
|
"github.com/owncast/owncast/controllers"
|
||||||
|
"github.com/owncast/owncast/core/chat"
|
||||||
|
"github.com/owncast/owncast/core/chat/events"
|
||||||
|
"github.com/owncast/owncast/core/user"
|
||||||
|
log "github.com/sirupsen/logrus"
|
||||||
|
)
|
||||||
|
|
||||||
|
// GetUserDetails returns the details of a chat user for moderators.
|
||||||
|
func GetUserDetails(w http.ResponseWriter, r *http.Request) {
|
||||||
|
type connectedClient struct {
|
||||||
|
MessageCount int `json:"messageCount"`
|
||||||
|
UserAgent string `json:"userAgent"`
|
||||||
|
ConnectedAt time.Time `json:"connectedAt"`
|
||||||
|
Geo string `json:"geo,omitempty"`
|
||||||
|
}
|
||||||
|
|
||||||
|
type response struct {
|
||||||
|
User *user.User `json:"user"`
|
||||||
|
ConnectedClients []connectedClient `json:"connectedClients"`
|
||||||
|
Messages []events.UserMessageEvent `json:"messages"`
|
||||||
|
}
|
||||||
|
|
||||||
|
pathComponents := strings.Split(r.URL.Path, "/")
|
||||||
|
uid := pathComponents[len(pathComponents)-1]
|
||||||
|
|
||||||
|
u := user.GetUserByID(uid)
|
||||||
|
|
||||||
|
if u == nil {
|
||||||
|
w.WriteHeader(http.StatusNotFound)
|
||||||
|
return
|
||||||
|
}
|
||||||
|
|
||||||
|
c, _ := chat.GetClientsForUser(uid)
|
||||||
|
clients := make([]connectedClient, len(c))
|
||||||
|
for i, c := range c {
|
||||||
|
client := connectedClient{
|
||||||
|
MessageCount: c.MessageCount,
|
||||||
|
UserAgent: c.UserAgent,
|
||||||
|
ConnectedAt: c.ConnectedAt,
|
||||||
|
}
|
||||||
|
if c.Geo != nil {
|
||||||
|
client.Geo = c.Geo.CountryCode
|
||||||
|
}
|
||||||
|
|
||||||
|
clients[i] = client
|
||||||
|
}
|
||||||
|
|
||||||
|
messages, err := chat.GetMessagesFromUser(uid)
|
||||||
|
if err != nil {
|
||||||
|
log.Errorln(err)
|
||||||
|
}
|
||||||
|
|
||||||
|
res := response{
|
||||||
|
User: u,
|
||||||
|
ConnectedClients: clients,
|
||||||
|
Messages: messages,
|
||||||
|
}
|
||||||
|
|
||||||
|
w.Header().Set("Content-Type", "application/json")
|
||||||
|
if err := json.NewEncoder(w).Encode(res); err != nil {
|
||||||
|
controllers.InternalErrorHandler(w, err)
|
||||||
|
}
|
||||||
|
}
|
|
@ -1,6 +1,8 @@
|
||||||
package chat
|
package chat
|
||||||
|
|
||||||
import (
|
import (
|
||||||
|
"context"
|
||||||
|
"database/sql"
|
||||||
"fmt"
|
"fmt"
|
||||||
"strings"
|
"strings"
|
||||||
"time"
|
"time"
|
||||||
|
@ -300,6 +302,29 @@ func GetChatHistory() []interface{} {
|
||||||
return m
|
return m
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// GetMessagesFromUser returns chat messages that were sent by a specific user.
|
||||||
|
func GetMessagesFromUser(userID string) ([]events.UserMessageEvent, error) {
|
||||||
|
query, err := _datastore.GetQueries().GetMessagesFromUser(context.Background(), sql.NullString{String: userID, Valid: true})
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
|
||||||
|
results := make([]events.UserMessageEvent, len(query))
|
||||||
|
for i, row := range query {
|
||||||
|
results[i] = events.UserMessageEvent{
|
||||||
|
Event: events.Event{
|
||||||
|
Timestamp: row.Timestamp.Time,
|
||||||
|
ID: row.ID,
|
||||||
|
},
|
||||||
|
MessageEvent: events.MessageEvent{
|
||||||
|
Body: row.Body.String,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return results, nil
|
||||||
|
}
|
||||||
|
|
||||||
// SetMessageVisibilityForUserID will bulk change the visibility of messages for a user
|
// SetMessageVisibilityForUserID will bulk change the visibility of messages for a user
|
||||||
// and then send out visibility changed events to chat clients.
|
// and then send out visibility changed events to chat clients.
|
||||||
func SetMessageVisibilityForUserID(userID string, visible bool) error {
|
func SetMessageVisibilityForUserID(userID string, visible bool) error {
|
||||||
|
|
2
db/db.go
2
db/db.go
|
@ -1,6 +1,6 @@
|
||||||
// Code generated by sqlc. DO NOT EDIT.
|
// Code generated by sqlc. DO NOT EDIT.
|
||||||
// versions:
|
// versions:
|
||||||
// sqlc v1.13.0
|
// sqlc v1.14.0
|
||||||
|
|
||||||
package db
|
package db
|
||||||
|
|
||||||
|
|
15
db/models.go
15
db/models.go
|
@ -1,6 +1,6 @@
|
||||||
// Code generated by sqlc. DO NOT EDIT.
|
// Code generated by sqlc. DO NOT EDIT.
|
||||||
// versions:
|
// versions:
|
||||||
// sqlc v1.13.0
|
// sqlc v1.14.0
|
||||||
|
|
||||||
package db
|
package db
|
||||||
|
|
||||||
|
@ -52,6 +52,19 @@ type IpBan struct {
|
||||||
CreatedAt sql.NullTime
|
CreatedAt sql.NullTime
|
||||||
}
|
}
|
||||||
|
|
||||||
|
type Message struct {
|
||||||
|
ID string
|
||||||
|
UserID sql.NullString
|
||||||
|
Body sql.NullString
|
||||||
|
EventType sql.NullString
|
||||||
|
HiddenAt sql.NullTime
|
||||||
|
Timestamp sql.NullTime
|
||||||
|
Title sql.NullString
|
||||||
|
Subtitle sql.NullString
|
||||||
|
Image sql.NullString
|
||||||
|
Link sql.NullString
|
||||||
|
}
|
||||||
|
|
||||||
type Notification struct {
|
type Notification struct {
|
||||||
ID int32
|
ID int32
|
||||||
Channel string
|
Channel string
|
||||||
|
|
|
@ -99,6 +99,9 @@ UPDATE user_access_tokens SET user_id = $1 WHERE token = $2;
|
||||||
-- name: SetUserAsAuthenticated :exec
|
-- name: SetUserAsAuthenticated :exec
|
||||||
UPDATE users SET authenticated_at = CURRENT_TIMESTAMP WHERE id = $1;
|
UPDATE users SET authenticated_at = CURRENT_TIMESTAMP WHERE id = $1;
|
||||||
|
|
||||||
|
-- name: GetMessagesFromUser :many
|
||||||
|
SELECT id, body, hidden_at, timestamp FROM messages WHERE eventType = 'CHAT' AND user_id = $1 ORDER BY TIMESTAMP DESC;
|
||||||
|
|
||||||
-- name: IsDisplayNameAvailable :one
|
-- name: IsDisplayNameAvailable :one
|
||||||
SELECT count(*) FROM users WHERE display_name = $1 AND authenticated_at is not null AND disabled_at is NULL;
|
SELECT count(*) FROM users WHERE display_name = $1 AND authenticated_at is not null AND disabled_at is NULL;
|
||||||
|
|
||||||
|
|
|
@ -1,6 +1,6 @@
|
||||||
// Code generated by sqlc. DO NOT EDIT.
|
// Code generated by sqlc. DO NOT EDIT.
|
||||||
// versions:
|
// versions:
|
||||||
// sqlc v1.13.0
|
// sqlc v1.14.0
|
||||||
// source: query.sql
|
// source: query.sql
|
||||||
|
|
||||||
package db
|
package db
|
||||||
|
@ -412,6 +412,45 @@ func (q *Queries) GetLocalPostCount(ctx context.Context) (int64, error) {
|
||||||
return count, err
|
return count, err
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const getMessagesFromUser = `-- name: GetMessagesFromUser :many
|
||||||
|
SELECT id, body, hidden_at, timestamp FROM messages WHERE eventType = 'CHAT' AND user_id = $1 ORDER BY TIMESTAMP DESC
|
||||||
|
`
|
||||||
|
|
||||||
|
type GetMessagesFromUserRow struct {
|
||||||
|
ID string
|
||||||
|
Body sql.NullString
|
||||||
|
HiddenAt sql.NullTime
|
||||||
|
Timestamp sql.NullTime
|
||||||
|
}
|
||||||
|
|
||||||
|
func (q *Queries) GetMessagesFromUser(ctx context.Context, userID sql.NullString) ([]GetMessagesFromUserRow, error) {
|
||||||
|
rows, err := q.db.QueryContext(ctx, getMessagesFromUser, userID)
|
||||||
|
if err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
defer rows.Close()
|
||||||
|
var items []GetMessagesFromUserRow
|
||||||
|
for rows.Next() {
|
||||||
|
var i GetMessagesFromUserRow
|
||||||
|
if err := rows.Scan(
|
||||||
|
&i.ID,
|
||||||
|
&i.Body,
|
||||||
|
&i.HiddenAt,
|
||||||
|
&i.Timestamp,
|
||||||
|
); err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
items = append(items, i)
|
||||||
|
}
|
||||||
|
if err := rows.Close(); err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
if err := rows.Err(); err != nil {
|
||||||
|
return nil, err
|
||||||
|
}
|
||||||
|
return items, nil
|
||||||
|
}
|
||||||
|
|
||||||
const getNotificationDestinationsForChannel = `-- name: GetNotificationDestinationsForChannel :many
|
const getNotificationDestinationsForChannel = `-- name: GetNotificationDestinationsForChannel :many
|
||||||
SELECT destination FROM notifications WHERE channel = $1
|
SELECT destination FROM notifications WHERE channel = $1
|
||||||
`
|
`
|
||||||
|
|
|
@ -79,3 +79,21 @@ CREATE TABLE IF NOT EXISTS auth (
|
||||||
"timestamp" DATE DEFAULT CURRENT_TIMESTAMP NOT NULL
|
"timestamp" DATE DEFAULT CURRENT_TIMESTAMP NOT NULL
|
||||||
);
|
);
|
||||||
CREATE INDEX auth_token ON auth (token);
|
CREATE INDEX auth_token ON auth (token);
|
||||||
|
|
||||||
|
CREATE TABLE IF NOT EXISTS messages (
|
||||||
|
"id" string NOT NULL,
|
||||||
|
"user_id" TEXT,
|
||||||
|
"body" TEXT,
|
||||||
|
"eventType" TEXT,
|
||||||
|
"hidden_at" DATE,
|
||||||
|
"timestamp" DATE,
|
||||||
|
"title" TEXT,
|
||||||
|
"subtitle" TEXT,
|
||||||
|
"image" TEXT,
|
||||||
|
"link" TEXT,
|
||||||
|
PRIMARY KEY (id)
|
||||||
|
);CREATE INDEX index ON messages (id, user_id, hidden_at, timestamp);
|
||||||
|
CREATE INDEX id ON messages (id);
|
||||||
|
CREATE INDEX user_id ON messages (user_id);
|
||||||
|
CREATE INDEX hidden_at ON messages (hidden_at);
|
||||||
|
CREATE INDEX timestamp ON messages (timestamp);
|
||||||
|
|
|
@ -15,6 +15,7 @@ import (
|
||||||
"github.com/owncast/owncast/controllers/admin"
|
"github.com/owncast/owncast/controllers/admin"
|
||||||
fediverseauth "github.com/owncast/owncast/controllers/auth/fediverse"
|
fediverseauth "github.com/owncast/owncast/controllers/auth/fediverse"
|
||||||
"github.com/owncast/owncast/controllers/auth/indieauth"
|
"github.com/owncast/owncast/controllers/auth/indieauth"
|
||||||
|
"github.com/owncast/owncast/controllers/moderation"
|
||||||
"github.com/owncast/owncast/core/chat"
|
"github.com/owncast/owncast/core/chat"
|
||||||
"github.com/owncast/owncast/core/data"
|
"github.com/owncast/owncast/core/data"
|
||||||
"github.com/owncast/owncast/core/user"
|
"github.com/owncast/owncast/core/user"
|
||||||
|
@ -323,6 +324,9 @@ func Start() error {
|
||||||
// Enable/disable a user
|
// Enable/disable a user
|
||||||
http.HandleFunc("/api/chat/users/setenabled", middleware.RequireUserModerationScopeAccesstoken(admin.UpdateUserEnabled))
|
http.HandleFunc("/api/chat/users/setenabled", middleware.RequireUserModerationScopeAccesstoken(admin.UpdateUserEnabled))
|
||||||
|
|
||||||
|
// Get a user's details
|
||||||
|
http.HandleFunc("/api/moderation/chat/user/", middleware.RequireUserModerationScopeAccesstoken(moderation.GetUserDetails))
|
||||||
|
|
||||||
// Configure Federation features
|
// Configure Federation features
|
||||||
|
|
||||||
// enable/disable federation features
|
// enable/disable federation features
|
||||||
|
|
|
@ -17,6 +17,7 @@ module.exports = {
|
||||||
'storybook-addon-designs',
|
'storybook-addon-designs',
|
||||||
'storybook-dark-mode',
|
'storybook-dark-mode',
|
||||||
'addon-screen-reader',
|
'addon-screen-reader',
|
||||||
|
'storybook-addon-fetch-mock',
|
||||||
],
|
],
|
||||||
webpackFinal: async (config, { configType }) => {
|
webpackFinal: async (config, { configType }) => {
|
||||||
// @see https://github.com/storybookjs/storybook/issues/9070
|
// @see https://github.com/storybookjs/storybook/issues/9070
|
||||||
|
|
|
@ -6,6 +6,9 @@ import { themes } from '@storybook/theming';
|
||||||
import { DocsContainer } from './storybook-theme';
|
import { DocsContainer } from './storybook-theme';
|
||||||
|
|
||||||
export const parameters = {
|
export const parameters = {
|
||||||
|
fetchMock: {
|
||||||
|
mocks: [],
|
||||||
|
},
|
||||||
actions: { argTypesRegex: '^on[A-Z].*' },
|
actions: { argTypesRegex: '^on[A-Z].*' },
|
||||||
docs: {
|
docs: {
|
||||||
container: DocsContainer,
|
container: DocsContainer,
|
||||||
|
|
|
@ -4,16 +4,14 @@ import {
|
||||||
EyeInvisibleOutlined,
|
EyeInvisibleOutlined,
|
||||||
SmallDashOutlined,
|
SmallDashOutlined,
|
||||||
} from '@ant-design/icons';
|
} from '@ant-design/icons';
|
||||||
import { Dropdown, Menu, MenuProps, Space, Modal } from 'antd';
|
import { Dropdown, Menu, MenuProps, Space, Modal, message } from 'antd';
|
||||||
import { useState } from 'react';
|
import { useState } from 'react';
|
||||||
import ChatModerationDetailsModal from './ChatModerationDetailsModal';
|
import ChatModerationDetailsModal from './ChatModerationDetailsModal';
|
||||||
import s from './ChatModerationActionMenu.module.scss';
|
import s from './ChatModerationActionMenu.module.scss';
|
||||||
|
import ChatModeration from '../../../services/moderation-service';
|
||||||
|
|
||||||
const { confirm } = Modal;
|
const { confirm } = Modal;
|
||||||
|
|
||||||
const HIDE_MESSAGE_ENDPOINT = `/api/chat/messagevisibility`;
|
|
||||||
const BAN_USER_ENDPOINT = `/api/chat/users/setenabled`;
|
|
||||||
|
|
||||||
/* eslint-disable @typescript-eslint/no-unused-vars */
|
/* eslint-disable @typescript-eslint/no-unused-vars */
|
||||||
interface Props {
|
interface Props {
|
||||||
accessToken: string;
|
accessToken: string;
|
||||||
|
@ -27,42 +25,20 @@ export default function ChatModerationActionMenu(props: Props) {
|
||||||
const [showUserDetailsModal, setShowUserDetailsModal] = useState(false);
|
const [showUserDetailsModal, setShowUserDetailsModal] = useState(false);
|
||||||
|
|
||||||
const handleBanUser = async () => {
|
const handleBanUser = async () => {
|
||||||
const url = new URL(BAN_USER_ENDPOINT);
|
|
||||||
url.searchParams.append('accessToken', accessToken);
|
|
||||||
const hideMessageUrl = url.toString();
|
|
||||||
|
|
||||||
const options = {
|
|
||||||
method: 'POST',
|
|
||||||
headers: {
|
|
||||||
'Content-Type': 'application/json',
|
|
||||||
},
|
|
||||||
body: JSON.stringify({ userID }),
|
|
||||||
};
|
|
||||||
|
|
||||||
try {
|
try {
|
||||||
await fetch(hideMessageUrl, options);
|
await ChatModeration.banUser(userID, accessToken);
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
console.error(e);
|
console.error(e);
|
||||||
|
message.error(e);
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
const handleHideMessage = async () => {
|
const handleHideMessage = async () => {
|
||||||
const url = new URL(HIDE_MESSAGE_ENDPOINT);
|
|
||||||
url.searchParams.append('accessToken', accessToken);
|
|
||||||
const hideMessageUrl = url.toString();
|
|
||||||
|
|
||||||
const options = {
|
|
||||||
method: 'POST',
|
|
||||||
headers: {
|
|
||||||
'Content-Type': 'application/json',
|
|
||||||
},
|
|
||||||
body: JSON.stringify({ idArray: [messageID] }),
|
|
||||||
};
|
|
||||||
|
|
||||||
try {
|
try {
|
||||||
await fetch(hideMessageUrl, options);
|
await ChatModeration.removeMessage(messageID, accessToken);
|
||||||
} catch (e) {
|
} catch (e) {
|
||||||
console.error(e);
|
console.error(e);
|
||||||
|
message.error(e);
|
||||||
}
|
}
|
||||||
};
|
};
|
||||||
|
|
||||||
|
@ -141,12 +117,14 @@ export default function ChatModerationActionMenu(props: Props) {
|
||||||
</Dropdown>
|
</Dropdown>
|
||||||
<Modal
|
<Modal
|
||||||
visible={showUserDetailsModal}
|
visible={showUserDetailsModal}
|
||||||
footer={null}
|
okText="Ban User"
|
||||||
|
okButtonProps={{ danger: true }}
|
||||||
|
onOk={handleBanUser}
|
||||||
onCancel={() => {
|
onCancel={() => {
|
||||||
setShowUserDetailsModal(false);
|
setShowUserDetailsModal(false);
|
||||||
}}
|
}}
|
||||||
>
|
>
|
||||||
<ChatModerationDetailsModal />
|
<ChatModerationDetailsModal userId={userID} accessToken={accessToken} />
|
||||||
</Modal>
|
</Modal>
|
||||||
</>
|
</>
|
||||||
);
|
);
|
||||||
|
|
|
@ -8,3 +8,10 @@
|
||||||
border: 1px solid #ccc;
|
border: 1px solid #ccc;
|
||||||
border-radius: 5px;
|
border-radius: 5px;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
.colorBlock {
|
||||||
|
width: 50%;
|
||||||
|
height: 20px;
|
||||||
|
border: 1px solid #000;
|
||||||
|
text-align: center;
|
||||||
|
}
|
||||||
|
|
|
@ -1,27 +1,179 @@
|
||||||
import { Col, Row } from 'antd';
|
import { Button, Col, Row, Spin } from 'antd';
|
||||||
|
import { useEffect, useState } from 'react';
|
||||||
|
import ChatModeration from '../../../services/moderation-service';
|
||||||
import s from './ChatModerationDetailsModal.module.scss';
|
import s from './ChatModerationDetailsModal.module.scss';
|
||||||
|
|
||||||
/* eslint-disable @typescript-eslint/no-unused-vars */
|
|
||||||
interface Props {
|
interface Props {
|
||||||
// userID: string;
|
userId: string;
|
||||||
|
accessToken: string;
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export interface UserDetails {
|
||||||
|
user: User;
|
||||||
|
connectedClients: Client[];
|
||||||
|
messages: Message[];
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface Client {
|
||||||
|
messageCount: number;
|
||||||
|
userAgent: string;
|
||||||
|
connectedAt: Date;
|
||||||
|
geo: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface Message {
|
||||||
|
id: string;
|
||||||
|
timestamp: Date;
|
||||||
|
user: null;
|
||||||
|
body: string;
|
||||||
|
}
|
||||||
|
|
||||||
|
export interface User {
|
||||||
|
id: string;
|
||||||
|
displayName: string;
|
||||||
|
displayColor: number;
|
||||||
|
createdAt: Date;
|
||||||
|
previousNames: string[];
|
||||||
|
scopes: string[];
|
||||||
|
isBot: boolean;
|
||||||
|
authenticated: boolean;
|
||||||
|
}
|
||||||
|
|
||||||
|
const removeMessage = async (messageId: string, accessToken: string) => {
|
||||||
|
try {
|
||||||
|
ChatModeration.removeMessage(messageId, accessToken);
|
||||||
|
} catch (e) {
|
||||||
|
console.error(e);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
const ValueRow = ({ label, value }: { label: string; value: string }) => (
|
||||||
|
<Row justify="space-around" align="middle">
|
||||||
|
<Col span={12}>{label}</Col>
|
||||||
|
<Col span={12}>{value}</Col>
|
||||||
|
</Row>
|
||||||
|
);
|
||||||
|
|
||||||
|
const ChatMessageRow = ({
|
||||||
|
id,
|
||||||
|
body,
|
||||||
|
accessToken,
|
||||||
|
}: {
|
||||||
|
id: string;
|
||||||
|
body: string;
|
||||||
|
accessToken: string;
|
||||||
|
}) => (
|
||||||
|
<Row justify="space-around" align="middle">
|
||||||
|
<Col span={18}>{body}</Col>
|
||||||
|
<Col>
|
||||||
|
<Button onClick={() => removeMessage(id, accessToken)}>X</Button>
|
||||||
|
</Col>
|
||||||
|
</Row>
|
||||||
|
);
|
||||||
|
|
||||||
|
const ConnectedClient = ({ client }: { client: Client }) => {
|
||||||
|
const { messageCount, userAgent, connectedAt, geo } = client;
|
||||||
|
|
||||||
|
return (
|
||||||
|
<div>
|
||||||
|
<ValueRow label="Messages Sent" value={`${messageCount}`} />
|
||||||
|
<ValueRow label="Geo" value={geo} />
|
||||||
|
<ValueRow label="Connected At" value={connectedAt.toString()} />
|
||||||
|
<ValueRow label="User Agent" value={userAgent} />
|
||||||
|
</div>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
|
// eslint-disable-next-line react/prop-types
|
||||||
|
const UserColorBlock = ({ color }) => {
|
||||||
|
const bg = `var(--theme-user-colors-${color})`;
|
||||||
|
return (
|
||||||
|
<Row justify="space-around" align="middle">
|
||||||
|
<Col span={12}>Color</Col>
|
||||||
|
<Col span={12}>
|
||||||
|
<div className={s.colorBlock} style={{ backgroundColor: bg }}>
|
||||||
|
{color}
|
||||||
|
</div>
|
||||||
|
</Col>
|
||||||
|
</Row>
|
||||||
|
);
|
||||||
|
};
|
||||||
|
|
||||||
export default function ChatModerationDetailsModal(props: Props) {
|
export default function ChatModerationDetailsModal(props: Props) {
|
||||||
|
const { userId, accessToken } = props;
|
||||||
|
const [userDetails, setUserDetails] = useState<UserDetails | null>(null);
|
||||||
|
const [loading, setLoading] = useState(true);
|
||||||
|
|
||||||
|
const getDetails = async () => {
|
||||||
|
try {
|
||||||
|
const response = await (await fetch(`/api/moderation/chat/user/${userId}`)).json();
|
||||||
|
setUserDetails(response);
|
||||||
|
setLoading(false);
|
||||||
|
} catch (e) {
|
||||||
|
console.error(e);
|
||||||
|
}
|
||||||
|
};
|
||||||
|
|
||||||
|
useEffect(() => {
|
||||||
|
getDetails();
|
||||||
|
}, []);
|
||||||
|
|
||||||
|
if (!userDetails) {
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
const { user, connectedClients, messages } = userDetails;
|
||||||
|
const { displayName, displayColor, createdAt, previousNames, scopes, isBot, authenticated } =
|
||||||
|
user;
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div className={s.modalContainer}>
|
<div className={s.modalContainer}>
|
||||||
<Row justify="space-around" align="middle">
|
<Spin spinning={loading}>
|
||||||
<Col span={12}>User created</Col>
|
<h1>{displayName}</h1>
|
||||||
<Col span={12}>xxxx</Col>
|
<Row justify="space-around" align="middle">
|
||||||
</Row>
|
{scopes.map(scope => (
|
||||||
|
<Col>{scope}</Col>
|
||||||
|
))}
|
||||||
|
{authenticated && <Col>Authenticated</Col>}
|
||||||
|
{isBot && <Col>Bot</Col>}
|
||||||
|
</Row>
|
||||||
|
|
||||||
<Row justify="space-around" align="middle">
|
<UserColorBlock color={displayColor} />
|
||||||
<Col span={12}>Previous names</Col>
|
|
||||||
<Col span={12}>xxxx</Col>
|
|
||||||
</Row>
|
|
||||||
|
|
||||||
<h1>Recent Chat Messages</h1>
|
<ValueRow label="User Created" value={createdAt.toString()} />
|
||||||
|
<ValueRow label="Previous Names" value={previousNames.join(',')} />
|
||||||
|
|
||||||
<div className={s.chatHistory} />
|
<hr />
|
||||||
|
|
||||||
|
<h2>Currently Connected</h2>
|
||||||
|
{connectedClients.length > 0 && (
|
||||||
|
<Row gutter={[15, 15]} wrap>
|
||||||
|
{connectedClients.map(client => (
|
||||||
|
<Col flex="auto">
|
||||||
|
<ConnectedClient client={client} />
|
||||||
|
</Col>
|
||||||
|
))}
|
||||||
|
</Row>
|
||||||
|
)}
|
||||||
|
|
||||||
|
<hr />
|
||||||
|
{messages.length > 0 && (
|
||||||
|
<div>
|
||||||
|
<h1>Recent Chat Messages</h1>
|
||||||
|
|
||||||
|
<div className={s.chatHistory}>
|
||||||
|
{messages.map(message => (
|
||||||
|
<ChatMessageRow
|
||||||
|
key={message.id}
|
||||||
|
id={message.id}
|
||||||
|
body={message.body}
|
||||||
|
accessToken={accessToken}
|
||||||
|
/>
|
||||||
|
))}
|
||||||
|
</div>
|
||||||
|
</div>
|
||||||
|
)}
|
||||||
|
</Spin>
|
||||||
</div>
|
</div>
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
|
@ -1,5 +1,6 @@
|
||||||
import { ChatMessage } from '../interfaces/chat-message.model';
|
import { ChatMessage } from '../interfaces/chat-message.model';
|
||||||
import { getUnauthedData } from '../utils/apis';
|
import { getUnauthedData } from '../utils/apis';
|
||||||
|
|
||||||
const ENDPOINT = `/api/chat`;
|
const ENDPOINT = `/api/chat`;
|
||||||
const URL_CHAT_REGISTRATION = `/api/chat/register`;
|
const URL_CHAT_REGISTRATION = `/api/chat/register`;
|
||||||
|
|
||||||
|
|
38
web/services/moderation-service.ts
Normal file
38
web/services/moderation-service.ts
Normal file
|
@ -0,0 +1,38 @@
|
||||||
|
const HIDE_MESSAGE_ENDPOINT = `/api/chat/messagevisibility`;
|
||||||
|
const BAN_USER_ENDPOINT = `/api/chat/users/setenabled`;
|
||||||
|
|
||||||
|
class ChatModerationService {
|
||||||
|
public static async removeMessage(id: string, accessToken: string): Promise<any> {
|
||||||
|
const url = new URL(HIDE_MESSAGE_ENDPOINT, window.location.toString());
|
||||||
|
url.searchParams.append('accessToken', accessToken);
|
||||||
|
const hideMessageUrl = url.toString();
|
||||||
|
|
||||||
|
const options = {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/json',
|
||||||
|
},
|
||||||
|
body: JSON.stringify({ idArray: [id] }),
|
||||||
|
};
|
||||||
|
|
||||||
|
await fetch(hideMessageUrl, options);
|
||||||
|
}
|
||||||
|
|
||||||
|
public static async banUser(id: string, accessToken: string): Promise<any> {
|
||||||
|
const url = new URL(BAN_USER_ENDPOINT, window.location.toString());
|
||||||
|
url.searchParams.append('accessToken', accessToken);
|
||||||
|
const hideMessageUrl = url.toString();
|
||||||
|
|
||||||
|
const options = {
|
||||||
|
method: 'POST',
|
||||||
|
headers: {
|
||||||
|
'Content-Type': 'application/json',
|
||||||
|
},
|
||||||
|
body: JSON.stringify({ id }),
|
||||||
|
};
|
||||||
|
|
||||||
|
await fetch(hideMessageUrl, options);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
export default ChatModerationService;
|
|
@ -1,11 +1,74 @@
|
||||||
import React from 'react';
|
import React from 'react';
|
||||||
import { ComponentStory, ComponentMeta } from '@storybook/react';
|
import { ComponentStory, ComponentMeta } from '@storybook/react';
|
||||||
|
import { RecoilRoot } from 'recoil';
|
||||||
import ChatModerationActionMenu from '../components/chat/ChatModerationActionMenu/ChatModerationActionMenu';
|
import ChatModerationActionMenu from '../components/chat/ChatModerationActionMenu/ChatModerationActionMenu';
|
||||||
|
|
||||||
|
const mocks = {
|
||||||
|
mocks: [
|
||||||
|
{
|
||||||
|
// The "matcher" determines if this
|
||||||
|
// mock should respond to the current
|
||||||
|
// call to fetch().
|
||||||
|
matcher: {
|
||||||
|
name: 'response',
|
||||||
|
url: 'glob:/api/moderation/chat/user/*',
|
||||||
|
},
|
||||||
|
// If the "matcher" matches the current
|
||||||
|
// fetch() call, the fetch response is
|
||||||
|
// built using this "response".
|
||||||
|
response: {
|
||||||
|
status: 200,
|
||||||
|
body: {
|
||||||
|
user: {
|
||||||
|
id: 'hjFPU967R',
|
||||||
|
displayName: 'focused-snyder',
|
||||||
|
displayColor: 2,
|
||||||
|
createdAt: '2022-07-12T13:08:31.406505322-07:00',
|
||||||
|
previousNames: ['focused-snyder'],
|
||||||
|
scopes: ['MODERATOR'],
|
||||||
|
isBot: false,
|
||||||
|
authenticated: false,
|
||||||
|
},
|
||||||
|
connectedClients: [
|
||||||
|
{
|
||||||
|
messageCount: 3,
|
||||||
|
userAgent:
|
||||||
|
'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/100.0.4896.127 Safari/537.36',
|
||||||
|
connectedAt: '2022-07-20T16:45:07.796685618-07:00',
|
||||||
|
geo: 'N/A',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
messages: [
|
||||||
|
{
|
||||||
|
id: 'bQp8UJR4R',
|
||||||
|
timestamp: '2022-07-20T16:53:41.938083228-07:00',
|
||||||
|
user: null,
|
||||||
|
body: 'test message 3',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: 'ubK88Jg4R',
|
||||||
|
timestamp: '2022-07-20T16:53:39.675531279-07:00',
|
||||||
|
user: null,
|
||||||
|
body: 'test message 2',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '20v8UJRVR',
|
||||||
|
timestamp: '2022-07-20T16:53:37.551084121-07:00',
|
||||||
|
user: null,
|
||||||
|
body: 'test message 1',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
],
|
||||||
|
};
|
||||||
|
|
||||||
export default {
|
export default {
|
||||||
title: 'owncast/Chat/Moderation menu',
|
title: 'owncast/Chat/Moderation menu',
|
||||||
component: ChatModerationActionMenu,
|
component: ChatModerationActionMenu,
|
||||||
parameters: {
|
parameters: {
|
||||||
|
fetchMock: mocks,
|
||||||
docs: {
|
docs: {
|
||||||
description: {
|
description: {
|
||||||
component: `This should be a popup that is activated from a user's chat message. It should have actions to:
|
component: `This should be a popup that is activated from a user's chat message. It should have actions to:
|
||||||
|
@ -20,12 +83,14 @@ export default {
|
||||||
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||||
const Template: ComponentStory<typeof ChatModerationActionMenu> = args => (
|
const Template: ComponentStory<typeof ChatModerationActionMenu> = args => (
|
||||||
<ChatModerationActionMenu
|
<RecoilRoot>
|
||||||
accessToken="abc123"
|
<ChatModerationActionMenu
|
||||||
messageID="xxx"
|
accessToken="abc123"
|
||||||
userDisplayName="Fake-User"
|
messageID="xxx"
|
||||||
userID="abc123"
|
userDisplayName="Fake-User"
|
||||||
/>
|
userID="abc123"
|
||||||
|
/>
|
||||||
|
</RecoilRoot>
|
||||||
);
|
);
|
||||||
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||||
|
|
|
@ -1,11 +1,74 @@
|
||||||
import React from 'react';
|
import React from 'react';
|
||||||
import { ComponentStory, ComponentMeta } from '@storybook/react';
|
import { ComponentStory, ComponentMeta } from '@storybook/react';
|
||||||
|
import { RecoilRoot } from 'recoil';
|
||||||
import ChatModerationDetailsModal from '../components/chat/ChatModerationActionMenu/ChatModerationDetailsModal';
|
import ChatModerationDetailsModal from '../components/chat/ChatModerationActionMenu/ChatModerationDetailsModal';
|
||||||
|
|
||||||
|
const mocks = {
|
||||||
|
mocks: [
|
||||||
|
{
|
||||||
|
// The "matcher" determines if this
|
||||||
|
// mock should respond to the current
|
||||||
|
// call to fetch().
|
||||||
|
matcher: {
|
||||||
|
name: 'response',
|
||||||
|
url: 'glob:/api/moderation/chat/user/*',
|
||||||
|
},
|
||||||
|
// If the "matcher" matches the current
|
||||||
|
// fetch() call, the fetch response is
|
||||||
|
// built using this "response".
|
||||||
|
response: {
|
||||||
|
status: 200,
|
||||||
|
body: {
|
||||||
|
user: {
|
||||||
|
id: 'hjFPU967R',
|
||||||
|
displayName: 'focused-snyder',
|
||||||
|
displayColor: 2,
|
||||||
|
createdAt: '2022-07-12T13:08:31.406505322-07:00',
|
||||||
|
previousNames: ['focused-snyder'],
|
||||||
|
scopes: ['MODERATOR'],
|
||||||
|
isBot: false,
|
||||||
|
authenticated: false,
|
||||||
|
},
|
||||||
|
connectedClients: [
|
||||||
|
{
|
||||||
|
messageCount: 3,
|
||||||
|
userAgent:
|
||||||
|
'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/100.0.4896.127 Safari/537.36',
|
||||||
|
connectedAt: '2022-07-20T16:45:07.796685618-07:00',
|
||||||
|
geo: 'N/A',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
messages: [
|
||||||
|
{
|
||||||
|
id: 'bQp8UJR4R',
|
||||||
|
timestamp: '2022-07-20T16:53:41.938083228-07:00',
|
||||||
|
user: null,
|
||||||
|
body: 'test message 3',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: 'ubK88Jg4R',
|
||||||
|
timestamp: '2022-07-20T16:53:39.675531279-07:00',
|
||||||
|
user: null,
|
||||||
|
body: 'test message 2',
|
||||||
|
},
|
||||||
|
{
|
||||||
|
id: '20v8UJRVR',
|
||||||
|
timestamp: '2022-07-20T16:53:37.551084121-07:00',
|
||||||
|
user: null,
|
||||||
|
body: 'test message 1',
|
||||||
|
},
|
||||||
|
],
|
||||||
|
},
|
||||||
|
},
|
||||||
|
},
|
||||||
|
],
|
||||||
|
};
|
||||||
|
|
||||||
export default {
|
export default {
|
||||||
title: 'owncast/Chat/Moderation modal',
|
title: 'owncast/Chat/Moderation modal',
|
||||||
component: ChatModerationDetailsModal,
|
component: ChatModerationDetailsModal,
|
||||||
parameters: {
|
parameters: {
|
||||||
|
fetchMock: mocks,
|
||||||
docs: {
|
docs: {
|
||||||
description: {
|
description: {
|
||||||
component: `This should be a modal that gives the moderator more details about the user such as:
|
component: `This should be a modal that gives the moderator more details about the user such as:
|
||||||
|
@ -20,7 +83,9 @@ export default {
|
||||||
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||||
const Template: ComponentStory<typeof ChatModerationDetailsModal> = args => (
|
const Template: ComponentStory<typeof ChatModerationDetailsModal> = args => (
|
||||||
<ChatModerationDetailsModal />
|
<RecoilRoot>
|
||||||
|
<ChatModerationDetailsModal userId="testuser123" accessToken="fakeaccesstoken4839" />
|
||||||
|
</RecoilRoot>
|
||||||
);
|
);
|
||||||
|
|
||||||
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
// eslint-disable-next-line @typescript-eslint/no-unused-vars
|
||||||
|
|
Loading…
Reference in a new issue