Compare commits

..

2 Commits

Author SHA1 Message Date
Krishan
17fabcaf02 Release v2.1.3 2022-08-31 21:25:35 +05:30
Krishan
44875d0de0 Bump matrix-js-sdk from 19.2.0 to 19.4.0 2022-08-31 21:07:18 +05:30
120 changed files with 22587 additions and 4759 deletions

View File

@@ -1,2 +1,5 @@
webpack.common.js
webpack.dev.js
webpack.prod.js
experiment experiment
node_modules node_modules

View File

@@ -4,56 +4,25 @@ module.exports = {
es2021: true, es2021: true,
}, },
extends: [ extends: [
"eslint:recommended", 'plugin:react/recommended',
"plugin:react/recommended",
"plugin:react-hooks/recommended",
"plugin:@typescript-eslint/eslint-recommended",
"plugin:@typescript-eslint/recommended",
'airbnb', 'airbnb',
'prettier',
], ],
parser: "@typescript-eslint/parser",
parserOptions: { parserOptions: {
ecmaFeatures: { ecmaFeatures: {
jsx: true, jsx: true,
}, },
ecmaVersion: 'latest', ecmaVersion: 12,
sourceType: 'module', sourceType: 'module',
}, },
plugins: [ plugins: [
'react', 'react',
'@typescript-eslint'
], ],
rules: { rules: {
'linebreak-style': 0, 'linebreak-style': 0,
'no-underscore-dangle': 0, 'no-underscore-dangle': 0,
"import/prefer-default-export": "off",
"import/extensions": "off",
"import/no-unresolved": "off",
"import/no-extraneous-dependencies": [
"error",
{
devDependencies: true,
},
],
'react/no-unstable-nested-components': [ 'react/no-unstable-nested-components': [
'error', 'error',
{ allowAsProps: true }, { allowAsProps: true },
], ],
"react/jsx-filename-extension": [
"error",
{
extensions: [".tsx", ".jsx"],
},
],
"react/require-default-props": "off",
"react/jsx-props-no-spreading": "off",
"react-hooks/rules-of-hooks": "error",
"react-hooks/exhaustive-deps": "error",
"@typescript-eslint/no-unused-vars": "error",
}, },
}; };

15
.github/renovate.json vendored
View File

@@ -1,15 +0,0 @@
{
"$schema": "https://docs.renovatebot.com/renovate-schema.json",
"extends": [
"config:base",
":dependencyDashboardApproval"
],
"labels": [ "Dependencies" ],
"packageRules": [
{
"matchUpdateTypes": [ "lockFileMaintenance" ]
}
],
"lockFileMaintenance": { "enabled": true },
"dependencyDashboard": true
}

View File

@@ -1,4 +1,4 @@
name: Build pull request name: 'Build pull request'
on: on:
pull_request: pull_request:
@@ -6,33 +6,33 @@ on:
jobs: jobs:
build-pull-request: build-pull-request:
name: Build pull request
runs-on: ubuntu-latest runs-on: ubuntu-latest
env: env:
PR_NUMBER: ${{github.event.number}} PR_NUMBER: ${{github.event.number}}
steps: steps:
- name: Checkout repository - name: Checkout repository
uses: actions/checkout@v3.2.0 uses: actions/checkout@v3.0.2
- name: Setup node - name: Setup node
uses: actions/setup-node@v3.5.1 uses: actions/setup-node@v3.4.1
with: with:
node-version: 18.12.1 node-version: 17.9.0
cache: "npm"
- name: Install dependencies
run: npm ci
- name: Build app - name: Build app
run: npm run build run: npm ci && npm run build
- name: Upload artifact - name: Upload artifact
uses: actions/upload-artifact@v3.1.1 uses: actions/upload-artifact@v3.1.0
with: with:
name: preview name: previewbuild
path: dist path: dist
retention-days: 1 retention-days: 1
- name: Save pr number - name: Get PR info
run: echo ${PR_NUMBER} > ./pr.txt uses: actions/github-script@v6.1.0
- name: Upload pr number
uses: actions/upload-artifact@v3.1.1
with: with:
name: pr script: |
path: ./pr.txt var fs = require('fs');
fs.writeFileSync('${{github.workspace}}/pr.json', JSON.stringify(context.payload.pull_request));
- name: Upload PR Info
uses: actions/upload-artifact@v3.1.0
with:
name: pr.json
path: pr.json
retention-days: 1 retention-days: 1

View File

@@ -1,56 +1,81 @@
name: Deploy PR to Netlify name: Upload Preview Build to Netlify
on: on:
workflow_run: workflow_run:
workflows: ["Build pull request"] workflows: ["Build pull request"]
types: [completed] types:
- completed
jobs: jobs:
deploy-pull-request: get-build-and-deploy:
name: Deploy pull request
runs-on: ubuntu-latest
permissions: permissions:
contents: read contents: read
pull-requests: write pull-requests: write
if: ${{ github.event.workflow_run.conclusion == 'success' }} runs-on: ubuntu-latest
if: >
${{ github.event.workflow_run.conclusion == 'success' }}
steps: steps:
- name: Download pr number # There's a 'download artifact' action but it hasn't been updated for the
uses: dawidd6/action-download-artifact@e6e25ac3a2b93187502a8be1ef9e9603afc34925 # workflow_run action (https://github.com/actions/download-artifact/issues/60)
with: # so instead we get this mess:
workflow: ${{ github.event.workflow.id }}
run_id: ${{ github.event.workflow_run.id }}
name: pr
- name: Output pr number
id: pr
run: echo "id=$(<pr.txt)" >> $GITHUB_OUTPUT
- name: Download artifact - name: Download artifact
uses: dawidd6/action-download-artifact@e6e25ac3a2b93187502a8be1ef9e9603afc34925 uses: actions/github-script@v6.1.0
with: with:
workflow: ${{ github.event.workflow.id }} script: |
run_id: ${{ github.event.workflow_run.id }} var artifacts = await github.rest.actions.listWorkflowRunArtifacts({
name: preview owner: context.repo.owner,
path: dist repo: context.repo.repo,
run_id: ${{github.event.workflow_run.id }},
});
var matchArtifact = artifacts.data.artifacts.filter((artifact) => {
return artifact.name == "previewbuild"
})[0];
var download = await github.rest.actions.downloadArtifact({
owner: context.repo.owner,
repo: context.repo.repo,
artifact_id: matchArtifact.id,
archive_format: 'zip',
});
var fs = require('fs');
fs.writeFileSync('${{github.workspace}}/previewbuild.zip', Buffer.from(download.data));
var prInfoArtifact = artifacts.data.artifacts.filter((artifact) => {
return artifact.name == "pr.json"
})[0];
var download = await github.rest.actions.downloadArtifact({
owner: context.repo.owner,
repo: context.repo.repo,
artifact_id: prInfoArtifact.id,
archive_format: 'zip',
});
var fs = require('fs');
fs.writeFileSync('${{github.workspace}}/pr.json.zip', Buffer.from(download.data));
- name: Extract Artifacts
run: unzip -d dist previewbuild.zip && rm previewbuild.zip && unzip pr.json.zip && rm pr.json.zip
- name: Read PR Info
id: readctx
uses: actions/github-script@v6.1.0
with:
script: |
var fs = require('fs');
var pr = JSON.parse(fs.readFileSync('${{github.workspace}}/pr.json'));
console.log(`::set-output name=prnumber::${pr.number}`);
- name: Deploy to Netlify - name: Deploy to Netlify
id: netlify id: netlify
uses: nwtgck/actions-netlify@5da65c9f74c7961c5501a3ba329b8d0912f39c03 uses: nwtgck/actions-netlify@b7c1504e00c6b8a249d1848cc1b522a4865eed99
with: with:
publish-dir: dist publish-dir: dist
deploy-message: "Deploy PR ${{ steps.pr.outputs.id }}" deploy-message: "Deploy from GitHub Actions"
alias: ${{ steps.pr.outputs.id }}
# These don't work because we're in workflow_run # These don't work because we're in workflow_run
enable-pull-request-comment: false enable-pull-request-comment: false
enable-commit-comment: false enable-commit-comment: false
env: env:
NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }} NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }}
NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID_PR_CINNY }} NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE3_ID }}
timeout-minutes: 1 timeout-minutes: 1
- name: Comment preview on PR - name: Edit PR Description
uses: thollander/actions-comment-pull-request@c22fb302208b7b170d252a61a505d2ea27245eff uses: Beakyn/gha-comment-pull-request@2167a7aee24f9e61ce76a23039f322e49a990409
env: env:
GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }} GITHUB_TOKEN: ${{ secrets.GITHUB_TOKEN }}
with: with:
pr_number: ${{ steps.pr.outputs.id }} pull-request-number: ${{ steps.readctx.outputs.prnumber }}
comment_tag: ${{ steps.pr.outputs.id }} description-message: |
message: |
Preview: ${{ steps.netlify.outputs.deploy-url }} Preview: ${{ steps.netlify.outputs.deploy-url }}
⚠️ Exercise caution. Use test accounts. ⚠️ ⚠️ Exercise caution. Use test accounts. ⚠️

View File

@@ -9,11 +9,13 @@ on:
jobs: jobs:
docker-build: docker-build:
runs-on: ubuntu-latest runs-on: ubuntu-latest
env:
PR_NUMBER: ${{github.event.number}}
steps: steps:
- name: Checkout repository - name: Checkout repository
uses: actions/checkout@v3.2.0 uses: actions/checkout@v3.0.2
- name: Build Docker image - name: Build Docker image
uses: docker/build-push-action@v3.2.0 uses: docker/build-push-action@v3.1.1
with: with:
context: . context: .
push: false push: false

View File

@@ -1,26 +0,0 @@
name: NPM Lockfile Changes
on:
pull_request:
paths:
- 'package-lock.json'
jobs:
lockfile_changes:
runs-on: ubuntu-latest
# Permission overwrite is required for Dependabot PRs, see "Common issues" below.
permissions:
contents: read
pull-requests: write
steps:
- name: Checkout
uses: actions/checkout@v3.2.0
- name: NPM Lockfile Changes
uses: codepunkt/npm-lockfile-changes@b40543471c36394409466fdb277a73a0856d7891
with:
token: ${{ secrets.GITHUB_TOKEN }}
# Optional inputs, can be deleted safely if you are happy with default values.
collapsibleThreshold: 25
failOnDowngrade: false
path: package-lock.json
updateComment: true

View File

@@ -1,4 +1,4 @@
name: Deploy to Netlify (dev) name: 'Deploy to Netlify (dev)'
on: on:
push: push:
@@ -7,31 +7,23 @@ on:
jobs: jobs:
deploy-to-netlify: deploy-to-netlify:
name: Deploy to Netlify name: 'Deploy'
runs-on: ubuntu-latest runs-on: ubuntu-latest
permissions:
contents: read
steps: steps:
- name: Checkout repository - name: Checkout repository
uses: actions/checkout@v3.2.0 uses: actions/checkout@v3.0.2
- name: Setup node - name: Setup node
uses: actions/setup-node@v3.5.1 uses: actions/setup-node@v3.4.1
with: with:
node-version: 18.12.1 node-version: 17.9.0
cache: "npm" - name: Build and deploy to Netlify
- name: Install dependencies uses: jsmrcaga/action-netlify-deploy@53de32e559b0b3833615b9788c7a090cd2fddb03
run: npm ci
- name: Build app
run: npm run build
- name: Deploy to Netlify
uses: nwtgck/actions-netlify@5da65c9f74c7961c5501a3ba329b8d0912f39c03
with: with:
publish-dir: dist install_command: "npm ci"
deploy-message: "Dev deploy ${{ github.sha }}"
enable-commit-comment: false
github-token: ${{ secrets.GITHUB_TOKEN }}
production-deploy: true
github-deployment-environment: nightly
github-deployment-description: 'Nightly deployment on each commit to dev branch'
env:
NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }} NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }}
NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID_DEV }} NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE2_ID }}
timeout-minutes: 1 BUILD_DIRECTORY: "dist"
NETLIFY_DEPLOY_MESSAGE: "Dev deploy v${{ github.ref }}"
NETLIFY_DEPLOY_TO_PROD: true

View File

@@ -1,39 +1,24 @@
name: Production deploy name: 'Production deploy'
on: on:
release: release:
types: [published] types: [published]
jobs: jobs:
deploy-and-tarball: create-release-tar:
name: Netlify deploy and tarball name: 'Create release tar'
runs-on: ubuntu-latest runs-on: ubuntu-latest
steps: steps:
- name: Checkout repository - name: Checkout repository
uses: actions/checkout@v3.2.0 uses: actions/checkout@v3.0.2
- name: Setup node - name: Setup node
uses: actions/setup-node@v3.5.1 uses: actions/setup-node@v3.4.1
with: with:
node-version: 18.12.1 node-version: 17.9.0
cache: "npm" - name: Build
- name: Install dependencies run: |
run: npm ci npm ci
- name: Build app npm run build
run: npm run build
- name: Deploy to Netlify
uses: nwtgck/actions-netlify@5da65c9f74c7961c5501a3ba329b8d0912f39c03
with:
publish-dir: dist
deploy-message: "Prod deploy ${{ github.ref_name }}"
enable-commit-comment: false
github-token: ${{ secrets.GITHUB_TOKEN }}
production-deploy: true
github-deployment-environment: stable
github-deployment-description: 'Stable deployment on each release'
env:
NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }}
NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID_APP }}
timeout-minutes: 1
- name: Get version from tag - name: Get version from tag
id: vars id: vars
run: echo ::set-output name=tag::${GITHUB_REF#refs/*/} run: echo ::set-output name=tag::${GITHUB_REF#refs/*/}
@@ -50,45 +35,58 @@ jobs:
gpg --export | xxd -p gpg --export | xxd -p
echo '${{ secrets.GNUPG_PASSPHRASE }}' | gpg --batch --yes --pinentry-mode loopback --passphrase-fd 0 --armor --detach-sign cinny-${{ steps.vars.outputs.tag }}.tar.gz echo '${{ secrets.GNUPG_PASSPHRASE }}' | gpg --batch --yes --pinentry-mode loopback --passphrase-fd 0 --armor --detach-sign cinny-${{ steps.vars.outputs.tag }}.tar.gz
- name: Upload tagged release - name: Upload tagged release
uses: softprops/action-gh-release@de2c0eb89ae2a093876385947365aca7b0e5f844 uses: softprops/action-gh-release@1e07f4398721186383de40550babbdf2b84acfc5
with: with:
files: | files: |
cinny-${{ steps.vars.outputs.tag }}.tar.gz cinny-${{ steps.vars.outputs.tag }}.tar.gz
cinny-${{ steps.vars.outputs.tag }}.tar.gz.asc cinny-${{ steps.vars.outputs.tag }}.tar.gz.asc
publish-image: deploy-to-netlify:
name: Push Docker image to Docker Hub, ghcr name: 'Deploy to Netlify'
runs-on: ubuntu-latest runs-on: ubuntu-latest
permissions: permissions:
contents: read contents: read
packages: write
steps: steps:
- name: Checkout repository - name: Checkout repository
uses: actions/checkout@v3.2.0 uses: actions/checkout@v3.0.2
- name: Setup node
uses: actions/setup-node@v3.4.1
with:
node-version: 17.9.0
- name: Build and deploy to Netlify
uses: jsmrcaga/action-netlify-deploy@53de32e559b0b3833615b9788c7a090cd2fddb03
with:
install_command: "npm ci"
NETLIFY_AUTH_TOKEN: ${{ secrets.NETLIFY_AUTH_TOKEN }}
NETLIFY_SITE_ID: ${{ secrets.NETLIFY_SITE_ID }}
BUILD_DIRECTORY: "dist"
NETLIFY_DEPLOY_MESSAGE: "Prod deploy v${{ github.ref }}"
NETLIFY_DEPLOY_TO_PROD: true
push-to-dockerhub:
name: Push Docker image to Docker Hub
runs-on: ubuntu-latest
permissions:
contents: read
steps:
- name: Checkout repository
uses: actions/checkout@v3.0.2
- name: Set up QEMU - name: Set up QEMU
uses: docker/setup-qemu-action@v2.1.0 uses: docker/setup-qemu-action@v2.0.0
- name: Set up Docker Buildx - name: Set up Docker Buildx
uses: docker/setup-buildx-action@v2.2.1 uses: docker/setup-buildx-action@v2.0.0
- name: Login to Docker Hub - name: Login to Docker Hub
uses: docker/login-action@v2.1.0 uses: docker/login-action@v2.0.0
with: with:
username: ${{ secrets.DOCKER_USERNAME }} username: ${{ secrets.DOCKER_USERNAME }}
password: ${{ secrets.DOCKER_PASSWORD }} password: ${{ secrets.DOCKER_PASSWORD }}
- name: Login to the Container registry
uses: docker/login-action@v2.1.0
with:
registry: ghcr.io
username: ${{ github.actor }}
password: ${{ secrets.GITHUB_TOKEN }}
- name: Extract metadata (tags, labels) for Docker - name: Extract metadata (tags, labels) for Docker
id: meta id: meta
uses: docker/metadata-action@v4.1.1 uses: docker/metadata-action@v4.0.1
with: with:
images: | images: ajbura/cinny
${{ secrets.DOCKER_USERNAME }}/cinny
ghcr.io/${{ github.repository }}
- name: Build and push Docker image - name: Build and push Docker image
uses: docker/build-push-action@v3.2.0 uses: docker/build-push-action@v3.1.1
with: with:
context: . context: .
platforms: linux/amd64,linux/arm64 platforms: linux/amd64,linux/arm64

3
.npmrc
View File

@@ -1,3 +0,0 @@
legacy-peer-deps=true
save-exact=true
@matrix-org:registry=https://gitlab.matrix.org/api/v4/projects/27/packages/npm/

View File

@@ -1,6 +0,0 @@
dist
node_modules
package.json
package-lock.json
LICENSE
README.md

View File

@@ -1,4 +0,0 @@
{
"printWidth": 100,
"singleQuote": true
}

View File

@@ -1,3 +0,0 @@
{
"recommendations": ["dbaeumer.vscode-eslint", "esbenp.prettier-vscode"]
}

View File

@@ -1,5 +0,0 @@
{
"editor.formatOnSave": true,
"editor.defaultFormatter": "esbenp.prettier-vscode",
"typescript.tsdk": "node_modules/typescript/lib"
}

View File

@@ -36,9 +36,4 @@ It is not always possible to phrase every change in such a manner, but it is des
Also, we use [ESLint](https://eslint.org/) for clean and stylistically consistent code syntax, so make sure your pull request follow it. Also, we use [ESLint](https://eslint.org/) for clean and stylistically consistent code syntax, so make sure your pull request follow it.
**For any query or design discussion, join our [Matrix room](https://matrix.to/#/#cinny:matrix.org).** **For any query or design discussion, join our [Matrix room](https://matrix.to/#/#cinny:matrix.org).**
## Helpful links
- [BEM methodology](http://getbem.com/introduction/)
- [Atomic design](https://bradfrost.com/blog/post/atomic-web-design/)
- [Matrix JavaScript SDK documentation](https://matrix-org.github.io/matrix-js-sdk/index.html)

View File

@@ -1,16 +1,16 @@
## Builder ## Builder
FROM node:18.12.1-alpine3.15 as builder FROM node:17.9.0-alpine3.15 as builder
WORKDIR /src WORKDIR /src
COPY .npmrc package.json package-lock.json /src/ COPY package.json package-lock.json /src/
RUN npm ci RUN npm ci
COPY . /src/ COPY . /src/
RUN npm run build RUN npm run build
## App ## App
FROM nginx:1.23.3-alpine FROM nginx:1.23.1-alpine
COPY --from=builder /src/dist /app COPY --from=builder /src/dist /app

View File

@@ -1,6 +1,6 @@
MIT License MIT License
Copyright (c) 2021-present Ajay Bura (ajbura) Copyright (c) 2021 Ajay Bura (ajbura)
Permission is hereby granted, free of charge, to any person obtaining a copy Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal of this software and associated documentation files (the "Software"), to deal

View File

@@ -1,5 +1,9 @@
# Cinny <p align="center">
<p> <img src="https://raw.githubusercontent.com/ajbura/cinny/dev/public/res/svg/cinny.svg?sanitize=true"
height="16">
<span><b>Cinny</b></span>
</p>
<p align="center">
<a href="https://github.com/ajbura/cinny/releases"> <a href="https://github.com/ajbura/cinny/releases">
<img alt="GitHub release downloads" src="https://img.shields.io/github/downloads/ajbura/cinny/total?logo=github&style=social"></a> <img alt="GitHub release downloads" src="https://img.shields.io/github/downloads/ajbura/cinny/total?logo=github&style=social"></a>
<a href="https://hub.docker.com/r/ajbura/cinny"> <a href="https://hub.docker.com/r/ajbura/cinny">
@@ -12,30 +16,21 @@
<img alt="Sponsor Cinny" src="https://img.shields.io/opencollective/all/cinny?logo=opencollective&style=social"></a> <img alt="Sponsor Cinny" src="https://img.shields.io/opencollective/all/cinny?logo=opencollective&style=social"></a>
</p> </p>
A Matrix client focusing primarily on simple, elegant and secure interface. The main goal is to have an instant messaging application that is easy on people and has a modern touch. **Cinny** is a Matrix client focusing primarily on simple, elegant and secure interface. The main goal is to have a client that is easy on end user
- [Roadmap](https://github.com/ajbura/cinny/projects/11) and feels a modern chat application.
- [Contributing](./CONTRIBUTING.md) - [Contributing](./CONTRIBUTING.md)
- [Roadmap](https://github.com/ajbura/cinny/projects/11)
## Getting started ## Building and Running
Web app is available at https://app.cinny.in and gets updated on each new release. The `dev` branch is continuously deployed at https://dev.cinny.in but keep in mind that it could have things broken.
You can also download our desktop app from [cinny-desktop repository](https://github.com/cinnyapp/cinny-desktop). ### Running pre-compiled
To host Cinny on your own, download tarball of the app from [GitHub release](https://github.com/cinnyapp/cinny/releases/latest). A tarball of pre-compiled version of the app is provided with each [release](https://github.com/ajbura/cinny/releases).
You can serve the application with a webserver of your choice by simply copying `dist/` directory to the webroot. You can serve the application with a webserver of your choosing by simply copying `dist/` directory to the webroot.
To set default Homeserver on login and register page, place a customized [`config.json`](config.json) in webroot of your choice.
Alternatively you can just pull the [DockerHub image](https://hub.docker.com/r/ajbura/cinny) by:
```
docker pull ajbura/cinny
```
or [ghcr image](https://github.com/cinnyapp/cinny/pkgs/container/cinny) by:
```
docker pull ghcr.io/cinnyapp/cinny:latest
```
<details> <details>
<summary>PGP Public Key to verify tarball</summary> <summary>PGP Public Key to verify pre-compiled tarball</summary>
``` ```
-----BEGIN PGP PUBLIC KEY BLOCK----- -----BEGIN PGP PUBLIC KEY BLOCK-----
@@ -82,39 +77,48 @@ UeGsouhyuITLwEhScounZDqop+Dx
``` ```
</details> </details>
## Local development ### Building from source
> We recommend using a version manager as versions change very quickly. You will likely need to switch > We recommend using a version manager as versions change very quickly. You will likely need to switch
between multiple Node.js versions based on the needs of different projects you're working on. [NVM on windows](https://github.com/coreybutler/nvm-windows#installation--upgrades) on Windows and [nvm](https://github.com/nvm-sh/nvm) on Linux/macOS are pretty good choices. Also recommended nodejs version Hydrogen LTS (v18). between multiple Node.js versions based on the needs of different projects you're working on. [NVM on windows](https://github.com/coreybutler/nvm-windows#installation--upgrades) on Windows and [nvm](https://github.com/nvm-sh/nvm) on Linux/macOS are pretty good choices. Also recommended nodejs version is 16.15.0 LTS.
Execute the following commands to compile the app from its source code:
Execute the following commands to start a development server:
```sh ```sh
npm ci # Installs all dependencies npm ci # Installs all dependencies
npm start # Serve a development version
```
To build the app:
```sh
npm run build # Compiles the app into the dist/ directory npm run build # Compiles the app into the dist/ directory
``` ```
You can then copy the files to a webserver's webroot of your choice.
To serve a development version of the app locally for testing, you need to use the command `npm start`.
### Running with Docker ### Running with Docker
This repository includes a Dockerfile, which builds the application from source and serves it with Nginx on port 80. To This repository includes a Dockerfile, which builds the application from source and serves it with Nginx on port 80. To
use this locally, you can build the container like so: use this locally, you can build the container like so:
``` ```
docker build -t cinny:latest . docker build -t cinny:latest .
``` ```
You can then run the container you've built with a command similar to this: You can then run the container you've built with a command similar to this:
``` ```
docker run -p 8080:80 cinny:latest docker run -p 8080:80 cinny:latest
``` ```
This will forward your `localhost` port 8080 to the container's port 80. You can visit the app in your browser by navigating to `http://localhost:8080`. This will forward your `localhost` port 8080 to the container's port 80. You can visit the app in your browser by
navigating to `http://localhost:8080`.
Alternatively you can just pull the [DockerHub image](https://hub.docker.com/r/ajbura/cinny) by `docker pull ajbura/cinny`.
### Configuring default Homeserver
To set default Homeserver on login and register page, place a customized [`config.json`](config.json) in webroot of your choice.
## License ## License
Copyright (c) 2021-present Ajay Bura (ajbura) Copyright (c) 2021 Ajay Bura (ajbura)
Code licensed under the MIT License: <http://opensource.org/licenses/MIT> Code licensed under the MIT License: <http://opensource.org/licenses/MIT>

View File

@@ -1,9 +1,9 @@
{ {
"defaultHomeserver": 3, "defaultHomeserver": 3,
"homeserverList": [ "homeserverList": [
"converser.eu",
"envs.net", "envs.net",
"halogen.city", "halogen.city",
"kde.org",
"matrix.org", "matrix.org",
"mozilla.org" "mozilla.org"
], ],

View File

@@ -1,101 +0,0 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta http-equiv="X-UA-Compatible" content="IE=edge" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>Cinny</title>
<meta name="name" content="Cinny" />
<meta name="author" content="Ajay Bura" />
<meta
name="description"
content="A Matrix client where you can enjoy the conversation using simple, elegant and secure interface protected by e2ee with the power of open source."
/>
<meta
name="keywords"
content="cinny, cinnyapp, cinnychat, matrix, matrix client, matrix.org, element"
/>
<meta property="og:title" content="Cinny" />
<meta property="og:url" content="https://cinny.in" />
<meta property="og:image" content="https://cinny.in/assets/favicon-48x48.png" />
<meta
property="og:description"
content="A Matrix client where you can enjoy the conversation using simple, elegant and secure interface protected by e2ee with the power of open source."
/>
<meta name="theme-color" content="#000000" />
<link id="favicon" rel="shortcut icon" href="./public/favicon.ico" />
<link rel="manifest" href="./manifest.json" />
<meta name="mobile-web-app-capable" content="yes" />
<meta name="application-name" content="Cinny" />
<meta name="apple-mobile-web-app-title" content="Cinny" />
<meta name="apple-mobile-web-app-capable" content="yes" />
<meta name="apple-mobile-web-app-status-bar-style" content="black-translucent" />
<link
rel="apple-touch-icon"
sizes="57x57"
href="./public/res/apple/apple-touch-icon-57x57.png"
/>
<link
rel="apple-touch-icon"
sizes="60x60"
href="./public/res/apple/apple-touch-icon-60x60.png"
/>
<link
rel="apple-touch-icon"
sizes="72x72"
href="./public/res/apple/apple-touch-icon-72x72.png"
/>
<link
rel="apple-touch-icon"
sizes="76x76"
href="./public/res/apple/apple-touch-icon-76x76.png"
/>
<link
rel="apple-touch-icon"
sizes="114x114"
href="./public/res/apple/apple-touch-icon-114x114.png"
/>
<link
rel="apple-touch-icon"
sizes="120x120"
href="./public/res/apple/apple-touch-icon-120x120.png"
/>
<link
rel="apple-touch-icon"
sizes="144x144"
href="./public/res/apple/apple-touch-icon-144x144.png"
/>
<link
rel="apple-touch-icon"
sizes="152x152"
href="./public/res/apple/apple-touch-icon-152x152.png"
/>
<link
rel="apple-touch-icon"
sizes="167x167"
href="./public/res/apple/apple-touch-icon-167x167.png"
/>
<link
rel="apple-touch-icon"
sizes="180x180"
href="./public/res/apple/apple-touch-icon-180x180.png"
/>
</head>
<body id="appBody">
<script>
window.global ||= window;
</script>
<div id="root"></div>
<audio id="notificationSound">
<source src="./public/sound/notification.ogg" type="audio/ogg" />
</audio>
<audio id="inviteSound">
<source src="./public/sound/invite.ogg" type="audio/ogg" />
</audio>
<script type="module" src="./src/index.jsx"></script>
</body>
</html>

BIN
olm.wasm Executable file

Binary file not shown.

22972
package-lock.json generated

File diff suppressed because it is too large Load Diff

View File

@@ -1,77 +1,90 @@
{ {
"name": "cinny", "name": "cinny",
"version": "2.2.4", "version": "2.1.3",
"description": "Yet another matrix client", "description": "Yet another matrix client",
"main": "index.js", "main": "index.js",
"engines": { "engines": {
"node": ">=16.0.0" "npm": ">=6.14.8 <=8.5.5",
"node": ">=14.15.0 <=17.9.0"
}, },
"scripts": { "scripts": {
"start": "vite", "start": "webpack serve --config ./webpack.dev.js --open",
"build": "vite build", "build": "webpack --config ./webpack.prod.js"
"lint": "yarn check:eslint && yarn check:prettier",
"check:eslint": "eslint src/*",
"check:prettier": "prettier --check .",
"fix:prettier": "prettier --write .",
"typecheck": "tsc --noEmit"
}, },
"keywords": [], "keywords": [],
"author": "Ajay Bura", "author": "Ajay Bura",
"license": "MIT", "license": "MIT",
"dependencies": { "dependencies": {
"@fontsource/inter": "4.5.14", "@fontsource/inter": "^4.5.12",
"@fontsource/roboto": "4.5.8", "@fontsource/roboto": "^4.5.8",
"@khanacademy/simple-markdown": "0.8.6", "@matrix-org/olm": "https://gitlab.matrix.org/api/v4/projects/27/packages/npm/@matrix-org/olm/-/@matrix-org/olm-3.2.12.tgz",
"@matrix-org/olm": "3.2.14", "@tippyjs/react": "^4.2.6",
"@tippyjs/react": "4.2.6", "babel-polyfill": "^6.26.0",
"blurhash": "2.0.4", "blurhash": "^1.1.5",
"browser-encrypt-attachment": "0.3.0", "browser-encrypt-attachment": "^0.3.0",
"dateformat": "5.0.3", "dateformat": "^5.0.3",
"emojibase-data": "7.0.1", "emojibase-data": "^7.0.1",
"file-saver": "2.0.5", "file-saver": "^2.0.5",
"flux": "4.0.3", "flux": "^4.0.3",
"formik": "2.2.9", "formik": "^2.2.9",
"html-react-parser": "3.0.4", "html-react-parser": "^3.0.1",
"katex": "0.16.4", "katex": "^0.16.0",
"linkify-html": "4.0.2", "linkify-html": "^4.0.0-beta.5",
"linkifyjs": "4.0.2", "linkifyjs": "^4.0.0-beta.5",
"matrix-js-sdk": "22.0.0", "matrix-js-sdk": "^19.4.0",
"prop-types": "15.8.1", "micromark": "^3.0.10",
"react": "17.0.2", "micromark-extension-gfm": "^2.0.1",
"react-autosize-textarea": "7.1.0", "micromark-extension-math": "^2.0.2",
"react-blurhash": "0.2.0", "micromark-util-chunked": "^1.0.0",
"react-dnd": "15.1.2", "micromark-util-resolve-all": "^1.0.0",
"react-dnd-html5-backend": "15.1.3", "micromark-util-symbol": "^1.0.1",
"react-dom": "17.0.2", "prop-types": "^15.8.1",
"react-google-recaptcha": "2.1.0", "react": "^17.0.2",
"react-modal": "3.16.1", "react-autosize-textarea": "^7.1.0",
"sanitize-html": "2.8.0", "react-blurhash": "^0.1.3",
"tippy.js": "6.3.7", "react-dnd": "^15.1.2",
"twemoji": "14.0.2" "react-dnd-html5-backend": "^15.1.3",
"react-dom": "^17.0.2",
"react-google-recaptcha": "^2.1.0",
"react-modal": "^3.15.1",
"sanitize-html": "^2.7.1",
"tippy.js": "^6.3.7",
"twemoji": "^14.0.2"
}, },
"devDependencies": { "devDependencies": {
"@esbuild-plugins/node-globals-polyfill": "0.2.3", "@babel/core": "^7.18.10",
"@rollup/plugin-inject": "5.0.3", "@babel/preset-env": "^7.18.10",
"@rollup/plugin-wasm": "6.1.1", "@babel/preset-react": "^7.18.6",
"@types/node": "18.11.18", "assert": "^2.0.0",
"@types/react": "18.0.26", "babel-loader": "^8.2.5",
"@types/react-dom": "18.0.9", "browserify-fs": "^1.0.0",
"@typescript-eslint/eslint-plugin": "5.46.1", "buffer": "^6.0.3",
"@typescript-eslint/parser": "5.46.1", "clean-webpack-plugin": "^4.0.0",
"@vitejs/plugin-react": "3.0.0", "copy-webpack-plugin": "^11.0.0",
"buffer": "6.0.3", "crypto-browserify": "^3.12.0",
"eslint": "8.29.0", "css-loader": "^6.7.1",
"eslint-config-airbnb": "19.0.4", "css-minimizer-webpack-plugin": "^4.0.0",
"eslint-config-prettier": "8.5.0", "eslint": "^8.21.0",
"eslint-plugin-import": "2.26.0", "eslint-config-airbnb": "^19.0.4",
"eslint-plugin-jsx-a11y": "6.6.1", "eslint-plugin-import": "^2.26.0",
"eslint-plugin-react": "7.31.11", "eslint-plugin-jsx-a11y": "^6.6.1",
"eslint-plugin-react-hooks": "4.6.0", "eslint-plugin-react": "^7.30.1",
"mini-svg-data-uri": "1.4.4", "eslint-plugin-react-hooks": "^4.6.0",
"prettier": "2.8.1", "favicons": "^6.2.2",
"sass": "1.56.2", "favicons-webpack-plugin": "^5.0.2",
"typescript": "4.9.4", "html-loader": "^4.1.0",
"vite": "4.0.1", "html-webpack-plugin": "^5.3.1",
"vite-plugin-static-copy": "0.13.0" "mini-css-extract-plugin": "^2.6.1",
"path-browserify": "^1.0.1",
"sass": "^1.54.3",
"sass-loader": "^13.0.2",
"stream-browserify": "^3.0.0",
"style-loader": "^3.3.1",
"url": "^0.11.0",
"util": "^0.12.4",
"webpack": "^5.74.0",
"webpack-cli": "^4.10.0",
"webpack-dev-server": "^4.9.3",
"webpack-merge": "^5.7.3"
} }
} }

Binary file not shown.

Before

Width:  |  Height:  |  Size: 32 KiB

28
public/index.html Normal file
View File

@@ -0,0 +1,28 @@
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Cinny</title>
<meta name="name" content="Cinny">
<meta name="author" content="Ajay Bura">
<meta name="description" content="A Matrix client where you can enjoy the conversation using simple, elegant and secure interface protected by e2ee with the power of open source.">
<meta name="keywords" content="cinny, cinnyapp, cinnychat, matrix, matrix client, matrix.org, element">
<meta property="og:title" content="Cinny">
<meta property="og:url" content="https://cinny.in">
<meta property="og:image" content="https://cinny.in/assets/favicon-48x48.png">
<meta property="og:description" content="A Matrix client where you can enjoy the conversation using simple, elegant and secure interface protected by e2ee with the power of open source.">
<meta name="theme-color" content="#000000">
</head>
<body id="appBody">
<div id="root"></div>
<audio id="notificationSound">
<source src="./sound/notification.ogg" type="audio/ogg" />
</audio>
<audio id="inviteSound">
<source src="./sound/invite.ogg" type="audio/ogg" />
</audio>
</body>
</html>

View File

@@ -1,59 +0,0 @@
{
"name": "Cinny",
"short_name": "Cinny",
"description": "Yet another matrix client",
"dir": "auto",
"lang": "en-US",
"display": "standalone",
"orientation": "portrait",
"start_url": "/",
"background_color": "#fff",
"theme_color": "#fff",
"icons": [
{
"src": "/public/android/android-chrome-36x36.png",
"sizes": "36x36",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-48x48.png",
"sizes": "48x48",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-72x72.png",
"sizes": "72x72",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-96x96.png",
"sizes": "96x96",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-144x144.png",
"sizes": "144x144",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-192x192.png",
"sizes": "192x192",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-256x256.png",
"sizes": "256x256",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-384x384.png",
"sizes": "384x384",
"type": "image/png"
},
{
"src": "/public/android/android-chrome-512x512.png",
"sizes": "512x512",
"type": "image/png"
}
]
}

View File

@@ -1,4 +1,4 @@
Copyright (c) 2021-present Ajay Bura (ajbura) Graphics (c) by Ajay Bura (ajbura)
Graphic content is licensed under a Graphic content is licensed under a
Creative Commons Attribution 4.0 International License. Creative Commons Attribution 4.0 International License.

Binary file not shown.

Before

Width:  |  Height:  |  Size: 4.4 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 6.1 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 8.2 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.0 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 13 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 1.5 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 17 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.2 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.9 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 4.8 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 5.0 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 5.9 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 6.5 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 7.2 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 7.7 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.3 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.4 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 2.9 KiB

Binary file not shown.

Before

Width:  |  Height:  |  Size: 3.1 KiB

View File

@@ -1,4 +1,12 @@
<svg width="24" height="24" viewBox="0 0 24 24" fill="none" xmlns="http://www.w3.org/2000/svg"> <?xml version="1.0" encoding="utf-8"?>
<path d="M14 3V5H17.8L12.9 9.9L14.3 11.3L19 6.6V10.2H21V3H14Z" fill="black"/> <!-- Generator: Adobe Illustrator 18.0.0, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
<path d="M5 5H10V3H5C3.9 3 3 3.9 3 5V19C3 20.1 3.9 21 5 21H19C20.1 21 21 20.1 21 19V14.2H19V19H5V5Z" fill="black"/> <!DOCTYPE svg PUBLIC "-//W3C//DTD SVG 1.1//EN" "http://www.w3.org/Graphics/SVG/1.1/DTD/svg11.dtd">
<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
viewBox="0 0 24 24" enable-background="new 0 0 24 24" xml:space="preserve">
<g>
<polygon points="14,3 14,5 17.8,5 12.9,9.9 14.3,11.3 19,6.6 19,10.2 21,10.2 21,3 "/>
<path d="M3,10.2h2V5h5V3H5C3.9,3,3,3.9,3,5V10.2z"/>
<path d="M5,14.2H3V19c0,1.1,0.9,2,2,2h5v-2H5V14.2z"/>
<path d="M19,19h-5v2h5c1.1,0,2-0.9,2-2v-4.8h-2V19z"/>
</g>
</svg> </svg>

Before

Width:  |  Height:  |  Size: 297 B

After

Width:  |  Height:  |  Size: 703 B

View File

@@ -1,13 +0,0 @@
<svg width="18" height="18" viewBox="0 0 18 18" fill="none" xmlns="http://www.w3.org/2000/svg">
<g clip-path="url(#clip0_2707_1961)">
<path d="M10.5867 17.3522C10.0727 17.4492 9.54226 17.5 9 17.5C4.30558 17.5 0.5 13.6944 0.5 9C0.5 4.30558 4.30558 0.5 9 0.5C13.6944 0.5 17.5 4.30558 17.5 9C17.5 9.54226 17.4492 10.0727 17.3522 10.5867C16.6511 10.2123 15.8503 10 15 10C12.2386 10 10 12.2386 10 15C10 15.8503 10.2123 16.6511 10.5867 17.3522Z" fill="white"/>
<path d="M10 6.39999C10 6.67614 9.77614 6.89999 9.5 6.89999C9.22386 6.89999 9 6.67614 9 6.39999C9 6.12385 9.22386 5.89999 9.5 5.89999C9.77614 5.89999 10 6.12385 10 6.39999Z" fill="black"/>
<path fill-rule="evenodd" clip-rule="evenodd" d="M9 0C4 0 0 4 0 9C0 14 4 18 9 18C9.63967 18 10.263 17.9345 10.8636 17.8099C10.3186 17.0091 10 16.0417 10 15C10 12.2386 12.2386 10 15 10C16.0417 10 17.0091 10.3186 17.8099 10.8636C17.9345 10.263 18 9.63967 18 9C18 4 14 0 9 0ZM1.2 10.8L4.7 8.5V8.2C4.7 6.4 6 5 7.8 4.8H8.2C9.4 4.8 10.5 5.4 11.1 6.4C11.4 6.3 11.7 6.3 12 6.3C12.4 6.3 12.8 6.3 13.2 6.4C13.9 6.6 14.6 6.9 15.2 7.3C14.6 7.1 14 7 13.3 7C12.1 7 11.1 7.4 10.4 8.4C9.7 9.3 9.3 10.4 9.3 11.6C9.3 13.1 8.9 14.5 8 15.8C7.93744 15.8834 7.87923 15.9625 7.82356 16.0381C7.6123 16.325 7.43739 16.5626 7.2 16.8C4.2 16.1 1.9 13.8 1.2 10.8Z" fill="black"/>
<path d="M18 15C18 16.6569 16.6569 18 15 18C13.3431 18 12 16.6569 12 15C12 13.3431 13.3431 12 15 12C16.6569 12 18 13.3431 18 15Z" fill="#45B83B"/>
</g>
<defs>
<clipPath id="clip0_2707_1961">
<rect width="18" height="18" fill="white"/>
</clipPath>
</defs>
</svg>

Before

Width:  |  Height:  |  Size: 1.5 KiB

View File

@@ -1,13 +0,0 @@
<svg width="18" height="18" viewBox="0 0 18 18" fill="none" xmlns="http://www.w3.org/2000/svg">
<g clip-path="url(#clip0_2707_2015)">
<path d="M10.5867 17.3522C10.0727 17.4492 9.54226 17.5 9 17.5C4.30558 17.5 0.5 13.6944 0.5 9C0.5 4.30558 4.30558 0.5 9 0.5C13.6944 0.5 17.5 4.30558 17.5 9C17.5 9.54226 17.4492 10.0727 17.3522 10.5867C16.6511 10.2123 15.8503 10 15 10C12.2386 10 10 12.2386 10 15C10 15.8503 10.2123 16.6511 10.5867 17.3522Z" fill="white"/>
<path d="M10 6.39999C10 6.67614 9.77614 6.89999 9.5 6.89999C9.22386 6.89999 9 6.67614 9 6.39999C9 6.12385 9.22386 5.89999 9.5 5.89999C9.77614 5.89999 10 6.12385 10 6.39999Z" fill="black"/>
<path fill-rule="evenodd" clip-rule="evenodd" d="M9 0C4 0 0 4 0 9C0 14 4 18 9 18C9.63967 18 10.263 17.9345 10.8636 17.8099C10.3186 17.0091 10 16.0417 10 15C10 12.2386 12.2386 10 15 10C16.0417 10 17.0091 10.3186 17.8099 10.8636C17.9345 10.263 18 9.63967 18 9C18 4 14 0 9 0ZM1.2 10.8L4.7 8.5V8.2C4.7 6.4 6 5 7.8 4.8H8.2C9.4 4.8 10.5 5.4 11.1 6.4C11.4 6.3 11.7 6.3 12 6.3C12.4 6.3 12.8 6.3 13.2 6.4C13.9 6.6 14.6 6.9 15.2 7.3C14.6 7.1 14 7 13.3 7C12.1 7 11.1 7.4 10.4 8.4C9.7 9.3 9.3 10.4 9.3 11.6C9.3 13.1 8.9 14.5 8 15.8C7.93744 15.8834 7.87923 15.9625 7.82356 16.0381C7.6123 16.325 7.43739 16.5626 7.2 16.8C4.2 16.1 1.9 13.8 1.2 10.8Z" fill="black"/>
<path d="M18 15C18 16.6569 16.6569 18 15 18C13.3431 18 12 16.6569 12 15C12 13.3431 13.3431 12 15 12C16.6569 12 18 13.3431 18 15Z" fill="#989898"/>
</g>
<defs>
<clipPath id="clip0_2707_2015">
<rect width="18" height="18" fill="white"/>
</clipPath>
</defs>
</svg>

Before

Width:  |  Height:  |  Size: 1.5 KiB

View File

@@ -1,4 +1,8 @@
import { avatarInitials, cssVar } from '../../../util/common'; import { avatarInitials } from '../../../util/common';
function cssVar(name) {
return getComputedStyle(document.body).getPropertyValue(name);
}
// renders the avatar and returns it as an URL // renders the avatar and returns it as an URL
export default async function renderAvatar({ export default async function renderAvatar({

View File

@@ -1,6 +1,5 @@
import React, { useEffect, useRef } from 'react'; import React, { useEffect, useRef } from 'react';
import PropTypes from 'prop-types'; import PropTypes from 'prop-types';
import './Math.scss';
import katex from 'katex'; import katex from 'katex';
import 'katex/dist/katex.min.css'; import 'katex/dist/katex.min.css';

View File

@@ -1,3 +0,0 @@
.katex-display {
margin: 0 !important;
}

View File

@@ -42,6 +42,7 @@ function RawModal({
shouldCloseOnEsc={closeFromOutside} shouldCloseOnEsc={closeFromOutside}
shouldCloseOnOverlayClick={closeFromOutside} shouldCloseOnOverlayClick={closeFromOutside}
shouldReturnFocusAfterClose={false} shouldReturnFocusAfterClose={false}
closeTimeoutMS={300}
> >
{children} {children}
</Modal> </Modal>

View File

@@ -1,9 +1,33 @@
.ReactModal__Overlay {
opacity: 0;
transition: opacity 200ms var(--fluid-slide-up);
}
.ReactModal__Overlay--after-open{
opacity: 1;
}
.ReactModal__Overlay--before-close{
opacity: 0;
}
.ReactModal__Content {
transform: translateY(100%);
transition: transform 200ms var(--fluid-slide-up);
}
.ReactModal__Content--after-open{
transform: translateY(0);
}
.ReactModal__Content--before-close{
transform: translateY(100%);
}
.raw-modal { .raw-modal {
--small-modal-width: 525px; --small-modal-width: 525px;
--medium-modal-width: 712px; --medium-modal-width: 712px;
--large-modal-width: 1024px; --large-modal-width: 1024px;
position: relative;
width: 100%; width: 100%;
max-height: 100%; max-height: 100%;
border-radius: var(--bo-radius); border-radius: var(--bo-radius);
@@ -36,31 +60,4 @@
height: 100%; height: 100%;
background-color: var(--bg-overlay); background-color: var(--bg-overlay);
} }
} }
.ReactModal__Overlay {
animation: raw-modal--overlay 150ms;
}
.ReactModal__Content {
animation: raw-modal--content 150ms;
}
@keyframes raw-modal--content {
0% {
transform: translateY(100px);
opacity: .5;
}
100% {
transform: translateY(0);
opacity: 1;
}
}
@keyframes raw-modal--overlay {
0% {
opacity: 0;
}
100% {
opacity: 1;
}
}

View File

@@ -2,18 +2,20 @@ import React from 'react';
import PropTypes from 'prop-types'; import PropTypes from 'prop-types';
import './RawIcon.scss'; import './RawIcon.scss';
function RawIcon({ color, size, src, isImage }) { function RawIcon({
color, size, src, isImage,
}) {
const style = {}; const style = {};
if (color !== null) style.backgroundColor = color; if (color !== null) style.backgroundColor = color;
if (isImage) { if (isImage) {
style.backgroundColor = 'transparent'; style.backgroundColor = 'transparent';
style.backgroundImage = `url("${src}")`; style.backgroundImage = `url(${src})`;
} else { } else {
style.WebkitMaskImage = `url("${src}")`; style.WebkitMaskImage = `url(${src})`;
style.maskImage = `url("${src}")`; style.maskImage = `url(${src})`;
} }
return <span className={`ic-raw ic-raw-${size}`} style={style} />; return <span className={`ic-raw ic-raw-${size}`} style={style}> </span>;
} }
RawIcon.defaultProps = { RawIcon.defaultProps = {

View File

@@ -1,22 +0,0 @@
/* eslint-disable import/prefer-default-export */
import { useState, useEffect } from 'react';
import initMatrix from '../../client/initMatrix';
export function useAccountData(eventType) {
const mx = initMatrix.matrixClient;
const [event, setEvent] = useState(mx.getAccountData(eventType));
useEffect(() => {
const handleChange = (mEvent) => {
if (mEvent.getType() !== eventType) return;
setEvent(mEvent);
};
mx.on('accountData', handleChange);
return () => {
mx.removeListener('accountData', handleChange);
};
}, [eventType]);
return event;
}

View File

@@ -1,174 +0,0 @@
import React from 'react';
import initMatrix from '../../../client/initMatrix';
import { openReusableContextMenu } from '../../../client/action/navigation';
import { getEventCords } from '../../../util/common';
import Text from '../../atoms/text/Text';
import Button from '../../atoms/button/Button';
import { MenuHeader } from '../../atoms/context-menu/ContextMenu';
import SettingTile from '../setting-tile/SettingTile';
import NotificationSelector from './NotificationSelector';
import ChevronBottomIC from '../../../../public/res/ic/outlined/chevron-bottom.svg';
import { useAccountData } from '../../hooks/useAccountData';
export const notifType = {
ON: 'on',
OFF: 'off',
NOISY: 'noisy',
};
export const typeToLabel = {
[notifType.ON]: 'On',
[notifType.OFF]: 'Off',
[notifType.NOISY]: 'Noisy',
};
Object.freeze(notifType);
const DM = '.m.rule.room_one_to_one';
const ENC_DM = '.m.rule.encrypted_room_one_to_one';
const ROOM = '.m.rule.message';
const ENC_ROOM = '.m.rule.encrypted';
export function getActionType(rule) {
const { actions } = rule;
if (actions.find((action) => action?.set_tweak === 'sound')) return notifType.NOISY;
if (actions.find((action) => action?.set_tweak === 'highlight')) return notifType.ON;
if (actions.find((action) => action === 'dont_notify')) return notifType.OFF;
return notifType.OFF;
}
export function getTypeActions(type, highlightValue = false) {
if (type === notifType.OFF) return ['dont_notify'];
const highlight = { set_tweak: 'highlight' };
if (typeof highlightValue === 'boolean') highlight.value = highlightValue;
if (type === notifType.ON) return ['notify', highlight];
const sound = { set_tweak: 'sound', value: 'default' };
return ['notify', sound, highlight];
}
function useGlobalNotif() {
const mx = initMatrix.matrixClient;
const pushRules = useAccountData('m.push_rules')?.getContent();
const underride = pushRules?.global?.underride ?? [];
const rulesToType = {
[DM]: notifType.ON,
[ENC_DM]: notifType.ON,
[ROOM]: notifType.NOISY,
[ENC_ROOM]: notifType.NOISY,
};
const getRuleCondition = (rule) => {
const condition = [];
if (rule === DM || rule === ENC_DM) {
condition.push({ kind: 'room_member_count', is: '2' });
}
condition.push({
kind: 'event_match',
key: 'type',
pattern: [ENC_DM, ENC_ROOM].includes(rule) ? 'm.room.encrypted' : 'm.room.message',
});
return condition;
};
const setRule = (rule, type) => {
const content = pushRules ?? {};
if (!content.global) content.global = {};
if (!content.global.underride) content.global.underride = [];
const ur = content.global.underride;
let ruleContent = ur.find((action) => action?.rule_id === rule);
if (!ruleContent) {
ruleContent = {
conditions: getRuleCondition(type),
actions: [],
rule_id: rule,
default: true,
enabled: true,
};
ur.push(ruleContent);
}
ruleContent.actions = getTypeActions(type);
mx.setAccountData('m.push_rules', content);
};
const dmRule = underride.find((rule) => rule.rule_id === DM);
const encDmRule = underride.find((rule) => rule.rule_id === ENC_DM);
const roomRule = underride.find((rule) => rule.rule_id === ROOM);
const encRoomRule = underride.find((rule) => rule.rule_id === ENC_ROOM);
if (dmRule) rulesToType[DM] = getActionType(dmRule);
if (encDmRule) rulesToType[ENC_DM] = getActionType(encDmRule);
if (roomRule) rulesToType[ROOM] = getActionType(roomRule);
if (encRoomRule) rulesToType[ENC_ROOM] = getActionType(encRoomRule);
return [rulesToType, setRule];
}
function GlobalNotification() {
const [rulesToType, setRule] = useGlobalNotif();
const onSelect = (evt, rule) => {
openReusableContextMenu(
'bottom',
getEventCords(evt, '.btn-surface'),
(requestClose) => (
<NotificationSelector
value={rulesToType[rule]}
onSelect={(value) => {
if (rulesToType[rule] !== value) setRule(rule, value);
requestClose();
}}
/>
),
);
};
return (
<div className="global-notification">
<MenuHeader>Global Notifications</MenuHeader>
<SettingTile
title="Direct messages"
options={(
<Button onClick={(evt) => onSelect(evt, DM)} iconSrc={ChevronBottomIC}>
{ typeToLabel[rulesToType[DM]] }
</Button>
)}
content={<Text variant="b3">Default notification settings for all direct message.</Text>}
/>
<SettingTile
title="Encrypted direct messages"
options={(
<Button onClick={(evt) => onSelect(evt, ENC_DM)} iconSrc={ChevronBottomIC}>
{typeToLabel[rulesToType[ENC_DM]]}
</Button>
)}
content={<Text variant="b3">Default notification settings for all encrypted direct message.</Text>}
/>
<SettingTile
title="Rooms messages"
options={(
<Button onClick={(evt) => onSelect(evt, ROOM)} iconSrc={ChevronBottomIC}>
{typeToLabel[rulesToType[ROOM]]}
</Button>
)}
content={<Text variant="b3">Default notification settings for all room message.</Text>}
/>
<SettingTile
title="Encrypted rooms messages"
options={(
<Button onClick={(evt) => onSelect(evt, ENC_ROOM)} iconSrc={ChevronBottomIC}>
{typeToLabel[rulesToType[ENC_ROOM]]}
</Button>
)}
content={<Text variant="b3">Default notification settings for all encrypted room message.</Text>}
/>
</div>
);
}
export default GlobalNotification;

View File

@@ -1,64 +0,0 @@
import React from 'react';
import './IgnoreUserList.scss';
import initMatrix from '../../../client/initMatrix';
import * as roomActions from '../../../client/action/room';
import Text from '../../atoms/text/Text';
import Chip from '../../atoms/chip/Chip';
import Input from '../../atoms/input/Input';
import Button from '../../atoms/button/Button';
import { MenuHeader } from '../../atoms/context-menu/ContextMenu';
import SettingTile from '../setting-tile/SettingTile';
import CrossIC from '../../../../public/res/ic/outlined/cross.svg';
import { useAccountData } from '../../hooks/useAccountData';
function IgnoreUserList() {
useAccountData('m.ignored_user_list');
const ignoredUsers = initMatrix.matrixClient.getIgnoredUsers();
const handleSubmit = (evt) => {
evt.preventDefault();
const { ignoreInput } = evt.target.elements;
const value = ignoreInput.value.trim();
const userIds = value.split(' ').filter((v) => v.match(/^@\S+:\S+$/));
if (userIds.length === 0) return;
ignoreInput.value = '';
roomActions.ignore(userIds);
};
return (
<div className="ignore-user-list">
<MenuHeader>Ignored users</MenuHeader>
<SettingTile
title="Ignore user"
content={(
<div className="ignore-user-list__users">
<Text variant="b3">Ignore userId if you do not want to receive their messages or invites.</Text>
<form onSubmit={handleSubmit}>
<Input name="ignoreInput" required />
<Button variant="primary" type="submit">Ignore</Button>
</form>
{ignoredUsers.length > 0 && (
<div>
{ignoredUsers.map((uId) => (
<Chip
iconSrc={CrossIC}
key={uId}
text={uId}
iconColor={CrossIC}
onClick={() => roomActions.unignore([uId])}
/>
))}
</div>
)}
</div>
)}
/>
</div>
);
}
export default IgnoreUserList;

View File

@@ -1,17 +0,0 @@
.ignore-user-list {
&__users {
& form,
& > div:last-child {
display: flex;
flex-wrap: wrap;
gap: var(--sp-tight);
}
& form {
margin: var(--sp-extra-tight) 0 var(--sp-normal);
.input-container {
flex-grow: 1;
}
}
}
}

View File

@@ -1,239 +0,0 @@
import React from 'react';
import './KeywordNotification.scss';
import initMatrix from '../../../client/initMatrix';
import { openReusableContextMenu } from '../../../client/action/navigation';
import { getEventCords } from '../../../util/common';
import Text from '../../atoms/text/Text';
import Chip from '../../atoms/chip/Chip';
import Input from '../../atoms/input/Input';
import Button from '../../atoms/button/Button';
import { MenuHeader } from '../../atoms/context-menu/ContextMenu';
import SettingTile from '../setting-tile/SettingTile';
import NotificationSelector from './NotificationSelector';
import ChevronBottomIC from '../../../../public/res/ic/outlined/chevron-bottom.svg';
import CrossIC from '../../../../public/res/ic/outlined/cross.svg';
import { useAccountData } from '../../hooks/useAccountData';
import {
notifType, typeToLabel, getActionType, getTypeActions,
} from './GlobalNotification';
const DISPLAY_NAME = '.m.rule.contains_display_name';
const ROOM_PING = '.m.rule.roomnotif';
const USERNAME = '.m.rule.contains_user_name';
const KEYWORD = 'keyword';
function useKeywordNotif() {
const mx = initMatrix.matrixClient;
const pushRules = useAccountData('m.push_rules')?.getContent();
const override = pushRules?.global?.override ?? [];
const content = pushRules?.global?.content ?? [];
const rulesToType = {
[DISPLAY_NAME]: notifType.NOISY,
[ROOM_PING]: notifType.NOISY,
[USERNAME]: notifType.NOISY,
};
const setRule = (rule, type) => {
const evtContent = pushRules ?? {};
if (!evtContent.global) evtContent.global = {};
if (!evtContent.global.override) evtContent.global.override = [];
if (!evtContent.global.content) evtContent.global.content = [];
const or = evtContent.global.override;
const ct = evtContent.global.content;
if (rule === DISPLAY_NAME || rule === ROOM_PING) {
let orRule = or.find((r) => r?.rule_id === rule);
if (!orRule) {
orRule = {
conditions: [],
actions: [],
rule_id: rule,
default: true,
enabled: true,
};
or.push(orRule);
}
if (rule === DISPLAY_NAME) {
orRule.conditions = [{ kind: 'contains_display_name' }];
orRule.actions = getTypeActions(type, true);
} else {
orRule.conditions = [
{ kind: 'event_match', key: 'content.body', pattern: '@room' },
{ kind: 'sender_notification_permission', key: 'room' },
];
orRule.actions = getTypeActions(type, true);
}
} else if (rule === USERNAME) {
let usernameRule = ct.find((r) => r?.rule_id === rule);
if (!usernameRule) {
const userId = mx.getUserId();
const username = userId.match(/^@?(\S+):(\S+)$/)?.[1] ?? userId;
usernameRule = {
actions: [],
default: true,
enabled: true,
pattern: username,
rule_id: rule,
};
ct.push(usernameRule);
}
usernameRule.actions = getTypeActions(type, true);
} else {
const keyRules = ct.filter((r) => r.rule_id !== USERNAME);
keyRules.forEach((r) => {
// eslint-disable-next-line no-param-reassign
r.actions = getTypeActions(type, true);
});
}
mx.setAccountData('m.push_rules', evtContent);
};
const addKeyword = (keyword) => {
if (content.find((r) => r.rule_id === keyword)) return;
content.push({
rule_id: keyword,
pattern: keyword,
enabled: true,
default: false,
actions: getTypeActions(rulesToType[KEYWORD] ?? notifType.NOISY, true),
});
mx.setAccountData('m.push_rules', pushRules);
};
const removeKeyword = (rule) => {
pushRules.global.content = content.filter((r) => r.rule_id !== rule.rule_id);
mx.setAccountData('m.push_rules', pushRules);
};
const dsRule = override.find((rule) => rule.rule_id === DISPLAY_NAME);
const roomRule = override.find((rule) => rule.rule_id === ROOM_PING);
const usernameRule = content.find((rule) => rule.rule_id === USERNAME);
const keywordRule = content.find((rule) => rule.rule_id !== USERNAME);
if (dsRule) rulesToType[DISPLAY_NAME] = getActionType(dsRule);
if (roomRule) rulesToType[ROOM_PING] = getActionType(roomRule);
if (usernameRule) rulesToType[USERNAME] = getActionType(usernameRule);
if (keywordRule) rulesToType[KEYWORD] = getActionType(keywordRule);
return {
rulesToType,
pushRules,
setRule,
addKeyword,
removeKeyword,
};
}
function GlobalNotification() {
const {
rulesToType,
pushRules,
setRule,
addKeyword,
removeKeyword,
} = useKeywordNotif();
const keywordRules = pushRules?.global?.content.filter((r) => r.rule_id !== USERNAME) ?? [];
const onSelect = (evt, rule) => {
openReusableContextMenu(
'bottom',
getEventCords(evt, '.btn-surface'),
(requestClose) => (
<NotificationSelector
value={rulesToType[rule]}
onSelect={(value) => {
if (rulesToType[rule] !== value) setRule(rule, value);
requestClose();
}}
/>
),
);
};
const handleSubmit = (evt) => {
evt.preventDefault();
const { keywordInput } = evt.target.elements;
const value = keywordInput.value.trim();
if (value === '') return;
addKeyword(value);
keywordInput.value = '';
};
return (
<div className="keyword-notification">
<MenuHeader>Mentions & keywords</MenuHeader>
<SettingTile
title="Message containing my display name"
options={(
<Button onClick={(evt) => onSelect(evt, DISPLAY_NAME)} iconSrc={ChevronBottomIC}>
{ typeToLabel[rulesToType[DISPLAY_NAME]] }
</Button>
)}
content={<Text variant="b3">Default notification settings for all message containing your display name.</Text>}
/>
<SettingTile
title="Message containing my username"
options={(
<Button onClick={(evt) => onSelect(evt, USERNAME)} iconSrc={ChevronBottomIC}>
{ typeToLabel[rulesToType[USERNAME]] }
</Button>
)}
content={<Text variant="b3">Default notification settings for all message containing your username.</Text>}
/>
<SettingTile
title="Message containing @room"
options={(
<Button onClick={(evt) => onSelect(evt, ROOM_PING)} iconSrc={ChevronBottomIC}>
{typeToLabel[rulesToType[ROOM_PING]]}
</Button>
)}
content={<Text variant="b3">Default notification settings for all messages containing @room.</Text>}
/>
{ rulesToType[KEYWORD] && (
<SettingTile
title="Message containing keywords"
options={(
<Button onClick={(evt) => onSelect(evt, KEYWORD)} iconSrc={ChevronBottomIC}>
{typeToLabel[rulesToType[KEYWORD]]}
</Button>
)}
content={<Text variant="b3">Default notification settings for all message containing keywords.</Text>}
/>
)}
<SettingTile
title="Keywords"
content={(
<div className="keyword-notification__keyword">
<Text variant="b3">Get notification when a message contains keyword.</Text>
<form onSubmit={handleSubmit}>
<Input name="keywordInput" required />
<Button variant="primary" type="submit">Add</Button>
</form>
{keywordRules.length > 0 && (
<div>
{keywordRules.map((rule) => (
<Chip
iconSrc={CrossIC}
key={rule.rule_id}
text={rule.pattern}
iconColor={CrossIC}
onClick={() => removeKeyword(rule)}
/>
))}
</div>
)}
</div>
)}
/>
</div>
);
}
export default GlobalNotification;

View File

@@ -1,17 +0,0 @@
.keyword-notification {
&__keyword {
& form,
& > div:last-child {
display: flex;
flex-wrap: wrap;
gap: var(--sp-tight);
}
& form {
margin: var(--sp-extra-tight) 0 var(--sp-normal);
.input-container {
flex-grow: 1;
}
}
}
}

View File

@@ -1,26 +0,0 @@
import React from 'react';
import PropTypes from 'prop-types';
import { MenuHeader, MenuItem } from '../../atoms/context-menu/ContextMenu';
import CheckIC from '../../../../public/res/ic/outlined/check.svg';
function NotificationSelector({
value, onSelect,
}) {
return (
<div>
<MenuHeader>Notification</MenuHeader>
<MenuItem iconSrc={value === 'off' ? CheckIC : null} variant={value === 'off' ? 'positive' : 'surface'} onClick={() => onSelect('off')}>Off</MenuItem>
<MenuItem iconSrc={value === 'on' ? CheckIC : null} variant={value === 'on' ? 'positive' : 'surface'} onClick={() => onSelect('on')}>On</MenuItem>
<MenuItem iconSrc={value === 'noisy' ? CheckIC : null} variant={value === 'noisy' ? 'positive' : 'surface'} onClick={() => onSelect('noisy')}>Noisy</MenuItem>
</div>
);
}
NotificationSelector.propTypes = {
value: PropTypes.oneOf(['off', 'on', 'noisy']).isRequired,
onSelect: PropTypes.func.isRequired,
};
export default NotificationSelector;

View File

@@ -1,47 +0,0 @@
import React from 'react';
import PropTypes from 'prop-types';
import './ImageLightbox.scss';
import FileSaver from 'file-saver';
import Text from '../../atoms/text/Text';
import RawModal from '../../atoms/modal/RawModal';
import IconButton from '../../atoms/button/IconButton';
import DownloadSVG from '../../../../public/res/ic/outlined/download.svg';
import ExternalSVG from '../../../../public/res/ic/outlined/external.svg';
function ImageLightbox({
url, alt, isOpen, onRequestClose,
}) {
const handleDownload = () => {
FileSaver.saveAs(url, alt);
};
return (
<RawModal
className="image-lightbox__modal"
overlayClassName="image-lightbox__overlay"
isOpen={isOpen}
onRequestClose={onRequestClose}
size="large"
>
<div className="image-lightbox__header">
<Text variant="b2" weight="medium">{alt}</Text>
<IconButton onClick={() => window.open(url)} size="small" src={ExternalSVG} />
<IconButton onClick={handleDownload} size="small" src={DownloadSVG} />
</div>
<div className="image-lightbox__content">
<img src={url} alt={alt} />
</div>
</RawModal>
);
}
ImageLightbox.propTypes = {
url: PropTypes.string.isRequired,
alt: PropTypes.string.isRequired,
isOpen: PropTypes.bool.isRequired,
onRequestClose: PropTypes.func.isRequired,
};
export default ImageLightbox;

View File

@@ -1,50 +0,0 @@
@use '../../partials/flex';
@use '../../partials/text';
.image-lightbox__modal {
box-shadow: none;
width: unset;
gap: var(--sp-normal);
border-radius: 0;
pointer-events: none;
& .text {
color: white;
}
& .ic-raw {
background-color: white;
}
}
.image-lightbox__overlay {
background-color: var(--bg-overlay-low);
}
.image-lightbox__header > *,
.image-lightbox__content > * {
pointer-events: all;
}
.image-lightbox__header {
display: flex;
align-items: center;
& > .text {
@extend .cp-fx__item-one;
@extend .cp-txt__ellipsis;
}
}
.image-lightbox__content {
display: flex;
justify-content: center;
max-height: 80vh;
& img {
background-color: var(--bg-surface-low);
object-fit: contain;
max-width: 100%;
max-height: 100%;
border-radius: var(--bo-radius);
}
}

View File

@@ -27,7 +27,9 @@ function ImagePackUpload({ onUpload }) {
setProgress(true); setProgress(true);
const image = await scaleDownImage(imgFile, 512, 512); const image = await scaleDownImage(imgFile, 512, 512);
const { content_uri: url } = await mx.uploadContent(image); const url = await mx.uploadContent(image, {
onlyContentUri: true,
});
onUpload(shortcode, url); onUpload(shortcode, url);
setProgress(false); setProgress(false);

View File

@@ -22,7 +22,7 @@ function ImageUpload({
const file = e.target.files.item(0); const file = e.target.files.item(0);
if (file === null) return; if (file === null) return;
try { try {
const uPromise = initMatrix.matrixClient.uploadContent(file); const uPromise = initMatrix.matrixClient.uploadContent(file, { onlyContentUri: false });
setUploadPromise(uPromise); setUploadPromise(uPromise);
const res = await uPromise; const res = await uPromise;
@@ -74,7 +74,7 @@ function ImageUpload({
<Text variant="b3">{uploadPromise ? 'Cancel' : 'Remove'}</Text> <Text variant="b3">{uploadPromise ? 'Cancel' : 'Remove'}</Text>
</button> </button>
)} )}
<input onChange={uploadImage} style={{ display: 'none' }} ref={uploadImageRef} type="file" accept="image/*" /> <input onChange={uploadImage} style={{ display: 'none' }} ref={uploadImageRef} type="file" />
</div> </div>
); );
} }

View File

@@ -8,13 +8,47 @@ import { BlurhashCanvas } from 'react-blurhash';
import Text from '../../atoms/text/Text'; import Text from '../../atoms/text/Text';
import IconButton from '../../atoms/button/IconButton'; import IconButton from '../../atoms/button/IconButton';
import Spinner from '../../atoms/spinner/Spinner'; import Spinner from '../../atoms/spinner/Spinner';
import ImageLightbox from '../image-lightbox/ImageLightbox';
import DownloadSVG from '../../../../public/res/ic/outlined/download.svg'; import DownloadSVG from '../../../../public/res/ic/outlined/download.svg';
import ExternalSVG from '../../../../public/res/ic/outlined/external.svg'; import ExternalSVG from '../../../../public/res/ic/outlined/external.svg';
import PlaySVG from '../../../../public/res/ic/outlined/play.svg'; import PlaySVG from '../../../../public/res/ic/outlined/play.svg';
import { getBlobSafeMimeType } from '../../../util/mimetypes'; // https://github.com/matrix-org/matrix-react-sdk/blob/cd15e08fc285da42134817cce50de8011809cd53/src/utils/blobs.ts#L73
const ALLOWED_BLOB_MIMETYPES = [
'image/jpeg',
'image/gif',
'image/png',
'image/apng',
'image/webp',
'image/avif',
'video/mp4',
'video/webm',
'video/ogg',
'video/quicktime',
'audio/mp4',
'audio/webm',
'audio/aac',
'audio/mpeg',
'audio/ogg',
'audio/wave',
'audio/wav',
'audio/x-wav',
'audio/x-pn-wav',
'audio/flac',
'audio/x-flac',
];
function getBlobSafeMimeType(mimetype) {
if (!ALLOWED_BLOB_MIMETYPES.includes(mimetype)) {
return 'application/octet-stream';
}
// Required for Chromium browsers
if (mimetype === 'video/quicktime') {
return 'video/mp4';
}
return mimetype;
}
async function getDecryptedBlob(response, type, decryptData) { async function getDecryptedBlob(response, type, decryptData) {
const arrayBuffer = await response.arrayBuffer(); const arrayBuffer = await response.arrayBuffer();
@@ -125,7 +159,6 @@ function Image({
}) { }) {
const [url, setUrl] = useState(null); const [url, setUrl] = useState(null);
const [blur, setBlur] = useState(true); const [blur, setBlur] = useState(true);
const [lightbox, setLightbox] = useState(false);
useEffect(() => { useEffect(() => {
let unmounted = false; let unmounted = false;
@@ -140,42 +173,14 @@ function Image({
}; };
}, []); }, []);
const toggleLightbox = () => {
if (!url) return;
setLightbox(!lightbox);
};
return ( return (
<> <div className="file-container">
<div className="file-container"> <FileHeader name={name} link={url || link} type={type} external />
<div <div style={{ height: width !== null ? getNativeHeight(width, height) : 'unset' }} className="image-container">
style={{ height: width !== null ? getNativeHeight(width, height) : 'unset' }} { blurhash && blur && <BlurhashCanvas hash={blurhash} punch={1} />}
className="image-container" { url !== null && <img style={{ display: blur ? 'none' : 'unset' }} onLoad={() => setBlur(false)} src={url || link} alt={name} />}
role="button"
tabIndex="0"
onClick={toggleLightbox}
onKeyDown={toggleLightbox}
>
{ blurhash && blur && <BlurhashCanvas hash={blurhash} punch={1} />}
{ url !== null && (
<img
style={{ display: blur ? 'none' : 'unset' }}
onLoad={() => setBlur(false)}
src={url || link}
alt={name}
/>
)}
</div>
</div> </div>
{url && ( </div>
<ImageLightbox
url={url}
alt={name}
isOpen={lightbox}
onRequestClose={toggleLightbox}
/>
)}
</>
); );
} }
Image.defaultProps = { Image.defaultProps = {

View File

@@ -62,13 +62,6 @@
margin: 0 !important; margin: 0 !important;
} }
} }
.image-container {
max-height: 460px;
img {
cursor: pointer;
object-fit: cover;
}
}
.video-container { .video-container {
position: relative; position: relative;

View File

@@ -8,9 +8,7 @@ import './Message.scss';
import { twemojify } from '../../../util/twemojify'; import { twemojify } from '../../../util/twemojify';
import initMatrix from '../../../client/initMatrix'; import initMatrix from '../../../client/initMatrix';
import { import { getUsername, getUsernameOfRoomMember, parseReply } from '../../../util/matrixUtil';
getUsername, getUsernameOfRoomMember, parseReply, trimHTMLReply,
} from '../../../util/matrixUtil';
import colorMXID from '../../../util/colorMXID'; import colorMXID from '../../../util/colorMXID';
import { getEventCords } from '../../../util/common'; import { getEventCords } from '../../../util/common';
import { redactEvent, sendReaction } from '../../../client/action/roomTimeline'; import { redactEvent, sendReaction } from '../../../client/action/roomTimeline';
@@ -39,8 +37,6 @@ import CmdIC from '../../../../public/res/ic/outlined/cmd.svg';
import BinIC from '../../../../public/res/ic/outlined/bin.svg'; import BinIC from '../../../../public/res/ic/outlined/bin.svg';
import { confirmDialog } from '../confirm-dialog/ConfirmDialog'; import { confirmDialog } from '../confirm-dialog/ConfirmDialog';
import { getBlobSafeMimeType } from '../../../util/mimetypes';
import { html, plain } from '../../../util/markdown';
function PlaceholderMessage() { function PlaceholderMessage() {
return ( return (
@@ -251,7 +247,7 @@ const MessageBody = React.memo(({
if (!isCustomHTML) { if (!isCustomHTML) {
// If this is a plaintext message, wrap it in a <p> element (automatically applying // If this is a plaintext message, wrap it in a <p> element (automatically applying
// white-space: pre-wrap) in order to preserve newlines // white-space: pre-wrap) in order to preserve newlines
content = (<p className="message__body-plain">{content}</p>); content = (<p>{content}</p>);
} }
return ( return (
@@ -293,19 +289,14 @@ function MessageEdit({ body, onSave, onCancel }) {
}, []); }, []);
const handleKeyDown = (e) => { const handleKeyDown = (e) => {
if (e.key === 'Escape') {
e.preventDefault();
onCancel();
}
if (e.key === 'Enter' && e.shiftKey === false) { if (e.key === 'Enter' && e.shiftKey === false) {
e.preventDefault(); e.preventDefault();
onSave(editInputRef.current.value, body); onSave(editInputRef.current.value);
} }
}; };
return ( return (
<form className="message__edit" onSubmit={(e) => { e.preventDefault(); onSave(editInputRef.current.value, body); }}> <form className="message__edit" onSubmit={(e) => { e.preventDefault(); onSave(editInputRef.current.value); }}>
<Input <Input
forwardRef={editInputRef} forwardRef={editInputRef}
onKeyDown={handleKeyDown} onKeyDown={handleKeyDown}
@@ -630,12 +621,7 @@ function genMediaContent(mE) {
if (typeof mediaMXC === 'undefined' || mediaMXC === '') return <span style={{ color: 'var(--bg-danger)' }}>Malformed event</span>; if (typeof mediaMXC === 'undefined' || mediaMXC === '') return <span style={{ color: 'var(--bg-danger)' }}>Malformed event</span>;
let msgType = mE.getContent()?.msgtype; let msgType = mE.getContent()?.msgtype;
const safeMimetype = getBlobSafeMimeType(mContent.info?.mimetype); if (mE.getType() === 'm.sticker') msgType = 'm.sticker';
if (mE.getType() === 'm.sticker') {
msgType = 'm.sticker';
} else if (safeMimetype === 'application/octet-stream') {
msgType = 'm.file';
}
const blurhash = mContent?.info?.['xyz.amorgan.blurhash']; const blurhash = mContent?.info?.['xyz.amorgan.blurhash'];
@@ -717,9 +703,9 @@ function getEditedBody(editedMEvent) {
} }
function Message({ function Message({
mEvent, isBodyOnly, roomTimeline, mEvent, isBodyOnly, roomTimeline, focus, fullTime,
focus, fullTime, isEdit, setEdit, cancelEdit,
}) { }) {
const [isEditing, setIsEditing] = useState(false);
const roomId = mEvent.getRoomId(); const roomId = mEvent.getRoomId();
const { editedTimeline, reactionTimeline } = roomTimeline ?? {}; const { editedTimeline, reactionTimeline } = roomTimeline ?? {};
@@ -732,37 +718,36 @@ function Message({
let { body } = content; let { body } = content;
const username = mEvent.sender ? getUsernameOfRoomMember(mEvent.sender) : getUsername(senderId); const username = mEvent.sender ? getUsernameOfRoomMember(mEvent.sender) : getUsername(senderId);
const avatarSrc = mEvent.sender?.getAvatarUrl(initMatrix.matrixClient.baseUrl, 36, 36, 'crop') ?? null; const avatarSrc = mEvent.sender?.getAvatarUrl(initMatrix.matrixClient.baseUrl, 36, 36, 'crop') ?? null;
let isCustomHTML = content.format === 'org.matrix.custom.html';
let customHTML = isCustomHTML ? content.formatted_body : null;
const edit = useCallback(() => { const edit = useCallback(() => {
setEdit(eventId); setIsEditing(true);
}, []); }, []);
const reply = useCallback(() => { const reply = useCallback(() => {
replyTo(senderId, mEvent.getId(), body, customHTML); replyTo(senderId, mEvent.getId(), body);
}, [body, customHTML]); }, [body]);
if (body === undefined) return null;
if (msgType === 'm.emote') className.push('message--type-emote'); if (msgType === 'm.emote') className.push('message--type-emote');
let isCustomHTML = content.format === 'org.matrix.custom.html';
const isEdited = roomTimeline ? editedTimeline.has(eventId) : false; const isEdited = roomTimeline ? editedTimeline.has(eventId) : false;
const haveReactions = roomTimeline const haveReactions = roomTimeline
? reactionTimeline.has(eventId) || !!mEvent.getServerAggregatedRelation('m.annotation') ? reactionTimeline.has(eventId) || !!mEvent.getServerAggregatedRelation('m.annotation')
: false; : false;
const isReply = !!mEvent.replyEventId; const isReply = !!mEvent.replyEventId;
let customHTML = isCustomHTML ? content.formatted_body : null;
if (isEdited) { if (isEdited) {
const editedList = editedTimeline.get(eventId); const editedList = editedTimeline.get(eventId);
const editedMEvent = editedList[editedList.length - 1]; const editedMEvent = editedList[editedList.length - 1];
[body, isCustomHTML, customHTML] = getEditedBody(editedMEvent); [body, isCustomHTML, customHTML] = getEditedBody(editedMEvent);
if (typeof body !== 'string') return null;
} }
if (isReply) { if (isReply) {
body = parseReply(body)?.body ?? body; body = parseReply(body)?.body ?? body;
customHTML = trimHTMLReply(customHTML);
} }
if (typeof body !== 'string') body = '';
return ( return (
<div className={className.join(' ')}> <div className={className.join(' ')}>
{ {
@@ -792,7 +777,7 @@ function Message({
eventId={mEvent.replyEventId} eventId={mEvent.replyEventId}
/> />
)} )}
{!isEdit && ( {!isEditing && (
<MessageBody <MessageBody
senderName={username} senderName={username}
isCustomHTML={isCustomHTML} isCustomHTML={isCustomHTML}
@@ -801,24 +786,22 @@ function Message({
isEdited={isEdited} isEdited={isEdited}
/> />
)} )}
{isEdit && ( {isEditing && (
<MessageEdit <MessageEdit
body={(customHTML body={body}
? html(customHTML, { kind: 'edit', onlyPlain: true }).plain onSave={(newBody) => {
: plain(body, { kind: 'edit', onlyPlain: true }).plain)} if (newBody !== body) {
onSave={(newBody, oldBody) => {
if (newBody !== oldBody) {
initMatrix.roomsInput.sendEditedMessage(roomId, mEvent, newBody); initMatrix.roomsInput.sendEditedMessage(roomId, mEvent, newBody);
} }
cancelEdit(); setIsEditing(false);
}} }}
onCancel={cancelEdit} onCancel={() => setIsEditing(false)}
/> />
)} )}
{haveReactions && ( {haveReactions && (
<MessageReactionGroup roomTimeline={roomTimeline} mEvent={mEvent} /> <MessageReactionGroup roomTimeline={roomTimeline} mEvent={mEvent} />
)} )}
{roomTimeline && !isEdit && ( {roomTimeline && !isEditing && (
<MessageOptions <MessageOptions
roomTimeline={roomTimeline} roomTimeline={roomTimeline}
mEvent={mEvent} mEvent={mEvent}
@@ -835,9 +818,6 @@ Message.defaultProps = {
focus: false, focus: false,
roomTimeline: null, roomTimeline: null,
fullTime: false, fullTime: false,
isEdit: false,
setEdit: null,
cancelEdit: null,
}; };
Message.propTypes = { Message.propTypes = {
mEvent: PropTypes.shape({}).isRequired, mEvent: PropTypes.shape({}).isRequired,
@@ -845,9 +825,6 @@ Message.propTypes = {
roomTimeline: PropTypes.shape({}), roomTimeline: PropTypes.shape({}),
focus: PropTypes.bool, focus: PropTypes.bool,
fullTime: PropTypes.bool, fullTime: PropTypes.bool,
isEdit: PropTypes.bool,
setEdit: PropTypes.func,
cancelEdit: PropTypes.func,
}; };
export { Message, MessageReply, PlaceholderMessage }; export { Message, MessageReply, PlaceholderMessage };

View File

@@ -15,7 +15,7 @@
display: flex; display: flex;
} }
} }
&__avatar-container { &__avatar-container {
padding-top: 6px; padding-top: 6px;
@include dir.side(margin, 0, var(--sp-tight)); @include dir.side(margin, 0, var(--sp-tight));
@@ -101,6 +101,7 @@
} }
} }
.message__header { .message__header {
display: flex; display: flex;
align-items: baseline; align-items: baseline;
@@ -114,16 +115,10 @@
@extend .cp-txt__ellipsis; @extend .cp-txt__ellipsis;
color: inherit; color: inherit;
} }
& > span:last-child { & > span:last-child { display: none; }
display: none;
}
&:hover { &:hover {
& > span:first-child { & > span:first-child { display: none; }
display: none; & > span:last-child { display: block; }
}
& > span:last-child {
display: block;
}
} }
} }
@@ -163,7 +158,7 @@
.message__body { .message__body {
word-break: break-word; word-break: break-word;
& > .text > .message__body-plain { & > .text > * {
white-space: pre-wrap; white-space: pre-wrap;
} }
@@ -173,11 +168,7 @@
& > .text > a { & > .text > a {
white-space: initial !important; white-space: initial !important;
} }
& > .text > p + p {
margin-top: var(--sp-normal);
}
& span[data-mx-pill] { & span[data-mx-pill] {
background-color: hsla(0, 0%, 64%, 0.15); background-color: hsla(0, 0%, 64%, 0.15);
padding: 0 2px; padding: 0 2px;
@@ -200,7 +191,7 @@
& span[data-mx-spoiler] { & span[data-mx-spoiler] {
border-radius: 4px; border-radius: 4px;
background-color: rgba(124, 124, 124, 0.5); background-color: rgba(124, 124, 124, 0.5);
color: transparent; color:transparent;
cursor: pointer; cursor: pointer;
-webkit-touch-callout: none; -webkit-touch-callout: none;
-webkit-user-select: none; -webkit-user-select: none;
@@ -229,8 +220,6 @@
padding: var(--sp-extra-tight) 0; padding: var(--sp-extra-tight) 0;
&-btns button { &-btns button {
margin: var(--sp-tight) 0 0 0; margin: var(--sp-tight) 0 0 0;
padding: var(--sp-ultra-tight) var(--sp-tight);
min-width: 0;
@include dir.side(margin, 0, var(--sp-tight)); @include dir.side(margin, 0, var(--sp-tight));
} }
} }
@@ -266,9 +255,9 @@
} }
&-count { &-count {
margin: 0 var(--sp-ultra-tight); margin: 0 var(--sp-ultra-tight);
color: var(--tc-surface-normal); color: var(--tc-surface-normal)
} }
&-tooltip .react-emoji { &-tooltip .react-emoji {
width: 16px; width: 16px;
height: 16px; height: 16px;
margin: 0 var(--sp-ultra-tight); margin: 0 var(--sp-ultra-tight);
@@ -281,19 +270,19 @@
} }
} }
&:active { &:active {
background-color: var(--bg-surface-active); background-color: var(--bg-surface-active)
} }
&--active { &--active {
background-color: var(--bg-caution-active); background-color: var(--bg-caution-active);
@media (hover: hover) { @media (hover: hover) {
&:hover { &:hover {
background-color: var(--bg-caution-hover); background-color: var(--bg-caution-hover);
} }
} }
&:active { &:active {
background-color: var(--bg-caution-active); background-color: var(--bg-caution-active)
} }
} }
} }
@@ -314,12 +303,7 @@
// markdown formating // markdown formating
.message__body { .message__body {
& h1, & h1, h2, h3, h4, h5, h6 {
h2,
h3,
h4,
h5,
h6 {
margin: 0; margin: 0;
margin-bottom: var(--sp-ultra-tight); margin-bottom: var(--sp-ultra-tight);
font-weight: var(--fw-medium); font-weight: var(--fw-medium);
@@ -440,8 +424,7 @@
@include scrollbar.scroll__h; @include scrollbar.scroll__h;
@include scrollbar.scroll--auto-hide; @include scrollbar.scroll--auto-hide;
& td, & td, & th {
& th {
padding: var(--sp-extra-tight); padding: var(--sp-extra-tight);
border: 1px solid var(--bg-surface-border); border: 1px solid var(--bg-surface-border);
border-width: 0 1px 1px 0; border-width: 0 1px 1px 0;
@@ -449,11 +432,11 @@
&:last-child { &:last-child {
border-width: 0; border-width: 0;
border-bottom-width: 1px; border-bottom-width: 1px;
[dir='rtl'] & { [dir=rtl] & {
border-width: 0 1px 1px 0; border-width: 0 1px 1px 0;
} }
} }
[dir='rtl'] &:first-child { [dir=rtl] &:first-child {
border-width: 0; border-width: 0;
border-bottom-width: 1px; border-bottom-width: 1px;
} }

View File

@@ -38,10 +38,10 @@ function SpaceOptions({ roomId, afterOptionSelect }) {
const handleMarkAsRead = () => { const handleMarkAsRead = () => {
const spaceChildren = roomList.getCategorizedSpaces([roomId]); const spaceChildren = roomList.getCategorizedSpaces([roomId]);
spaceChildren?.forEach((childIds) => { spaceChildren?.forEach((childIds, spaceId) => {
childIds?.forEach((childId) => { childIds?.forEach((childId) => {
markAsRead(childId); markAsRead(childId);
}); })
}); });
afterOptionSelect(); afterOptionSelect();
}; };

View File

@@ -13,7 +13,6 @@ import cons from '../../../client/state/cons';
import navigation from '../../../client/state/navigation'; import navigation from '../../../client/state/navigation';
import AsyncSearch from '../../../util/AsyncSearch'; import AsyncSearch from '../../../util/AsyncSearch';
import { addRecentEmoji, getRecentEmojis } from './recent'; import { addRecentEmoji, getRecentEmojis } from './recent';
import { TWEMOJI_BASE_URL } from '../../../util/twemojify';
import Text from '../../atoms/text/Text'; import Text from '../../atoms/text/Text';
import RawIcon from '../../atoms/system-icons/RawIcon'; import RawIcon from '../../atoms/system-icons/RawIcon';
@@ -47,49 +46,45 @@ const EmojiGroup = React.memo(({ name, groupEmojis }) => {
const emoji = groupEmojis[emojiIndex]; const emoji = groupEmojis[emojiIndex];
emojiRow.push( emojiRow.push(
<span key={emojiIndex}> <span key={emojiIndex}>
{emoji.hexcode ? ( {
// This is a unicode emoji, and should be rendered with twemoji emoji.hexcode
parse( // This is a unicode emoji, and should be rendered with twemoji
twemoji.parse(emoji.unicode, { ? parse(twemoji.parse(
attributes: () => ({ emoji.unicode,
unicode: emoji.unicode, {
shortcodes: emoji.shortcodes?.toString(), attributes: () => ({
hexcode: emoji.hexcode, unicode: emoji.unicode,
loading: 'lazy', shortcodes: emoji.shortcodes?.toString(),
}), hexcode: emoji.hexcode,
base: TWEMOJI_BASE_URL, loading: 'lazy',
}) }),
) },
) : ( ))
// This is a custom emoji, and should be render as an mxc // This is a custom emoji, and should be render as an mxc
<img : (
className="emoji" <img
draggable="false" className="emoji"
loading="lazy" draggable="false"
alt={emoji.shortcode} loading="lazy"
unicode={`:${emoji.shortcode}:`} alt={emoji.shortcode}
shortcodes={emoji.shortcode} unicode={`:${emoji.shortcode}:`}
src={initMatrix.matrixClient.mxcUrlToHttp(emoji.mxc)} shortcodes={emoji.shortcode}
data-mx-emoticon={emoji.mxc} src={initMatrix.matrixClient.mxcUrlToHttp(emoji.mxc)}
/> data-mx-emoticon={emoji.mxc}
)} />
</span> )
}
</span>,
); );
} }
emojiBoard.push( emojiBoard.push(<div key={r} className="emoji-row">{emojiRow}</div>);
<div key={r} className="emoji-row">
{emojiRow}
</div>
);
} }
return emojiBoard; return emojiBoard;
} }
return ( return (
<div className="emoji-group"> <div className="emoji-group">
<Text className="emoji-group__header" variant="b2" weight="bold"> <Text className="emoji-group__header" variant="b2" weight="bold">{name}</Text>
{name}
</Text>
{groupEmojis.length !== 0 && <div className="emoji-set noselect">{getEmojiBoard()}</div>} {groupEmojis.length !== 0 && <div className="emoji-set noselect">{getEmojiBoard()}</div>}
</div> </div>
); );
@@ -97,16 +92,17 @@ const EmojiGroup = React.memo(({ name, groupEmojis }) => {
EmojiGroup.propTypes = { EmojiGroup.propTypes = {
name: PropTypes.string.isRequired, name: PropTypes.string.isRequired,
groupEmojis: PropTypes.arrayOf( groupEmojis: PropTypes.arrayOf(PropTypes.shape({
PropTypes.shape({ length: PropTypes.number,
length: PropTypes.number, unicode: PropTypes.string,
unicode: PropTypes.string, hexcode: PropTypes.string,
hexcode: PropTypes.string, mxc: PropTypes.string,
mxc: PropTypes.string, shortcode: PropTypes.string,
shortcode: PropTypes.string, shortcodes: PropTypes.oneOfType([
shortcodes: PropTypes.oneOfType([PropTypes.string, PropTypes.arrayOf(PropTypes.string)]), PropTypes.string,
}) PropTypes.arrayOf(PropTypes.string),
).isRequired, ]),
})).isRequired,
}; };
const asyncSearch = new AsyncSearch(); const asyncSearch = new AsyncSearch();
@@ -132,13 +128,7 @@ function SearchedEmoji() {
if (searchedEmojis === null) return false; if (searchedEmojis === null) return false;
return ( return <EmojiGroup key="-1" name={searchedEmojis.emojis.length === 0 ? 'No search result found' : 'Search results'} groupEmojis={searchedEmojis.emojis} />;
<EmojiGroup
key="-1"
name={searchedEmojis.emojis.length === 0 ? 'No search result found' : 'Search results'}
groupEmojis={searchedEmojis.emojis}
/>
);
} }
function EmojiBoard({ onSelect, searchRef }) { function EmojiBoard({ onSelect, searchRef }) {
@@ -156,10 +146,7 @@ function EmojiBoard({ onSelect, searchRef }) {
if (typeof shortcodes === 'undefined') shortcodes = undefined; if (typeof shortcodes === 'undefined') shortcodes = undefined;
else shortcodes = shortcodes.split(','); else shortcodes = shortcodes.split(',');
return { return {
unicode, unicode, hexcode, shortcodes, mxc,
hexcode,
shortcodes,
mxc,
}; };
} }
@@ -224,9 +211,10 @@ function EmojiBoard({ onSelect, searchRef }) {
const parentIds = initMatrix.roomList.getAllParentSpaces(room.roomId); const parentIds = initMatrix.roomList.getAllParentSpaces(room.roomId);
const parentRooms = [...parentIds].map((id) => mx.getRoom(id)); const parentRooms = [...parentIds].map((id) => mx.getRoom(id));
if (room) { if (room) {
const packs = getRelevantPacks(room.client, [room, ...parentRooms]).filter( const packs = getRelevantPacks(
(pack) => pack.getEmojis().length !== 0 room.client,
); [room, ...parentRooms],
).filter((pack) => pack.getEmojis().length !== 0);
// Set an index for each pack so that we know where to jump when the user uses the nav // Set an index for each pack so that we know where to jump when the user uses the nav
for (let i = 0; i < packs.length; i += 1) { for (let i = 0; i < packs.length; i += 1) {
@@ -275,41 +263,44 @@ function EmojiBoard({ onSelect, searchRef }) {
/> />
)} )}
<div className="emoji-board__nav-custom"> <div className="emoji-board__nav-custom">
{availableEmojis.map((pack) => { {
const src = initMatrix.matrixClient.mxcUrlToHttp( availableEmojis.map((pack) => {
pack.avatarUrl ?? pack.getEmojis()[0].mxc const src = initMatrix.matrixClient
); .mxcUrlToHttp(pack.avatarUrl ?? pack.getEmojis()[0].mxc);
return ( return (
<IconButton <IconButton
onClick={() => openGroup(recentOffset + pack.packIndex)} onClick={() => openGroup(recentOffset + pack.packIndex)}
src={src} src={src}
key={pack.packIndex} key={pack.packIndex}
tooltip={pack.displayName ?? 'Unknown'} tooltip={pack.displayName ?? 'Unknown'}
tooltipPlacement="left" tooltipPlacement="left"
isImage isImage
/> />
); );
})} })
}
</div> </div>
<div className="emoji-board__nav-twemoji"> <div className="emoji-board__nav-twemoji">
{[ {
[0, EmojiIC, 'Smilies'], [
[1, DogIC, 'Animals'], [0, EmojiIC, 'Smilies'],
[2, CupIC, 'Food'], [1, DogIC, 'Animals'],
[3, BallIC, 'Activities'], [2, CupIC, 'Food'],
[4, PhotoIC, 'Travel'], [3, BallIC, 'Activities'],
[5, BulbIC, 'Objects'], [4, PhotoIC, 'Travel'],
[6, PeaceIC, 'Symbols'], [5, BulbIC, 'Objects'],
[7, FlagIC, 'Flags'], [6, PeaceIC, 'Symbols'],
].map(([indx, ico, name]) => ( [7, FlagIC, 'Flags'],
<IconButton ].map(([indx, ico, name]) => (
onClick={() => openGroup(recentOffset + availableEmojis.length + indx)} <IconButton
key={indx} onClick={() => openGroup(recentOffset + availableEmojis.length + indx)}
src={ico} key={indx}
tooltip={name} src={ico}
tooltipPlacement="left" tooltip={name}
/> tooltipPlacement="left"
))} />
))
}
</div> </div>
</div> </div>
</ScrollView> </ScrollView>
@@ -322,25 +313,27 @@ function EmojiBoard({ onSelect, searchRef }) {
<ScrollView ref={scrollEmojisRef} autoHide> <ScrollView ref={scrollEmojisRef} autoHide>
<div onMouseMove={hoverEmoji} onClick={selectEmoji}> <div onMouseMove={hoverEmoji} onClick={selectEmoji}>
<SearchedEmoji /> <SearchedEmoji />
{recentEmojis.length > 0 && ( {recentEmojis.length > 0 && <EmojiGroup name="Recently used" groupEmojis={recentEmojis} />}
<EmojiGroup name="Recently used" groupEmojis={recentEmojis} /> {
)} availableEmojis.map((pack) => (
{availableEmojis.map((pack) => ( <EmojiGroup
<EmojiGroup name={pack.displayName ?? 'Unknown'}
name={pack.displayName ?? 'Unknown'} key={pack.packIndex}
key={pack.packIndex} groupEmojis={pack.getEmojis()}
groupEmojis={pack.getEmojis()} className="custom-emoji-group"
className="custom-emoji-group" />
/> ))
))} }
{emojiGroups.map((group) => ( {
<EmojiGroup key={group.name} name={group.name} groupEmojis={group.emojis} /> emojiGroups.map((group) => (
))} <EmojiGroup key={group.name} name={group.name} groupEmojis={group.emojis} />
))
}
</div> </div>
</ScrollView> </ScrollView>
</div> </div>
<div ref={emojiInfo} className="emoji-board__content__info"> <div ref={emojiInfo} className="emoji-board__content__info">
<div>{parse(twemoji.parse('🙂', { base: TWEMOJI_BASE_URL }))}</div> <div>{ parse(twemoji.parse('🙂')) }</div>
<Text>:slight_smile:</Text> <Text>:slight_smile:</Text>
</div> </div>
</div> </div>

View File

@@ -38,7 +38,7 @@
@extend .cp-fx__column; @extend .cp-fx__column;
} }
&__nav-twemoji { &__nav-twemoji {
background-color: var(--bg-surface); background: inherit;
position: sticky; position: sticky;
bottom: -70%; bottom: -70%;
z-index: 999; z-index: 999;

View File

@@ -177,7 +177,7 @@ function getUserImagePack(mx) {
} }
const userImagePack = ImagePack.parsePack(mx.getUserId(), accountDataEmoji.event.content); const userImagePack = ImagePack.parsePack(mx.getUserId(), accountDataEmoji.event.content);
if (userImagePack) userImagePack.displayName ??= 'Personal Emoji'; userImagePack.displayName ??= 'Personal Emoji';
return userImagePack; return userImagePack;
} }

View File

@@ -6,7 +6,7 @@ import initMatrix from '../../../client/initMatrix';
import cons from '../../../client/state/cons'; import cons from '../../../client/state/cons';
import navigation from '../../../client/state/navigation'; import navigation from '../../../client/state/navigation';
import { join } from '../../../client/action/room'; import { join } from '../../../client/action/room';
import { selectRoom, selectTab } from '../../../client/action/navigation'; import { selectRoom, selectSpace } from '../../../client/action/navigation';
import Text from '../../atoms/text/Text'; import Text from '../../atoms/text/Text';
import IconButton from '../../atoms/button/IconButton'; import IconButton from '../../atoms/button/IconButton';
@@ -32,7 +32,7 @@ function JoinAliasContent({ term, requestClose }) {
const openRoom = (roomId) => { const openRoom = (roomId) => {
const room = mx.getRoom(roomId); const room = mx.getRoom(roomId);
if (!room) return; if (!room) return;
if (room.isSpaceRoom()) selectTab(roomId); if (room.isSpaceRoom()) selectSpace(roomId);
else selectRoom(roomId); else selectRoom(roomId);
requestClose(); requestClose();
}; };

View File

@@ -56,9 +56,7 @@ function Drawer() {
useEffect(() => { useEffect(() => {
requestAnimationFrame(() => { requestAnimationFrame(() => {
if (scrollRef.current) { scrollRef.current.scrollTop = 0;
scrollRef.current.scrollTop = 0;
}
}); });
}, [selectedTab]); }, [selectedTab]);

View File

@@ -6,7 +6,7 @@ import { twemojify } from '../../../util/twemojify';
import initMatrix from '../../../client/initMatrix'; import initMatrix from '../../../client/initMatrix';
import cons from '../../../client/state/cons'; import cons from '../../../client/state/cons';
import { selectTab, selectSpace } from '../../../client/action/navigation'; import { selectSpace } from '../../../client/action/navigation';
import navigation from '../../../client/state/navigation'; import navigation from '../../../client/state/navigation';
import { abbreviateNumber } from '../../../util/common'; import { abbreviateNumber } from '../../../util/common';
@@ -21,7 +21,7 @@ import ChevronRightIC from '../../../../public/res/ic/outlined/chevron-right.svg
function DrawerBreadcrumb({ spaceId }) { function DrawerBreadcrumb({ spaceId }) {
const [, forceUpdate] = useState({}); const [, forceUpdate] = useState({});
const scrollRef = useRef(null); const scrollRef = useRef(null);
const { roomList, notifications, accountData } = initMatrix; const { roomList, notifications } = initMatrix;
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
const spacePath = navigation.selectedSpacePath; const spacePath = navigation.selectedSpacePath;
@@ -49,9 +49,9 @@ function DrawerBreadcrumb({ spaceId }) {
}, [spaceId]); }, [spaceId]);
function getHomeNotiExcept(childId) { function getHomeNotiExcept(childId) {
const orphans = roomList.getOrphans() const orphans = roomList.getOrphans();
.filter((id) => (id !== childId)) const childIndex = orphans.indexOf(childId);
.filter((id) => !accountData.spaceShortcut.has(id)); if (childId !== -1) orphans.splice(childIndex, 1);
let noti = null; let noti = null;
@@ -107,10 +107,7 @@ function DrawerBreadcrumb({ spaceId }) {
{ index !== 0 && <RawIcon size="extra-small" src={ChevronRightIC} />} { index !== 0 && <RawIcon size="extra-small" src={ChevronRightIC} />}
<Button <Button
className={index === spacePath.length - 1 ? 'drawer-breadcrumb__btn--selected' : ''} className={index === spacePath.length - 1 ? 'drawer-breadcrumb__btn--selected' : ''}
onClick={() => { onClick={() => selectSpace(id)}
if (id === cons.tabs.HOME) selectTab(id);
else selectSpace(id);
}}
> >
<Text variant="b2">{id === cons.tabs.HOME ? 'Home' : twemojify(mx.getRoom(id).name)}</Text> <Text variant="b2">{id === cons.tabs.HOME ? 'Home' : twemojify(mx.getRoom(id).name)}</Text>
{ noti !== null && ( { noti !== null && (

View File

@@ -57,7 +57,7 @@ export function HomeSpaceOptions({ spaceId, afterOptionSelect }) {
iconSrc={HashGlobeIC} iconSrc={HashGlobeIC}
onClick={() => { afterOptionSelect(); openPublicRooms(); }} onClick={() => { afterOptionSelect(); openPublicRooms(); }}
> >
Explore public rooms Join public room
</MenuItem> </MenuItem>
)} )}
{ !spaceId && ( { !spaceId && (

View File

@@ -25,12 +25,12 @@ function Home({ spaceId }) {
let directIds = []; let directIds = [];
if (spaceId) { if (spaceId) {
const spaceChildIds = roomList.getSpaceChildren(spaceId) ?? []; const spaceChildIds = roomList.getSpaceChildren(spaceId);
spaceIds = spaceChildIds.filter((roomId) => spaces.has(roomId)); spaceIds = spaceChildIds.filter((roomId) => spaces.has(roomId));
roomIds = spaceChildIds.filter((roomId) => rooms.has(roomId)); roomIds = spaceChildIds.filter((roomId) => rooms.has(roomId));
directIds = spaceChildIds.filter((roomId) => directs.has(roomId)); directIds = spaceChildIds.filter((roomId) => directs.has(roomId));
} else { } else {
spaceIds = roomList.getOrphanSpaces().filter((id) => !accountData.spaceShortcut.has(id)); spaceIds = roomList.getOrphanSpaces();
roomIds = roomList.getOrphanRooms(); roomIds = roomList.getOrphanRooms();
} }
@@ -80,10 +80,10 @@ function Home({ spaceId }) {
<RoomsCategory name="People" roomIds={directIds.sort(roomIdByActivity)} drawerPostie={drawerPostie} /> <RoomsCategory name="People" roomIds={directIds.sort(roomIdByActivity)} drawerPostie={drawerPostie} />
)} )}
{ isCategorized && [...categories.keys()].sort(roomIdByAtoZ).map((catId) => { { isCategorized && [...categories].map(([catId, childIds]) => {
const rms = []; const rms = [];
const dms = []; const dms = [];
categories.get(catId).forEach((id) => { childIds.forEach((id) => {
if (directs.has(id)) dms.push(id); if (directs.has(id)) dms.push(id);
else rms.push(id); else rms.push(id);
}); });

View File

@@ -16,6 +16,7 @@ import { confirmDialog } from '../../molecules/confirm-dialog/ConfirmDialog';
import './ProfileEditor.scss'; import './ProfileEditor.scss';
// TODO Fix bug that prevents 'Save' button from enabling up until second changed.
function ProfileEditor({ userId }) { function ProfileEditor({ userId }) {
const [isEditing, setIsEditing] = useState(false); const [isEditing, setIsEditing] = useState(false);
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
@@ -95,7 +96,7 @@ function ProfileEditor({ userId }) {
const renderInfo = () => ( const renderInfo = () => (
<div className="profile-editor__info" style={{ marginBottom: avatarSrc ? '24px' : '0' }}> <div className="profile-editor__info" style={{ marginBottom: avatarSrc ? '24px' : '0' }}>
<div> <div>
<Text variant="h2" primary weight="medium">{twemojify(username) ?? userId}</Text> <Text variant="h2" primary weight="medium">{twemojify(username)}</Text>
<IconButton <IconButton
src={PencilIC} src={PencilIC}
size="extra-small" size="extra-small"
@@ -110,7 +111,7 @@ function ProfileEditor({ userId }) {
return ( return (
<div className="profile-editor"> <div className="profile-editor">
<ImageUpload <ImageUpload
text={username ?? userId} text={username}
bgColor={colorMXID(userId)} bgColor={colorMXID(userId)}
imageSrc={avatarSrc} imageSrc={avatarSrc}
onUpload={handleAvatarUpload} onUpload={handleAvatarUpload}

View File

@@ -11,7 +11,7 @@ import { selectRoom, openReusableContextMenu } from '../../../client/action/navi
import * as roomActions from '../../../client/action/room'; import * as roomActions from '../../../client/action/room';
import { import {
getUsername, getUsernameOfRoomMember, getPowerLabel, hasDMWith, hasDevices, getUsername, getUsernameOfRoomMember, getPowerLabel, hasDMWith, hasDevices
} from '../../../util/matrixUtil'; } from '../../../util/matrixUtil';
import { getEventCords } from '../../../util/common'; import { getEventCords } from '../../../util/common';
import colorMXID from '../../../util/colorMXID'; import colorMXID from '../../../util/colorMXID';
@@ -209,18 +209,19 @@ function ProfileFooter({ roomId, userId, onRequestClose }) {
}; };
const toggleIgnore = async () => { const toggleIgnore = async () => {
const isIgnored = mx.getIgnoredUsers().includes(userId); const ignoredUsers = mx.getIgnoredUsers();
const uIndex = ignoredUsers.indexOf(userId);
if (uIndex >= 0) {
if (uIndex === -1) return;
ignoredUsers.splice(uIndex, 1);
} else ignoredUsers.push(userId);
try { try {
setIsIgnoring(true); setIsIgnoring(true);
if (isIgnored) { await mx.setIgnoredUsers(ignoredUsers);
await roomActions.unignore([userId]);
} else {
await roomActions.ignore([userId]);
}
if (isMountedRef.current === false) return; if (isMountedRef.current === false) return;
setIsUserIgnored(!isIgnored); setIsUserIgnored(uIndex < 0);
setIsIgnoring(false); setIsIgnoring(false);
} catch { } catch {
setIsIgnoring(false); setIsIgnoring(false);

View File

@@ -5,9 +5,16 @@ import './RoomViewCmdBar.scss';
import parse from 'html-react-parser'; import parse from 'html-react-parser';
import twemoji from 'twemoji'; import twemoji from 'twemoji';
import { twemojify, TWEMOJI_BASE_URL } from '../../../util/twemojify'; import { twemojify } from '../../../util/twemojify';
import initMatrix from '../../../client/initMatrix'; import initMatrix from '../../../client/initMatrix';
import { toggleMarkdown } from '../../../client/action/settings';
import * as roomActions from '../../../client/action/room';
import {
openCreateRoom,
openPublicRooms,
openInviteUser,
} from '../../../client/action/navigation';
import { getEmojiForCompletion } from '../emoji-board/custom-emoji'; import { getEmojiForCompletion } from '../emoji-board/custom-emoji';
import AsyncSearch from '../../../util/AsyncSearch'; import AsyncSearch from '../../../util/AsyncSearch';
@@ -15,7 +22,37 @@ import Text from '../../atoms/text/Text';
import ScrollView from '../../atoms/scroll/ScrollView'; import ScrollView from '../../atoms/scroll/ScrollView';
import FollowingMembers from '../../molecules/following-members/FollowingMembers'; import FollowingMembers from '../../molecules/following-members/FollowingMembers';
import { addRecentEmoji, getRecentEmojis } from '../emoji-board/recent'; import { addRecentEmoji, getRecentEmojis } from '../emoji-board/recent';
import commands from './commands';
const commands = [{
name: 'markdown',
description: 'Toggle markdown for messages.',
exe: () => toggleMarkdown(),
}, {
name: 'startDM',
isOptions: true,
description: 'Start direct message with user. Example: /startDM/@johndoe.matrix.org',
exe: (roomId, searchTerm) => openInviteUser(undefined, searchTerm),
}, {
name: 'createRoom',
description: 'Create new room',
exe: () => openCreateRoom(),
}, {
name: 'join',
isOptions: true,
description: 'Join room with alias. Example: /join/#cinny:matrix.org',
exe: (roomId, searchTerm) => openPublicRooms(searchTerm),
}, {
name: 'leave',
description: 'Leave current room',
exe: (roomId) => {
roomActions.leave(roomId);
},
}, {
name: 'invite',
isOptions: true,
description: 'Invite user to room. Example: /invite/@johndoe:matrix.org',
exe: (roomId, searchTerm) => openInviteUser(roomId, searchTerm),
}];
function CmdItem({ onClick, children }) { function CmdItem({ onClick, children }) {
return ( return (
@@ -31,19 +68,19 @@ CmdItem.propTypes = {
function renderSuggestions({ prefix, option, suggestions }, fireCmd) { function renderSuggestions({ prefix, option, suggestions }, fireCmd) {
function renderCmdSuggestions(cmdPrefix, cmds) { function renderCmdSuggestions(cmdPrefix, cmds) {
const cmdOptString = typeof option === 'string' ? `/${option}` : '/?'; const cmdOptString = (typeof option === 'string') ? `/${option}` : '/?';
return cmds.map((cmd) => ( return cmds.map((cmd) => (
<CmdItem <CmdItem
key={cmd} key={cmd.name}
onClick={() => { onClick={() => {
fireCmd({ fireCmd({
prefix: cmdPrefix, prefix: cmdPrefix,
option, option,
result: commands[cmd], result: cmd,
}); });
}} }}
> >
<Text variant="b2">{`${cmd}${cmd.isOptions ? cmdOptString : ''}`}</Text> <Text variant="b2">{`${cmd.name}${cmd.isOptions ? cmdOptString : ''}`}</Text>
</CmdItem> </CmdItem>
)); ));
} }
@@ -53,15 +90,15 @@ function renderSuggestions({ prefix, option, suggestions }, fireCmd) {
// Renders a small Twemoji // Renders a small Twemoji
function renderTwemoji(emoji) { function renderTwemoji(emoji) {
return parse( return parse(twemoji.parse(
twemoji.parse(emoji.unicode, { emoji.unicode,
{
attributes: () => ({ attributes: () => ({
unicode: emoji.unicode, unicode: emoji.unicode,
shortcodes: emoji.shortcodes?.toString(), shortcodes: emoji.shortcodes?.toString(),
}), }),
base: TWEMOJI_BASE_URL, },
}) ));
);
} }
// Render a custom emoji // Render a custom emoji
@@ -87,12 +124,10 @@ function renderSuggestions({ prefix, option, suggestions }, fireCmd) {
return emos.map((emoji) => ( return emos.map((emoji) => (
<CmdItem <CmdItem
key={emoji.shortcode} key={emoji.shortcode}
onClick={() => onClick={() => fireCmd({
fireCmd({ prefix: emPrefix,
prefix: emPrefix, result: emoji,
result: emoji, })}
})
}
> >
<Text variant="b1">{renderEmoji(emoji)}</Text> <Text variant="b1">{renderEmoji(emoji)}</Text>
<Text variant="b2">{`:${emoji.shortcode}:`}</Text> <Text variant="b2">{`:${emoji.shortcode}:`}</Text>
@@ -174,8 +209,8 @@ function RoomViewCmdBar({ roomId, roomTimeline, viewEvent }) {
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
const setupSearch = { const setupSearch = {
'/': () => { '/': () => {
asyncSearch.setup(Object.keys(commands), { isContain: true }); asyncSearch.setup(commands, { keys: ['name'], isContain: true });
setCmd({ prefix, suggestions: Object.keys(commands) }); setCmd({ prefix, suggestions: commands });
}, },
':': () => { ':': () => {
const parentIds = initMatrix.roomList.getAllParentSpaces(roomId); const parentIds = initMatrix.roomList.getAllParentSpaces(roomId);
@@ -189,13 +224,10 @@ function RoomViewCmdBar({ roomId, roomTimeline, viewEvent }) {
}); });
}, },
'@': () => { '@': () => {
const members = mx const members = mx.getRoom(roomId).getJoinedMembers().map((member) => ({
.getRoom(roomId) name: member.name,
.getJoinedMembers() userId: member.userId.slice(1),
.map((member) => ({ }));
name: member.name,
userId: member.userId.slice(1),
}));
asyncSearch.setup(members, { keys: ['name', 'userId'], limit: 20 }); asyncSearch.setup(members, { keys: ['name', 'userId'], limit: 20 });
const endIndex = members.length > 20 ? 20 : members.length; const endIndex = members.length > 20 ? 20 : members.length;
setCmd({ prefix, suggestions: members.slice(0, endIndex) }); setCmd({ prefix, suggestions: members.slice(0, endIndex) });
@@ -210,9 +242,8 @@ function RoomViewCmdBar({ roomId, roomTimeline, viewEvent }) {
} }
function fireCmd(myCmd) { function fireCmd(myCmd) {
if (myCmd.prefix === '/') { if (myCmd.prefix === '/') {
viewEvent.emit('cmd_fired', { myCmd.result.exe(roomId, myCmd.option);
replace: `/${myCmd.result.name}`, viewEvent.emit('cmd_fired');
});
} }
if (myCmd.prefix === ':') { if (myCmd.prefix === ':') {
if (!myCmd.result.mxc) addRecentEmoji(myCmd.result.unicode); if (!myCmd.result.mxc) addRecentEmoji(myCmd.result.unicode);
@@ -282,7 +313,9 @@ function RoomViewCmdBar({ roomId, roomTimeline, viewEvent }) {
</div> </div>
<div className="cmd-bar__content"> <div className="cmd-bar__content">
<ScrollView horizontal vertical={false} invisible> <ScrollView horizontal vertical={false} invisible>
<div className="cmd-bar__content-suggestions">{renderSuggestions(cmd, fireCmd)}</div> <div className="cmd-bar__content-suggestions">
{ renderSuggestions(cmd, fireCmd) }
</div>
</ScrollView> </ScrollView>
</div> </div>
</div> </div>

View File

@@ -118,15 +118,7 @@ function handleOnClickCapture(e) {
} }
} }
function renderEvent( function renderEvent(roomTimeline, mEvent, prevMEvent, isFocus = false) {
roomTimeline,
mEvent,
prevMEvent,
isFocus,
isEdit,
setEdit,
cancelEdit,
) {
const isBodyOnly = (prevMEvent !== null const isBodyOnly = (prevMEvent !== null
&& prevMEvent.getSender() === mEvent.getSender() && prevMEvent.getSender() === mEvent.getSender()
&& prevMEvent.getType() !== 'm.room.member' && prevMEvent.getType() !== 'm.room.member'
@@ -155,9 +147,6 @@ function renderEvent(
roomTimeline={roomTimeline} roomTimeline={roomTimeline}
focus={isFocus} focus={isFocus}
fullTime={false} fullTime={false}
isEdit={isEdit}
setEdit={setEdit}
cancelEdit={cancelEdit}
/> />
); );
} }
@@ -397,8 +386,6 @@ function RoomViewContent({ eventId, roomTimeline }) {
const timelineSVRef = useRef(null); const timelineSVRef = useRef(null);
const timelineScrollRef = useRef(null); const timelineScrollRef = useRef(null);
const eventLimitRef = useRef(null); const eventLimitRef = useRef(null);
const [editEventId, setEditEventId] = useState(null);
const cancelEdit = () => setEditEventId(null);
const readUptoEvtStore = useStore(roomTimeline); const readUptoEvtStore = useStore(roomTimeline);
const [onLimitUpdate, forceUpdateLimit] = useForceUpdate(); const [onLimitUpdate, forceUpdateLimit] = useForceUpdate();
@@ -483,42 +470,6 @@ function RoomViewContent({ eventId, roomTimeline }) {
} }
}, [newEvent]); }, [newEvent]);
const listenKeyboard = useCallback((event) => {
if (event.ctrlKey || event.altKey || event.metaKey) return;
if (event.key !== 'ArrowUp') return;
if (navigation.isRawModalVisible) return;
if (document.activeElement.id !== 'message-textarea') return;
if (document.activeElement.value !== '') return;
const {
timeline: tl, activeTimeline, liveTimeline, matrixClient: mx,
} = roomTimeline;
const limit = eventLimitRef.current;
if (activeTimeline !== liveTimeline) return;
if (tl.length > limit.length) return;
const mTypes = ['m.text'];
for (let i = tl.length - 1; i >= 0; i -= 1) {
const mE = tl[i];
if (
mE.getSender() === mx.getUserId()
&& mE.getType() === 'm.room.message'
&& mTypes.includes(mE.getContent()?.msgtype)
) {
setEditEventId(mE.getId());
return;
}
}
}, [roomTimeline]);
useEffect(() => {
document.body.addEventListener('keydown', listenKeyboard);
return () => {
document.body.removeEventListener('keydown', listenKeyboard);
};
}, [listenKeyboard]);
const handleTimelineScroll = (event) => { const handleTimelineScroll = (event) => {
const timelineScroll = timelineScrollRef.current; const timelineScroll = timelineScrollRef.current;
if (!event.target) return; if (!event.target) return;
@@ -584,15 +535,7 @@ function RoomViewContent({ eventId, roomTimeline }) {
const isFocus = focusId === mEvent.getId(); const isFocus = focusId === mEvent.getId();
if (isFocus) jumpToItemIndex = itemCountIndex; if (isFocus) jumpToItemIndex = itemCountIndex;
tl.push(renderEvent( tl.push(renderEvent(roomTimeline, mEvent, isNewEvent ? null : prevMEvent, isFocus));
roomTimeline,
mEvent,
isNewEvent ? null : prevMEvent,
isFocus,
editEventId === mEvent.getId(),
setEditEventId,
cancelEdit,
));
itemCountIndex += 1; itemCountIndex += 1;
} }
if (roomTimeline.canPaginateForward() || limit.length < timeline.length) { if (roomTimeline.canPaginateForward() || limit.length < timeline.length) {

View File

@@ -33,10 +33,9 @@ function RoomViewHeader({ roomId }) {
const [, forceUpdate] = useForceUpdate(); const [, forceUpdate] = useForceUpdate();
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
const isDM = initMatrix.roomList.directs.has(roomId); const isDM = initMatrix.roomList.directs.has(roomId);
const room = mx.getRoom(roomId); let avatarSrc = mx.getRoom(roomId).getAvatarUrl(mx.baseUrl, 36, 36, 'crop');
let avatarSrc = room.getAvatarUrl(mx.baseUrl, 36, 36, 'crop'); avatarSrc = isDM ? mx.getRoom(roomId).getAvatarFallbackMember()?.getAvatarUrl(mx.baseUrl, 36, 36, 'crop') : avatarSrc;
avatarSrc = isDM ? room.getAvatarFallbackMember()?.getAvatarUrl(mx.baseUrl, 36, 36, 'crop') : avatarSrc; const roomName = mx.getRoom(roomId).name;
const roomName = room.name;
const roomHeaderBtnRef = useRef(null); const roomHeaderBtnRef = useRef(null);
useEffect(() => { useEffect(() => {
@@ -94,7 +93,7 @@ function RoomViewHeader({ roomId }) {
</TitleWrapper> </TitleWrapper>
<RawIcon src={ChevronBottomIC} /> <RawIcon src={ChevronBottomIC} />
</button> </button>
{mx.isRoomEncrypted(roomId) === false && <IconButton onClick={() => toggleRoomSettings(tabText.SEARCH)} tooltip="Search" src={SearchIC} />} <IconButton onClick={() => toggleRoomSettings(tabText.SEARCH)} tooltip="Search" src={SearchIC} />
<IconButton className="room-header__drawer-btn" onClick={togglePeopleDrawer} tooltip="People" src={UserIC} /> <IconButton className="room-header__drawer-btn" onClick={togglePeopleDrawer} tooltip="People" src={UserIC} />
<IconButton className="room-header__members-btn" onClick={() => toggleRoomSettings(tabText.MEMBERS)} tooltip="Members" src={UserIC} /> <IconButton className="room-header__members-btn" onClick={() => toggleRoomSettings(tabText.MEMBERS)} tooltip="Members" src={UserIC} />
<IconButton <IconButton

View File

@@ -21,7 +21,6 @@ import ScrollView from '../../atoms/scroll/ScrollView';
import { MessageReply } from '../../molecules/message/Message'; import { MessageReply } from '../../molecules/message/Message';
import StickerBoard from '../sticker-board/StickerBoard'; import StickerBoard from '../sticker-board/StickerBoard';
import { confirmDialog } from '../../molecules/confirm-dialog/ConfirmDialog';
import CirclePlusIC from '../../../../public/res/ic/outlined/circle-plus.svg'; import CirclePlusIC from '../../../../public/res/ic/outlined/circle-plus.svg';
import EmojiIC from '../../../../public/res/ic/outlined/emoji.svg'; import EmojiIC from '../../../../public/res/ic/outlined/emoji.svg';
@@ -30,11 +29,10 @@ import StickerIC from '../../../../public/res/ic/outlined/sticker.svg';
import ShieldIC from '../../../../public/res/ic/outlined/shield.svg'; import ShieldIC from '../../../../public/res/ic/outlined/shield.svg';
import VLCIC from '../../../../public/res/ic/outlined/vlc.svg'; import VLCIC from '../../../../public/res/ic/outlined/vlc.svg';
import VolumeFullIC from '../../../../public/res/ic/outlined/volume-full.svg'; import VolumeFullIC from '../../../../public/res/ic/outlined/volume-full.svg';
import MarkdownIC from '../../../../public/res/ic/outlined/markdown.svg';
import FileIC from '../../../../public/res/ic/outlined/file.svg'; import FileIC from '../../../../public/res/ic/outlined/file.svg';
import CrossIC from '../../../../public/res/ic/outlined/cross.svg'; import CrossIC from '../../../../public/res/ic/outlined/cross.svg';
import commands from './commands';
const CMD_REGEX = /(^\/|:|@)(\S*)$/; const CMD_REGEX = /(^\/|:|@)(\S*)$/;
let isTyping = false; let isTyping = false;
let isCmdActivated = false; let isCmdActivated = false;
@@ -43,6 +41,7 @@ function RoomViewInput({
roomId, roomTimeline, viewEvent, roomId, roomTimeline, viewEvent,
}) { }) {
const [attachment, setAttachment] = useState(null); const [attachment, setAttachment] = useState(null);
const [isMarkdown, setIsMarkdown] = useState(settings.isMarkdown);
const [replyTo, setReplyTo] = useState(null); const [replyTo, setReplyTo] = useState(null);
const textAreaRef = useRef(null); const textAreaRef = useRef(null);
@@ -61,9 +60,11 @@ function RoomViewInput({
} }
useEffect(() => { useEffect(() => {
settings.on(cons.events.settings.MARKDOWN_TOGGLED, setIsMarkdown);
roomsInput.on(cons.events.roomsInput.ATTACHMENT_SET, setAttachment); roomsInput.on(cons.events.roomsInput.ATTACHMENT_SET, setAttachment);
viewEvent.on('focus_msg_input', requestFocusInput); viewEvent.on('focus_msg_input', requestFocusInput);
return () => { return () => {
settings.removeListener(cons.events.settings.MARKDOWN_TOGGLED, setIsMarkdown);
roomsInput.removeListener(cons.events.roomsInput.ATTACHMENT_SET, setAttachment); roomsInput.removeListener(cons.events.roomsInput.ATTACHMENT_SET, setAttachment);
viewEvent.removeListener('focus_msg_input', requestFocusInput); viewEvent.removeListener('focus_msg_input', requestFocusInput);
}; };
@@ -143,11 +144,9 @@ function RoomViewInput({
textAreaRef.current.focus(); textAreaRef.current.focus();
} }
function setUpReply(userId, eventId, body, formattedBody) { function setUpReply(userId, eventId, body) {
setReplyTo({ userId, eventId, body }); setReplyTo({ userId, eventId, body });
roomsInput.setReplyTo(roomId, { roomsInput.setReplyTo(roomId, { userId, eventId, body });
userId, eventId, body, formattedBody,
});
focusInput(); focusInput();
} }
@@ -183,57 +182,30 @@ function RoomViewInput({
}; };
}, [roomId]); }, [roomId]);
const sendBody = async (body, options) => { const sendMessage = async () => {
const opt = options ?? {}; requestAnimationFrame(() => deactivateCmdAndEmit());
if (!opt.msgType) opt.msgType = 'm.text'; const msgBody = textAreaRef.current.value;
if (typeof opt.autoMarkdown !== 'boolean') opt.autoMarkdown = true;
if (roomsInput.isSending(roomId)) return; if (roomsInput.isSending(roomId)) return;
if (msgBody.trim() === '' && attachment === null) return;
sendIsTyping(false); sendIsTyping(false);
roomsInput.setMessage(roomId, body); roomsInput.setMessage(roomId, msgBody);
if (attachment !== null) { if (attachment !== null) {
roomsInput.setAttachment(roomId, attachment); roomsInput.setAttachment(roomId, attachment);
} }
textAreaRef.current.disabled = true; textAreaRef.current.disabled = true;
textAreaRef.current.style.cursor = 'not-allowed'; textAreaRef.current.style.cursor = 'not-allowed';
await roomsInput.sendInput(roomId, opt); await roomsInput.sendInput(roomId);
textAreaRef.current.disabled = false; textAreaRef.current.disabled = false;
textAreaRef.current.style.cursor = 'unset'; textAreaRef.current.style.cursor = 'unset';
focusInput(); focusInput();
textAreaRef.current.value = roomsInput.getMessage(roomId); textAreaRef.current.value = roomsInput.getMessage(roomId);
viewEvent.emit('message_sent');
textAreaRef.current.style.height = 'unset'; textAreaRef.current.style.height = 'unset';
if (replyTo !== null) setReplyTo(null); if (replyTo !== null) setReplyTo(null);
}; };
const processCommand = (cmdBody) => {
const spaceIndex = cmdBody.indexOf(' ');
const cmdName = cmdBody.slice(1, spaceIndex > -1 ? spaceIndex : undefined);
const cmdData = spaceIndex > -1 ? cmdBody.slice(spaceIndex + 1) : '';
if (!commands[cmdName]) {
confirmDialog('Invalid Command', `"${cmdName}" is not a valid command.`, 'Alright');
return;
}
if (['me', 'shrug', 'plain'].includes(cmdName)) {
commands[cmdName].exe(roomId, cmdData, sendBody);
return;
}
commands[cmdName].exe(roomId, cmdData);
};
const sendMessage = async () => {
requestAnimationFrame(() => deactivateCmdAndEmit());
const msgBody = textAreaRef.current.value.trim();
if (msgBody.startsWith('/')) {
processCommand(msgBody.trim());
textAreaRef.current.value = '';
textAreaRef.current.style.height = 'unset';
return;
}
if (msgBody === '' && attachment === null) return;
sendBody(msgBody);
};
const handleSendSticker = async (data) => { const handleSendSticker = async (data) => {
roomsInput.sendSticker(roomId, data); roomsInput.sendSticker(roomId, data);
}; };
@@ -291,11 +263,6 @@ function RoomViewInput({
}; };
const handleKeyDown = (e) => { const handleKeyDown = (e) => {
if (e.key === 'Escape') {
e.preventDefault();
roomsInput.cancelReplyTo(roomId);
setReplyTo(null);
}
if (e.key === 'Enter' && e.shiftKey === false) { if (e.key === 'Enter' && e.shiftKey === false) {
e.preventDefault(); e.preventDefault();
sendMessage(); sendMessage();
@@ -380,6 +347,7 @@ function RoomViewInput({
/> />
</Text> </Text>
</ScrollView> </ScrollView>
{isMarkdown && <RawIcon size="extra-small" src={MarkdownIC} />}
</div> </div>
<div ref={rightOptionsRef} className="room-input__option-container"> <div ref={rightOptionsRef} className="room-input__option-container">
<IconButton <IconButton
@@ -453,7 +421,6 @@ function RoomViewInput({
/> />
<MessageReply <MessageReply
userId={replyTo.userId} userId={replyTo.userId}
onKeyDown={handleKeyDown}
name={getUsername(replyTo.userId)} name={getUsername(replyTo.userId)}
color={colorMXID(replyTo.userId)} color={colorMXID(replyTo.userId)}
body={replyTo.body} body={replyTo.body}

View File

@@ -70,7 +70,6 @@
&__preview > img { &__preview > img {
max-height: 40px; max-height: 40px;
border-radius: var(--bo-radius); border-radius: var(--bo-radius);
max-width: 150px;
} }
&__icon { &__icon {
padding: var(--sp-extra-tight); padding: var(--sp-extra-tight);

View File

@@ -1,220 +0,0 @@
import React from 'react';
import './commands.scss';
import initMatrix from '../../../client/initMatrix';
import * as roomActions from '../../../client/action/room';
import { hasDMWith, hasDevices } from '../../../util/matrixUtil';
import { selectRoom, openReusableDialog } from '../../../client/action/navigation';
import Text from '../../atoms/text/Text';
import SettingTile from '../../molecules/setting-tile/SettingTile';
const MXID_REG = /^@\S+:\S+$/;
const ROOM_ID_ALIAS_REG = /^(#|!)\S+:\S+$/;
const ROOM_ID_REG = /^!\S+:\S+$/;
const MXC_REG = /^mxc:\/\/\S+$/;
export function processMxidAndReason(data) {
let reason;
let idData = data;
const reasonMatch = data.match(/\s-r\s/);
if (reasonMatch) {
idData = data.slice(0, reasonMatch.index);
reason = data.slice(reasonMatch.index + reasonMatch[0].length);
if (reason.trim() === '') reason = undefined;
}
const rawIds = idData.split(' ');
const userIds = rawIds.filter((id) => id.match(MXID_REG));
return {
userIds,
reason,
};
}
const commands = {
me: {
name: 'me',
description: 'Display action',
exe: (roomId, data, onSuccess) => {
const body = data.trim();
if (body === '') return;
onSuccess(body, { msgType: 'm.emote' });
},
},
shrug: {
name: 'shrug',
description: 'Send ¯\\_(ツ)_/¯ as message',
exe: (roomId, data, onSuccess) => onSuccess(
`¯\\_(ツ)_/¯${data.trim() !== '' ? ` ${data}` : ''}`,
{ msgType: 'm.text' },
),
},
plain: {
name: 'plain',
description: 'Send plain text message',
exe: (roomId, data, onSuccess) => {
const body = data.trim();
if (body === '') return;
onSuccess(body, { msgType: 'm.text', autoMarkdown: false });
},
},
help: {
name: 'help',
description: 'View all commands',
// eslint-disable-next-line no-use-before-define
exe: () => openHelpDialog(),
},
startdm: {
name: 'startdm',
description: 'Start direct message with user. Example: /startdm userId1',
exe: async (roomId, data) => {
const mx = initMatrix.matrixClient;
const rawIds = data.split(' ');
const userIds = rawIds.filter((id) => id.match(MXID_REG) && id !== mx.getUserId());
if (userIds.length === 0) return;
if (userIds.length === 1) {
const dmRoomId = hasDMWith(userIds[0]);
if (dmRoomId) {
selectRoom(dmRoomId);
return;
}
}
const devices = await Promise.all(userIds.map(hasDevices));
const isEncrypt = devices.every((hasDevice) => hasDevice);
const result = await roomActions.createDM(userIds, isEncrypt);
selectRoom(result.room_id);
},
},
join: {
name: 'join',
description: 'Join room with address. Example: /join address1 address2',
exe: (roomId, data) => {
const rawIds = data.split(' ');
const roomIds = rawIds.filter((id) => id.match(ROOM_ID_ALIAS_REG));
roomIds.map((id) => roomActions.join(id));
},
},
leave: {
name: 'leave',
description: 'Leave current room.',
exe: (roomId, data) => {
if (data.trim() === '') {
roomActions.leave(roomId);
return;
}
const rawIds = data.split(' ');
const roomIds = rawIds.filter((id) => id.match(ROOM_ID_REG));
roomIds.map((id) => roomActions.leave(id));
},
},
invite: {
name: 'invite',
description: 'Invite user to room. Example: /invite userId1 userId2 [-r reason]',
exe: (roomId, data) => {
const { userIds, reason } = processMxidAndReason(data);
userIds.map((id) => roomActions.invite(roomId, id, reason));
},
},
disinvite: {
name: 'disinvite',
description: 'Disinvite user to room. Example: /disinvite userId1 userId2 [-r reason]',
exe: (roomId, data) => {
const { userIds, reason } = processMxidAndReason(data);
userIds.map((id) => roomActions.kick(roomId, id, reason));
},
},
kick: {
name: 'kick',
description: 'Kick user from room. Example: /kick userId1 userId2 [-r reason]',
exe: (roomId, data) => {
const { userIds, reason } = processMxidAndReason(data);
userIds.map((id) => roomActions.kick(roomId, id, reason));
},
},
ban: {
name: 'ban',
description: 'Ban user from room. Example: /ban userId1 userId2 [-r reason]',
exe: (roomId, data) => {
const { userIds, reason } = processMxidAndReason(data);
userIds.map((id) => roomActions.ban(roomId, id, reason));
},
},
unban: {
name: 'unban',
description: 'Unban user from room. Example: /unban userId1 userId2',
exe: (roomId, data) => {
const rawIds = data.split(' ');
const userIds = rawIds.filter((id) => id.match(MXID_REG));
userIds.map((id) => roomActions.unban(roomId, id));
},
},
ignore: {
name: 'ignore',
description: 'Ignore user. Example: /ignore userId1 userId2',
exe: (roomId, data) => {
const rawIds = data.split(' ');
const userIds = rawIds.filter((id) => id.match(MXID_REG));
if (userIds.length > 0) roomActions.ignore(userIds);
},
},
unignore: {
name: 'unignore',
description: 'Unignore user. Example: /unignore userId1 userId2',
exe: (roomId, data) => {
const rawIds = data.split(' ');
const userIds = rawIds.filter((id) => id.match(MXID_REG));
if (userIds.length > 0) roomActions.unignore(userIds);
},
},
myroomnick: {
name: 'myroomnick',
description: 'Change nick in current room.',
exe: (roomId, data) => {
const nick = data.trim();
if (nick === '') return;
roomActions.setMyRoomNick(roomId, nick);
},
},
myroomavatar: {
name: 'myroomavatar',
description: 'Change profile picture in current room. Example /myroomavatar mxc://xyzabc',
exe: (roomId, data) => {
if (data.match(MXC_REG)) {
roomActions.setMyRoomAvatar(roomId, data);
}
},
},
converttodm: {
name: 'converttodm',
description: 'Convert room to direct message',
exe: (roomId) => {
roomActions.convertToDm(roomId);
},
},
converttoroom: {
name: 'converttoroom',
description: 'Convert direct message to room',
exe: (roomId) => {
roomActions.convertToRoom(roomId);
},
},
};
function openHelpDialog() {
openReusableDialog(
<Text variant="s1" weight="medium">Commands</Text>,
() => (
<div className="commands-dialog">
{Object.keys(commands).map((cmdName) => (
<SettingTile
key={cmdName}
title={cmdName}
content={<Text variant="b3">{commands[cmdName].description}</Text>}
/>
))}
</div>
),
);
}
export default commands;

View File

@@ -1,10 +0,0 @@
.commands-dialog {
& > * {
padding: var(--sp-tight) var(--sp-normal);
border-bottom: 1px solid var(--bg-surface-border);
&:last-child {
border-bottom: none;
margin-bottom: var(--sp-extra-loose);
}
}
}

View File

@@ -164,7 +164,7 @@ function getUsersActionJsx(roomId, userIds, actionStr) {
const othersCount = userIds.length - MAX_VISIBLE_COUNT; const othersCount = userIds.length - MAX_VISIBLE_COUNT;
// eslint-disable-next-line react/jsx-one-expression-per-line // eslint-disable-next-line react/jsx-one-expression-per-line
return <>{u1Jsx}, {u2Jsx}, {u3Jsx} and {othersCount} others are {actionStr}</>; return <>{u1Jsx}, {u2Jsx}, {u3Jsx} and {othersCount} other are {actionStr}</>;
} }
function parseTimelineChange(mEvent) { function parseTimelineChange(mEvent) {

View File

@@ -168,7 +168,7 @@ function Search() {
} }
}; };
const noti = initMatrix.notifications; const notifs = initMatrix.notifications;
const renderRoomSelector = (item) => { const renderRoomSelector = (item) => {
let imageSrc = null; let imageSrc = null;
let iconSrc = null; let iconSrc = null;
@@ -178,6 +178,9 @@ function Search() {
iconSrc = joinRuleToIconSrc(item.room.getJoinRule(), item.type === 'space'); iconSrc = joinRuleToIconSrc(item.room.getJoinRule(), item.type === 'space');
} }
const isUnread = notifs.hasNoti(item.roomId);
const noti = notifs.getNoti(item.roomId);
return ( return (
<RoomSelector <RoomSelector
key={item.roomId} key={item.roomId}
@@ -186,9 +189,9 @@ function Search() {
roomId={item.roomId} roomId={item.roomId}
imageSrc={imageSrc} imageSrc={imageSrc}
iconSrc={iconSrc} iconSrc={iconSrc}
isUnread={noti.hasNoti(item.roomId)} isUnread={isUnread}
notificationCount={noti.getTotalNoti(item.roomId)} notificationCount={noti.total}
isAlert={noti.getHighlightNoti(item.roomId) > 0} isAlert={noti.highlight > 0}
onClick={() => openItem(item.roomId, item.type)} onClick={() => openItem(item.roomId, item.type)}
/> />
); );
@@ -204,7 +207,7 @@ function Search() {
size="small" size="small"
> >
<div className="search-dialog"> <div className="search-dialog">
<form className="search-dialog__input" onSubmit={(e) => { e.preventDefault(); openFirstResult(); }}> <form className="search-dialog__input" onSubmit={(e) => { e.preventDefault(); openFirstResult()}}>
<RawIcon src={SearchIC} size="small" /> <RawIcon src={SearchIC} size="small" />
<Input <Input
onChange={handleOnChange} onChange={handleOnChange}

View File

@@ -180,15 +180,13 @@ function DeviceManage() {
} }
content={( content={(
<> <>
{lastTS && ( <Text variant="b3">
<Text variant="b3"> Last activity
Last activity <span style={{ color: 'var(--tc-surface-normal)' }}>
<span style={{ color: 'var(--tc-surface-normal)' }}> {dateFormat(new Date(lastTS), ' hh:MM TT, dd/mm/yyyy')}
{dateFormat(new Date(lastTS), ' hh:MM TT, dd/mm/yyyy')} </span>
</span> {lastIP ? ` at ${lastIP}` : ''}
{lastIP ? ` at ${lastIP}` : ''} </Text>
</Text>
)}
{isCurrentDevice && ( {isCurrentDevice && (
<Text style={{ marginTop: 'var(--sp-ultra-tight)' }} variant="b3"> <Text style={{ marginTop: 'var(--sp-ultra-tight)' }} variant="b3">
{`Session Key: ${initMatrix.matrixClient.getDeviceEd25519Key().match(/.{1,4}/g).join(' ')}`} {`Session Key: ${initMatrix.matrixClient.getDeviceEd25519Key().match(/.{1,4}/g).join(' ')}`}

View File

@@ -9,6 +9,7 @@ import {
toggleSystemTheme, toggleMarkdown, toggleMembershipEvents, toggleNickAvatarEvents, toggleSystemTheme, toggleMarkdown, toggleMembershipEvents, toggleNickAvatarEvents,
toggleNotifications, toggleNotificationSounds, toggleNotifications, toggleNotificationSounds,
} from '../../../client/action/settings'; } from '../../../client/action/settings';
import logout from '../../../client/action/logout';
import { usePermission } from '../../hooks/usePermission'; import { usePermission } from '../../hooks/usePermission';
import Text from '../../atoms/text/Text'; import Text from '../../atoms/text/Text';
@@ -24,9 +25,6 @@ import SettingTile from '../../molecules/setting-tile/SettingTile';
import ImportE2ERoomKeys from '../../molecules/import-export-e2e-room-keys/ImportE2ERoomKeys'; import ImportE2ERoomKeys from '../../molecules/import-export-e2e-room-keys/ImportE2ERoomKeys';
import ExportE2ERoomKeys from '../../molecules/import-export-e2e-room-keys/ExportE2ERoomKeys'; import ExportE2ERoomKeys from '../../molecules/import-export-e2e-room-keys/ExportE2ERoomKeys';
import { ImagePackUser, ImagePackGlobal } from '../../molecules/image-pack/ImagePack'; import { ImagePackUser, ImagePackGlobal } from '../../molecules/image-pack/ImagePack';
import GlobalNotification from '../../molecules/global-notification/GlobalNotification';
import KeywordNotification from '../../molecules/global-notification/KeywordNotification';
import IgnoreUserList from '../../molecules/global-notification/IgnoreUserList';
import ProfileEditor from '../profile-editor/ProfileEditor'; import ProfileEditor from '../profile-editor/ProfileEditor';
import CrossSigning from './CrossSigning'; import CrossSigning from './CrossSigning';
@@ -152,29 +150,24 @@ function NotificationsSection() {
}; };
return ( return (
<> <div className="settings-notifications">
<div className="settings-notifications"> <MenuHeader>Notification & Sound</MenuHeader>
<MenuHeader>Notification & Sound</MenuHeader> <SettingTile
<SettingTile title="Desktop notification"
title="Desktop notification" options={renderOptions()}
options={renderOptions()} content={<Text variant="b3">Show desktop notification when new messages arrive.</Text>}
content={<Text variant="b3">Show desktop notification when new messages arrive.</Text>} />
/> <SettingTile
<SettingTile title="Notification Sound"
title="Notification Sound" options={(
options={( <Toggle
<Toggle isActive={settings.isNotificationSounds}
isActive={settings.isNotificationSounds} onToggle={() => { toggleNotificationSounds(); updateState({}); }}
onToggle={() => { toggleNotificationSounds(); updateState({}); }} />
/> )}
)} content={<Text variant="b3">Play sound when new messages arrive.</Text>}
content={<Text variant="b3">Play sound when new messages arrive.</Text>} />
/> </div>
</div>
<GlobalNotification />
<KeywordNotification />
<IgnoreUserList />
</>
); );
} }
@@ -238,7 +231,6 @@ function AboutSection() {
<div className="settings-about__btns"> <div className="settings-about__btns">
<Button onClick={() => window.open('https://github.com/ajbura/cinny')}>Source code</Button> <Button onClick={() => window.open('https://github.com/ajbura/cinny')}>Source code</Button>
<Button onClick={() => window.open('https://cinny.in/#sponsor')}>Support</Button> <Button onClick={() => window.open('https://cinny.in/#sponsor')}>Support</Button>
<Button onClick={() => initMatrix.clearCacheAndReload()} variant="danger">Clear cache & reload</Button>
</div> </div>
</div> </div>
</div> </div>
@@ -327,7 +319,7 @@ function Settings() {
const handleTabChange = (tabItem) => setSelectedTab(tabItem); const handleTabChange = (tabItem) => setSelectedTab(tabItem);
const handleLogout = async () => { const handleLogout = async () => {
if (await confirmDialog('Logout', 'Are you sure that you want to logout your session?', 'Logout', 'danger')) { if (await confirmDialog('Logout', 'Are you sure that you want to logout your session?', 'Logout', 'danger')) {
initMatrix.logout(); logout();
} }
}; };

View File

@@ -38,9 +38,6 @@
} }
.settings-appearance__card, .settings-appearance__card,
.settings-notifications, .settings-notifications,
.global-notification,
.keyword-notification,
.ignore-user-list,
.settings-security__card, .settings-security__card,
.settings-security .device-manage, .settings-security .device-manage,
.settings-about__card, .settings-about__card,

View File

@@ -5,8 +5,6 @@
& pre { & pre {
padding: var(--sp-extra-tight); padding: var(--sp-extra-tight);
white-space: pre-wrap;
word-break: break-all;
} }
&__card { &__card {

View File

@@ -7,21 +7,18 @@ import { initRoomListListener } from '../../../client/event/roomList';
import Text from '../../atoms/text/Text'; import Text from '../../atoms/text/Text';
import Spinner from '../../atoms/spinner/Spinner'; import Spinner from '../../atoms/spinner/Spinner';
import Navigation from '../../organisms/navigation/Navigation'; import Navigation from '../../organisms/navigation/Navigation';
import ContextMenu, { MenuItem } from '../../atoms/context-menu/ContextMenu';
import IconButton from '../../atoms/button/IconButton';
import ReusableContextMenu from '../../atoms/context-menu/ReusableContextMenu'; import ReusableContextMenu from '../../atoms/context-menu/ReusableContextMenu';
import Room from '../../organisms/room/Room'; import Room from '../../organisms/room/Room';
import Windows from '../../organisms/pw/Windows'; import Windows from '../../organisms/pw/Windows';
import Dialogs from '../../organisms/pw/Dialogs'; import Dialogs from '../../organisms/pw/Dialogs';
import EmojiBoardOpener from '../../organisms/emoji-board/EmojiBoardOpener'; import EmojiBoardOpener from '../../organisms/emoji-board/EmojiBoardOpener';
import logout from '../../../client/action/logout';
import initMatrix from '../../../client/initMatrix'; import initMatrix from '../../../client/initMatrix';
import navigation from '../../../client/state/navigation'; import navigation from '../../../client/state/navigation';
import cons from '../../../client/state/cons'; import cons from '../../../client/state/cons';
import DragDrop from '../../organisms/drag-drop/DragDrop'; import DragDrop from '../../organisms/drag-drop/DragDrop';
import VerticalMenuIC from '../../../../public/res/ic/outlined/vertical-menu.svg';
function Client() { function Client() {
const [isLoading, changeLoading] = useState(true); const [isLoading, changeLoading] = useState(true);
const [loadingMsg, setLoadingMsg] = useState('Heating up'); const [loadingMsg, setLoadingMsg] = useState('Heating up');
@@ -77,20 +74,9 @@ function Client() {
if (isLoading) { if (isLoading) {
return ( return (
<div className="loading-display"> <div className="loading-display">
<div className="loading__menu"> <button className="loading__logout" onClick={logout} type="button">
<ContextMenu <Text variant="b3">Logout</Text>
placement="bottom" </button>
content={(
<>
<MenuItem onClick={() => initMatrix.clearCacheAndReload()}>
Clear cache & reload
</MenuItem>
<MenuItem onClick={() => initMatrix.logout()}>Logout</MenuItem>
</>
)}
render={(toggle) => <IconButton size="extra-small" onClick={toggle} src={VerticalMenuIC} />}
/>
</div>
<Spinner /> <Spinner />
<Text className="loading__message" variant="b2">{loadingMsg}</Text> <Text className="loading__message" variant="b2">{loadingMsg}</Text>

View File

@@ -45,12 +45,12 @@
position: absolute; position: absolute;
bottom: var(--sp-normal); bottom: var(--sp-normal);
} }
.loading__menu { .loading__logout {
position: absolute; position: absolute;
top: var(--sp-extra-tight); bottom: var(--sp-extra-tight);
right: var(--sp-extra-tight); right: var(--sp-extra-tight);
cursor: pointer; cursor: pointer;
.context-menu__item .text { .text {
margin: 0 !important; color: var(--tc-link);
} }
} }

View File

@@ -0,0 +1,16 @@
import initMatrix from '../initMatrix';
async function logout() {
const mx = initMatrix.matrixClient;
mx.stopClient();
try {
await mx.logout();
} catch {
// ignore if failed to logout
}
mx.clearStores();
window.localStorage.clear();
window.location.reload();
}
export default logout;

View File

@@ -139,13 +139,12 @@ export function openViewSource(event) {
}); });
} }
export function replyTo(userId, eventId, body, formattedBody) { export function replyTo(userId, eventId, body) {
appDispatcher.dispatch({ appDispatcher.dispatch({
type: cons.actions.navigation.CLICK_REPLY_TO, type: cons.actions.navigation.CLICK_REPLY_TO,
userId, userId,
eventId, eventId,
body, body,
formattedBody,
}); });
} }

View File

@@ -6,7 +6,7 @@ import { getIdServer } from '../../util/matrixUtil';
/** /**
* https://github.com/matrix-org/matrix-react-sdk/blob/1e6c6e9d800890c732d60429449bc280de01a647/src/Rooms.js#L73 * https://github.com/matrix-org/matrix-react-sdk/blob/1e6c6e9d800890c732d60429449bc280de01a647/src/Rooms.js#L73
* @param {string} roomId Id of room to add * @param {string} roomId Id of room to add
* @param {string} userId User id to which dm || undefined to remove * @param {string} userId User id to which dm
* @returns {Promise} A promise * @returns {Promise} A promise
*/ */
function addRoomToMDirect(roomId, userId) { function addRoomToMDirect(roomId, userId) {
@@ -79,23 +79,13 @@ function guessDMRoomTargetId(room, myUserId) {
return oldestMember.userId; return oldestMember.userId;
} }
function convertToDm(roomId) {
const mx = initMatrix.matrixClient;
const room = mx.getRoom(roomId);
return addRoomToMDirect(roomId, guessDMRoomTargetId(room, mx.getUserId()));
}
function convertToRoom(roomId) {
return addRoomToMDirect(roomId, undefined);
}
/** /**
* *
* @param {string} roomId * @param {string} roomId
* @param {boolean} isDM * @param {boolean} isDM
* @param {string[]} via * @param {string[]} via
*/ */
async function join(roomIdOrAlias, isDM = false, via = undefined) { async function join(roomIdOrAlias, isDM, via) {
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
const roomIdParts = roomIdOrAlias.split(':'); const roomIdParts = roomIdOrAlias.split(':');
const viaServers = via || [roomIdParts[1]]; const viaServers = via || [roomIdParts[1]];
@@ -160,10 +150,10 @@ async function create(options, isDM = false) {
} }
} }
async function createDM(userIdOrIds, isEncrypted = true) { async function createDM(userId, isEncrypted = true) {
const options = { const options = {
is_direct: true, is_direct: true,
invite: Array.isArray(userIdOrIds) ? userIdOrIds : [userIdOrIds], invite: [userId],
visibility: 'private', visibility: 'private',
preset: 'trusted_private_chat', preset: 'trusted_private_chat',
initial_state: [], initial_state: [],
@@ -236,12 +226,16 @@ async function createRoom(opts) {
}); });
} }
if (parentId && joinRule === 'restricted') { if (parentId && joinRule === 'restricted') {
const caps = await mx.getCapabilities(); try {
if (caps['m.room_versions'].available?.['9'] !== 'stable') { const caps = await mx.getCapabilities();
throw new Error("ERROR: The server doesn't support restricted rooms"); options.room_version = caps
} ?.['m.room_versions']
if (Number(caps['m.room_versions'].default) < 9) { ?.['org.matrix.msc3244.room_capabilities']
options.room_version = '9'; ?.restricted
?.preferred
|| undefined;
} catch {
console.error('Can\'t find room version for restricted.');
} }
options.initial_state.push({ options.initial_state.push({
type: 'm.room.join_rules', type: 'm.room.join_rules',
@@ -268,10 +262,10 @@ async function createRoom(opts) {
return result; return result;
} }
async function invite(roomId, userId, reason) { async function invite(roomId, userId) {
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
const result = await mx.invite(roomId, userId, undefined, reason); const result = await mx.invite(roomId, userId);
return result; return result;
} }
@@ -296,21 +290,6 @@ async function unban(roomId, userId) {
return result; return result;
} }
async function ignore(userIds) {
const mx = initMatrix.matrixClient;
let ignoredUsers = mx.getIgnoredUsers().concat(userIds);
ignoredUsers = [...new Set(ignoredUsers)];
await mx.setIgnoredUsers(ignoredUsers);
}
async function unignore(userIds) {
const mx = initMatrix.matrixClient;
const ignoredUsers = mx.getIgnoredUsers();
await mx.setIgnoredUsers(ignoredUsers.filter((id) => !userIds.includes(id)));
}
async function setPowerLevel(roomId, userId, powerLevel) { async function setPowerLevel(roomId, userId, powerLevel) {
const mx = initMatrix.matrixClient; const mx = initMatrix.matrixClient;
const room = mx.getRoom(roomId); const room = mx.getRoom(roomId);
@@ -321,37 +300,9 @@ async function setPowerLevel(roomId, userId, powerLevel) {
return result; return result;
} }
async function setMyRoomNick(roomId, nick) {
const mx = initMatrix.matrixClient;
const room = mx.getRoom(roomId);
const mEvent = room.currentState.getStateEvents('m.room.member', mx.getUserId());
const content = mEvent?.getContent();
if (!content) return;
await mx.sendStateEvent(roomId, 'm.room.member', {
...content,
displayname: nick,
}, mx.getUserId());
}
async function setMyRoomAvatar(roomId, mxc) {
const mx = initMatrix.matrixClient;
const room = mx.getRoom(roomId);
const mEvent = room.currentState.getStateEvents('m.room.member', mx.getUserId());
const content = mEvent?.getContent();
if (!content) return;
await mx.sendStateEvent(roomId, 'm.room.member', {
...content,
avatar_url: mxc,
}, mx.getUserId());
}
export { export {
convertToDm,
convertToRoom,
join, leave, join, leave,
createDM, createRoom, createDM, createRoom,
invite, kick, ban, unban, invite, kick, ban, unban,
ignore, unignore,
setPowerLevel, setPowerLevel,
setMyRoomNick, setMyRoomAvatar,
}; };

View File

@@ -4,17 +4,6 @@ import { selectTab, selectSpace, selectRoom } from '../action/navigation';
function initRoomListListener(roomList) { function initRoomListListener(roomList) {
const listenRoomLeave = (roomId) => { const listenRoomLeave = (roomId) => {
const parents = roomList.roomIdToParents.get(roomId);
if (parents) {
[...parents].forEach((pId) => {
const data = navigation.spaceToRoom.get(pId);
if (data?.roomId === roomId) {
navigation.spaceToRoom.delete(pId);
}
});
}
if (navigation.selectedRoomId === roomId) { if (navigation.selectedRoomId === roomId) {
selectRoom(null); selectRoom(null);
} }
@@ -24,8 +13,6 @@ function initRoomListListener(roomList) {
if (idIndex === 0) selectTab(cons.tabs.HOME); if (idIndex === 0) selectTab(cons.tabs.HOME);
else selectSpace(navigation.selectedSpacePath[idIndex - 1]); else selectSpace(navigation.selectedSpacePath[idIndex - 1]);
} }
navigation.removeRecentRoom(roomId);
}; };
roomList.on(cons.events.roomList.ROOM_LEAVED, listenRoomLeave); roomList.on(cons.events.roomList.ROOM_LEAVED, listenRoomLeave);

Some files were not shown because too many files have changed in this diff Show More