mirror of
https://github.com/tloncorp/landscape.git
synced 2025-01-07 17:08:53 +03:00
avatar: proper aspect ratio
This commit is contained in:
parent
c1d1077abc
commit
f0031797a2
@ -2,21 +2,22 @@
|
|||||||
/* tslint:disable */
|
/* tslint:disable */
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* Mock Service Worker (0.47.4).
|
* Mock Service Worker (0.39.2).
|
||||||
* @see https://github.com/mswjs/msw
|
* @see https://github.com/mswjs/msw
|
||||||
* - Please do NOT modify this file.
|
* - Please do NOT modify this file.
|
||||||
* - Please do NOT serve this file on production.
|
* - Please do NOT serve this file on production.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
const INTEGRITY_CHECKSUM = 'b3066ef78c2f9090b4ce87e874965995'
|
const INTEGRITY_CHECKSUM = '02f4ad4a2797f85668baf196e553d929'
|
||||||
|
const bypassHeaderName = 'x-msw-bypass'
|
||||||
const activeClientIds = new Set()
|
const activeClientIds = new Set()
|
||||||
|
|
||||||
self.addEventListener('install', function () {
|
self.addEventListener('install', function () {
|
||||||
self.skipWaiting()
|
return self.skipWaiting()
|
||||||
})
|
})
|
||||||
|
|
||||||
self.addEventListener('activate', function (event) {
|
self.addEventListener('activate', async function (event) {
|
||||||
event.waitUntil(self.clients.claim())
|
return self.clients.claim()
|
||||||
})
|
})
|
||||||
|
|
||||||
self.addEventListener('message', async function (event) {
|
self.addEventListener('message', async function (event) {
|
||||||
@ -32,9 +33,7 @@ self.addEventListener('message', async function (event) {
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
const allClients = await self.clients.matchAll({
|
const allClients = await self.clients.matchAll()
|
||||||
type: 'window',
|
|
||||||
})
|
|
||||||
|
|
||||||
switch (event.data) {
|
switch (event.data) {
|
||||||
case 'KEEPALIVE_REQUEST': {
|
case 'KEEPALIVE_REQUEST': {
|
||||||
@ -84,6 +83,161 @@ self.addEventListener('message', async function (event) {
|
|||||||
}
|
}
|
||||||
})
|
})
|
||||||
|
|
||||||
|
// Resolve the "main" client for the given event.
|
||||||
|
// Client that issues a request doesn't necessarily equal the client
|
||||||
|
// that registered the worker. It's with the latter the worker should
|
||||||
|
// communicate with during the response resolving phase.
|
||||||
|
async function resolveMainClient(event) {
|
||||||
|
const client = await self.clients.get(event.clientId)
|
||||||
|
|
||||||
|
if (client.frameType === 'top-level') {
|
||||||
|
return client
|
||||||
|
}
|
||||||
|
|
||||||
|
const allClients = await self.clients.matchAll()
|
||||||
|
|
||||||
|
return allClients
|
||||||
|
.filter((client) => {
|
||||||
|
// Get only those clients that are currently visible.
|
||||||
|
return client.visibilityState === 'visible'
|
||||||
|
})
|
||||||
|
.find((client) => {
|
||||||
|
// Find the client ID that's recorded in the
|
||||||
|
// set of clients that have registered the worker.
|
||||||
|
return activeClientIds.has(client.id)
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
async function handleRequest(event, requestId) {
|
||||||
|
const client = await resolveMainClient(event)
|
||||||
|
const response = await getResponse(event, client, requestId)
|
||||||
|
|
||||||
|
// Send back the response clone for the "response:*" life-cycle events.
|
||||||
|
// Ensure MSW is active and ready to handle the message, otherwise
|
||||||
|
// this message will pend indefinitely.
|
||||||
|
if (client && activeClientIds.has(client.id)) {
|
||||||
|
;(async function () {
|
||||||
|
const clonedResponse = response.clone()
|
||||||
|
sendToClient(client, {
|
||||||
|
type: 'RESPONSE',
|
||||||
|
payload: {
|
||||||
|
requestId,
|
||||||
|
type: clonedResponse.type,
|
||||||
|
ok: clonedResponse.ok,
|
||||||
|
status: clonedResponse.status,
|
||||||
|
statusText: clonedResponse.statusText,
|
||||||
|
body:
|
||||||
|
clonedResponse.body === null ? null : await clonedResponse.text(),
|
||||||
|
headers: serializeHeaders(clonedResponse.headers),
|
||||||
|
redirected: clonedResponse.redirected,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
})()
|
||||||
|
}
|
||||||
|
|
||||||
|
return response
|
||||||
|
}
|
||||||
|
|
||||||
|
async function getResponse(event, client, requestId) {
|
||||||
|
const { request } = event
|
||||||
|
const requestClone = request.clone()
|
||||||
|
const getOriginalResponse = () => fetch(requestClone)
|
||||||
|
|
||||||
|
// Bypass mocking when the request client is not active.
|
||||||
|
if (!client) {
|
||||||
|
return getOriginalResponse()
|
||||||
|
}
|
||||||
|
|
||||||
|
// Bypass initial page load requests (i.e. static assets).
|
||||||
|
// The absence of the immediate/parent client in the map of the active clients
|
||||||
|
// means that MSW hasn't dispatched the "MOCK_ACTIVATE" event yet
|
||||||
|
// and is not ready to handle requests.
|
||||||
|
if (!activeClientIds.has(client.id)) {
|
||||||
|
return await getOriginalResponse()
|
||||||
|
}
|
||||||
|
|
||||||
|
// Bypass requests with the explicit bypass header
|
||||||
|
if (requestClone.headers.get(bypassHeaderName) === 'true') {
|
||||||
|
const cleanRequestHeaders = serializeHeaders(requestClone.headers)
|
||||||
|
|
||||||
|
// Remove the bypass header to comply with the CORS preflight check.
|
||||||
|
delete cleanRequestHeaders[bypassHeaderName]
|
||||||
|
|
||||||
|
const originalRequest = new Request(requestClone, {
|
||||||
|
headers: new Headers(cleanRequestHeaders),
|
||||||
|
})
|
||||||
|
|
||||||
|
return fetch(originalRequest)
|
||||||
|
}
|
||||||
|
|
||||||
|
// Send the request to the client-side MSW.
|
||||||
|
const reqHeaders = serializeHeaders(request.headers)
|
||||||
|
const body = await request.text()
|
||||||
|
|
||||||
|
const clientMessage = await sendToClient(client, {
|
||||||
|
type: 'REQUEST',
|
||||||
|
payload: {
|
||||||
|
id: requestId,
|
||||||
|
url: request.url,
|
||||||
|
method: request.method,
|
||||||
|
headers: reqHeaders,
|
||||||
|
cache: request.cache,
|
||||||
|
mode: request.mode,
|
||||||
|
credentials: request.credentials,
|
||||||
|
destination: request.destination,
|
||||||
|
integrity: request.integrity,
|
||||||
|
redirect: request.redirect,
|
||||||
|
referrer: request.referrer,
|
||||||
|
referrerPolicy: request.referrerPolicy,
|
||||||
|
body,
|
||||||
|
bodyUsed: request.bodyUsed,
|
||||||
|
keepalive: request.keepalive,
|
||||||
|
},
|
||||||
|
})
|
||||||
|
|
||||||
|
switch (clientMessage.type) {
|
||||||
|
case 'MOCK_SUCCESS': {
|
||||||
|
return delayPromise(
|
||||||
|
() => respondWithMock(clientMessage),
|
||||||
|
clientMessage.payload.delay,
|
||||||
|
)
|
||||||
|
}
|
||||||
|
|
||||||
|
case 'MOCK_NOT_FOUND': {
|
||||||
|
return getOriginalResponse()
|
||||||
|
}
|
||||||
|
|
||||||
|
case 'NETWORK_ERROR': {
|
||||||
|
const { name, message } = clientMessage.payload
|
||||||
|
const networkError = new Error(message)
|
||||||
|
networkError.name = name
|
||||||
|
|
||||||
|
// Rejecting a request Promise emulates a network error.
|
||||||
|
throw networkError
|
||||||
|
}
|
||||||
|
|
||||||
|
case 'INTERNAL_ERROR': {
|
||||||
|
const parsedBody = JSON.parse(clientMessage.payload.body)
|
||||||
|
|
||||||
|
console.error(
|
||||||
|
`\
|
||||||
|
[MSW] Uncaught exception in the request handler for "%s %s":
|
||||||
|
|
||||||
|
${parsedBody.location}
|
||||||
|
|
||||||
|
This exception has been gracefully handled as a 500 response, however, it's strongly recommended to resolve this error, as it indicates a mistake in your code. If you wish to mock an error response, please see this guide: https://mswjs.io/docs/recipes/mocking-error-responses\
|
||||||
|
`,
|
||||||
|
request.method,
|
||||||
|
request.url,
|
||||||
|
)
|
||||||
|
|
||||||
|
return respondWithMock(clientMessage)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return getOriginalResponse()
|
||||||
|
}
|
||||||
|
|
||||||
self.addEventListener('fetch', function (event) {
|
self.addEventListener('fetch', function (event) {
|
||||||
const { request } = event
|
const { request } = event
|
||||||
const accept = request.headers.get('accept') || ''
|
const accept = request.headers.get('accept') || ''
|
||||||
@ -111,10 +265,9 @@ self.addEventListener('fetch', function (event) {
|
|||||||
return
|
return
|
||||||
}
|
}
|
||||||
|
|
||||||
// Generate unique request ID.
|
const requestId = uuidv4()
|
||||||
const requestId = Math.random().toString(16).slice(2)
|
|
||||||
|
|
||||||
event.respondWith(
|
return event.respondWith(
|
||||||
handleRequest(event, requestId).catch((error) => {
|
handleRequest(event, requestId).catch((error) => {
|
||||||
if (error.name === 'NetworkError') {
|
if (error.name === 'NetworkError') {
|
||||||
console.warn(
|
console.warn(
|
||||||
@ -137,142 +290,14 @@ self.addEventListener('fetch', function (event) {
|
|||||||
)
|
)
|
||||||
})
|
})
|
||||||
|
|
||||||
async function handleRequest(event, requestId) {
|
function serializeHeaders(headers) {
|
||||||
const client = await resolveMainClient(event)
|
const reqHeaders = {}
|
||||||
const response = await getResponse(event, client, requestId)
|
headers.forEach((value, name) => {
|
||||||
|
reqHeaders[name] = reqHeaders[name]
|
||||||
// Send back the response clone for the "response:*" life-cycle events.
|
? [].concat(reqHeaders[name]).concat(value)
|
||||||
// Ensure MSW is active and ready to handle the message, otherwise
|
: value
|
||||||
// this message will pend indefinitely.
|
|
||||||
if (client && activeClientIds.has(client.id)) {
|
|
||||||
;(async function () {
|
|
||||||
const clonedResponse = response.clone()
|
|
||||||
sendToClient(client, {
|
|
||||||
type: 'RESPONSE',
|
|
||||||
payload: {
|
|
||||||
requestId,
|
|
||||||
type: clonedResponse.type,
|
|
||||||
ok: clonedResponse.ok,
|
|
||||||
status: clonedResponse.status,
|
|
||||||
statusText: clonedResponse.statusText,
|
|
||||||
body:
|
|
||||||
clonedResponse.body === null ? null : await clonedResponse.text(),
|
|
||||||
headers: Object.fromEntries(clonedResponse.headers.entries()),
|
|
||||||
redirected: clonedResponse.redirected,
|
|
||||||
},
|
|
||||||
})
|
|
||||||
})()
|
|
||||||
}
|
|
||||||
|
|
||||||
return response
|
|
||||||
}
|
|
||||||
|
|
||||||
// Resolve the main client for the given event.
|
|
||||||
// Client that issues a request doesn't necessarily equal the client
|
|
||||||
// that registered the worker. It's with the latter the worker should
|
|
||||||
// communicate with during the response resolving phase.
|
|
||||||
async function resolveMainClient(event) {
|
|
||||||
const client = await self.clients.get(event.clientId)
|
|
||||||
|
|
||||||
if (client.frameType === 'top-level') {
|
|
||||||
return client
|
|
||||||
}
|
|
||||||
|
|
||||||
const allClients = await self.clients.matchAll({
|
|
||||||
type: 'window',
|
|
||||||
})
|
})
|
||||||
|
return reqHeaders
|
||||||
return allClients
|
|
||||||
.filter((client) => {
|
|
||||||
// Get only those clients that are currently visible.
|
|
||||||
return client.visibilityState === 'visible'
|
|
||||||
})
|
|
||||||
.find((client) => {
|
|
||||||
// Find the client ID that's recorded in the
|
|
||||||
// set of clients that have registered the worker.
|
|
||||||
return activeClientIds.has(client.id)
|
|
||||||
})
|
|
||||||
}
|
|
||||||
|
|
||||||
async function getResponse(event, client, requestId) {
|
|
||||||
const { request } = event
|
|
||||||
const clonedRequest = request.clone()
|
|
||||||
|
|
||||||
function passthrough() {
|
|
||||||
// Clone the request because it might've been already used
|
|
||||||
// (i.e. its body has been read and sent to the client).
|
|
||||||
const headers = Object.fromEntries(clonedRequest.headers.entries())
|
|
||||||
|
|
||||||
// Remove MSW-specific request headers so the bypassed requests
|
|
||||||
// comply with the server's CORS preflight check.
|
|
||||||
// Operate with the headers as an object because request "Headers"
|
|
||||||
// are immutable.
|
|
||||||
delete headers['x-msw-bypass']
|
|
||||||
|
|
||||||
return fetch(clonedRequest, { headers })
|
|
||||||
}
|
|
||||||
|
|
||||||
// Bypass mocking when the client is not active.
|
|
||||||
if (!client) {
|
|
||||||
return passthrough()
|
|
||||||
}
|
|
||||||
|
|
||||||
// Bypass initial page load requests (i.e. static assets).
|
|
||||||
// The absence of the immediate/parent client in the map of the active clients
|
|
||||||
// means that MSW hasn't dispatched the "MOCK_ACTIVATE" event yet
|
|
||||||
// and is not ready to handle requests.
|
|
||||||
if (!activeClientIds.has(client.id)) {
|
|
||||||
return passthrough()
|
|
||||||
}
|
|
||||||
|
|
||||||
// Bypass requests with the explicit bypass header.
|
|
||||||
// Such requests can be issued by "ctx.fetch()".
|
|
||||||
if (request.headers.get('x-msw-bypass') === 'true') {
|
|
||||||
return passthrough()
|
|
||||||
}
|
|
||||||
|
|
||||||
// Notify the client that a request has been intercepted.
|
|
||||||
const clientMessage = await sendToClient(client, {
|
|
||||||
type: 'REQUEST',
|
|
||||||
payload: {
|
|
||||||
id: requestId,
|
|
||||||
url: request.url,
|
|
||||||
method: request.method,
|
|
||||||
headers: Object.fromEntries(request.headers.entries()),
|
|
||||||
cache: request.cache,
|
|
||||||
mode: request.mode,
|
|
||||||
credentials: request.credentials,
|
|
||||||
destination: request.destination,
|
|
||||||
integrity: request.integrity,
|
|
||||||
redirect: request.redirect,
|
|
||||||
referrer: request.referrer,
|
|
||||||
referrerPolicy: request.referrerPolicy,
|
|
||||||
body: await request.text(),
|
|
||||||
bodyUsed: request.bodyUsed,
|
|
||||||
keepalive: request.keepalive,
|
|
||||||
},
|
|
||||||
})
|
|
||||||
|
|
||||||
switch (clientMessage.type) {
|
|
||||||
case 'MOCK_RESPONSE': {
|
|
||||||
return respondWithMock(clientMessage.data)
|
|
||||||
}
|
|
||||||
|
|
||||||
case 'MOCK_NOT_FOUND': {
|
|
||||||
return passthrough()
|
|
||||||
}
|
|
||||||
|
|
||||||
case 'NETWORK_ERROR': {
|
|
||||||
const { name, message } = clientMessage.data
|
|
||||||
const networkError = new Error(message)
|
|
||||||
networkError.name = name
|
|
||||||
|
|
||||||
// Rejecting a "respondWith" promise emulates a network error.
|
|
||||||
throw networkError
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
return passthrough()
|
|
||||||
}
|
}
|
||||||
|
|
||||||
function sendToClient(client, message) {
|
function sendToClient(client, message) {
|
||||||
@ -287,17 +312,27 @@ function sendToClient(client, message) {
|
|||||||
resolve(event.data)
|
resolve(event.data)
|
||||||
}
|
}
|
||||||
|
|
||||||
client.postMessage(message, [channel.port2])
|
client.postMessage(JSON.stringify(message), [channel.port2])
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
function sleep(timeMs) {
|
function delayPromise(cb, duration) {
|
||||||
return new Promise((resolve) => {
|
return new Promise((resolve) => {
|
||||||
setTimeout(resolve, timeMs)
|
setTimeout(() => resolve(cb()), duration)
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
async function respondWithMock(response) {
|
function respondWithMock(clientMessage) {
|
||||||
await sleep(response.delay)
|
return new Response(clientMessage.payload.body, {
|
||||||
return new Response(response.body, response)
|
...clientMessage.payload,
|
||||||
|
headers: clientMessage.payload.headers,
|
||||||
|
})
|
||||||
|
}
|
||||||
|
|
||||||
|
function uuidv4() {
|
||||||
|
return 'xxxxxxxx-xxxx-4xxx-yxxx-xxxxxxxxxxxx'.replace(/[xy]/g, function (c) {
|
||||||
|
const r = (Math.random() * 16) | 0
|
||||||
|
const v = c == 'x' ? r : (r & 0x3) | 0x8
|
||||||
|
return v.toString(16)
|
||||||
|
})
|
||||||
}
|
}
|
||||||
|
@ -25,14 +25,14 @@ const sizeMap: Record<AvatarSizes, AvatarMeta> = {
|
|||||||
xs: { classes: 'w-6 h-6 rounded', size: 12 },
|
xs: { classes: 'w-6 h-6 rounded', size: 12 },
|
||||||
small: { classes: 'w-8 h-8 rounded-lg', size: 16 },
|
small: { classes: 'w-8 h-8 rounded-lg', size: 16 },
|
||||||
nav: { classes: 'w-9 h-9 rounded-lg', size: 18 },
|
nav: { classes: 'w-9 h-9 rounded-lg', size: 18 },
|
||||||
default: { classes: 'w-12 h-12 rounded-lg', size: 24 }
|
default: { classes: 'w-12 h-12 rounded-lg', size: 24 },
|
||||||
};
|
};
|
||||||
|
|
||||||
const foregroundFromBackground = (background: string): 'black' | 'white' => {
|
const foregroundFromBackground = (background: string): 'black' | 'white' => {
|
||||||
const rgb = {
|
const rgb = {
|
||||||
r: parseInt(background.slice(1, 3), 16),
|
r: parseInt(background.slice(1, 3), 16),
|
||||||
g: parseInt(background.slice(3, 5), 16),
|
g: parseInt(background.slice(3, 5), 16),
|
||||||
b: parseInt(background.slice(5, 7), 16)
|
b: parseInt(background.slice(5, 7), 16),
|
||||||
};
|
};
|
||||||
const brightness = (299 * rgb.r + 587 * rgb.g + 114 * rgb.b) / 1000;
|
const brightness = (299 * rgb.r + 587 * rgb.g + 114 * rgb.b) / 1000;
|
||||||
const whiteBrightness = 255;
|
const whiteBrightness = 255;
|
||||||
@ -48,7 +48,7 @@ const emptyContact: Contact = {
|
|||||||
avatar: null,
|
avatar: null,
|
||||||
cover: null,
|
cover: null,
|
||||||
groups: [],
|
groups: [],
|
||||||
'last-updated': 0
|
'last-updated': 0,
|
||||||
};
|
};
|
||||||
|
|
||||||
function themeAdjustColor(color: string, theme: 'light' | 'dark'): string {
|
function themeAdjustColor(color: string, theme: 'light' | 'dark'): string {
|
||||||
@ -66,7 +66,12 @@ function themeAdjustColor(color: string, theme: 'light' | 'dark'): string {
|
|||||||
return color;
|
return color;
|
||||||
}
|
}
|
||||||
|
|
||||||
export const Avatar = ({ shipName, size, className, adjustBG = true }: AvatarProps) => {
|
export const Avatar = ({
|
||||||
|
shipName,
|
||||||
|
size,
|
||||||
|
className,
|
||||||
|
adjustBG = true,
|
||||||
|
}: AvatarProps) => {
|
||||||
const currentTheme = useCurrentTheme();
|
const currentTheme = useCurrentTheme();
|
||||||
const contact = useContact(shipName);
|
const contact = useContact(shipName);
|
||||||
const { color, avatar } = { ...emptyContact, ...contact };
|
const { color, avatar } = { ...emptyContact, ...contact };
|
||||||
@ -85,18 +90,24 @@ export const Avatar = ({ shipName, size, className, adjustBG = true }: AvatarPro
|
|||||||
renderer: reactRenderer,
|
renderer: reactRenderer,
|
||||||
size: sigilSize,
|
size: sigilSize,
|
||||||
icon: true,
|
icon: true,
|
||||||
colors: [adjustedColor, foregroundColor]
|
colors: [adjustedColor, foregroundColor],
|
||||||
});
|
});
|
||||||
}, [shipName, adjustedColor, foregroundColor]);
|
}, [shipName, adjustedColor, foregroundColor]);
|
||||||
|
|
||||||
if (avatar) {
|
if (avatar) {
|
||||||
return <img className={classNames('', classes)} src={avatar} alt="" />;
|
return (
|
||||||
|
<img
|
||||||
|
className={classNames('object-cover', classes)}
|
||||||
|
src={avatar}
|
||||||
|
alt=""
|
||||||
|
/>
|
||||||
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
return (
|
return (
|
||||||
<div
|
<div
|
||||||
className={classNames(
|
className={classNames(
|
||||||
'flex-none relative bg-black rounded-lg',
|
'relative flex-none rounded-lg bg-black',
|
||||||
classes,
|
classes,
|
||||||
size === 'xs' && 'p-1.5',
|
size === 'xs' && 'p-1.5',
|
||||||
size === 'small' && 'p-2',
|
size === 'small' && 'p-2',
|
||||||
|
Loading…
Reference in New Issue
Block a user