mirror of
https://github.com/calli-eve/eve-pi.git
synced 2026-02-11 18:28:49 +01:00
Compare commits
5 Commits
| Author | SHA1 | Date | |
|---|---|---|---|
|
|
6b47b34ddf | ||
|
|
e8f69b15a4 | ||
|
|
ebd39243b2 | ||
|
|
0ee129b3ca | ||
|
|
7a09503ffa |
@@ -12,6 +12,7 @@ import { EvePraisalResult } from "@/eve-praisal";
|
||||
import { STORAGE_IDS, PI_SCHEMATICS, PI_PRODUCT_VOLUMES, STORAGE_CAPACITIES } from "@/const";
|
||||
import { DateTime } from "luxon";
|
||||
import { PlanetCalculations, AlertState, StorageContent, StorageInfo } from "@/types/planet";
|
||||
import { getProgramOutputPrediction } from "../PlanetaryInteraction/ExtractionSimulation";
|
||||
|
||||
interface AccountTotals {
|
||||
monthlyEstimate: number;
|
||||
@@ -22,15 +23,17 @@ interface AccountTotals {
|
||||
totalExtractors: number;
|
||||
}
|
||||
|
||||
const calculateAlertState = (planetDetails: PlanetCalculations): AlertState => {
|
||||
const calculateAlertState = (planetDetails: PlanetCalculations, minExtractionRate: number): AlertState => {
|
||||
const hasLowStorage = planetDetails.storageInfo.some(storage => storage.fillRate > 60);
|
||||
const hasLowImports = planetDetails.importDepletionTimes.some(depletion => depletion.hoursUntilDepletion < 24);
|
||||
|
||||
const hasLowExtractionRate = planetDetails.extractorAverages.length > 0 && minExtractionRate > 0 && planetDetails.extractorAverages.some(avg => avg.averagePerHour < minExtractionRate);
|
||||
|
||||
return {
|
||||
expired: planetDetails.expired,
|
||||
hasLowStorage,
|
||||
hasLowImports,
|
||||
hasLargeExtractorDifference: planetDetails.hasLargeExtractorDifference
|
||||
hasLargeExtractorDifference: planetDetails.hasLargeExtractorDifference,
|
||||
hasLowExtractionRate
|
||||
};
|
||||
};
|
||||
|
||||
@@ -47,18 +50,27 @@ const calculatePlanetDetails = (planet: PlanetWithInfo, piPrices: EvePraisalResu
|
||||
]));
|
||||
|
||||
// Calculate extractor averages and check for large differences
|
||||
const CYCLE_TIME = 30 * 60; // 30 minutes in seconds
|
||||
const extractorAverages = extractors
|
||||
.filter(e => e.extractor_details?.product_type_id && e.extractor_details?.qty_per_cycle)
|
||||
.map(e => {
|
||||
const cycleTime = e.extractor_details?.cycle_time || 3600;
|
||||
const installDate = new Date(e.install_time ?? "");
|
||||
const expiryDate = new Date(e.expiry_time ?? "");
|
||||
const programDuration = (expiryDate.getTime() - installDate.getTime()) / 1000;
|
||||
const cycles = Math.floor(programDuration / CYCLE_TIME);
|
||||
|
||||
const qtyPerCycle = e.extractor_details?.qty_per_cycle || 0;
|
||||
const prediction = getProgramOutputPrediction(qtyPerCycle, CYCLE_TIME, cycles);
|
||||
const totalOutput = prediction.reduce((sum, val) => sum + val, 0);
|
||||
const averagePerHour = totalOutput / cycles * 2;
|
||||
|
||||
return {
|
||||
typeId: e.extractor_details!.product_type_id!,
|
||||
averagePerHour: (qtyPerCycle * 3600) / cycleTime
|
||||
averagePerHour
|
||||
};
|
||||
});
|
||||
|
||||
const hasLargeExtractorDifference = extractorAverages.length === 2 &&
|
||||
const hasLargeExtractorDifference = extractorAverages.length === 2 &&
|
||||
Math.abs(extractorAverages[0].averagePerHour - extractorAverages[1].averagePerHour) > balanceThreshold;
|
||||
|
||||
// Calculate storage info
|
||||
@@ -228,7 +240,7 @@ const calculateAccountTotals = (characters: AccessToken[], piPrices: EvePraisalR
|
||||
export const AccountCard = ({ characters, isCollapsed: propIsCollapsed }: { characters: AccessToken[], isCollapsed?: boolean }) => {
|
||||
const theme = useTheme();
|
||||
const [localIsCollapsed, setLocalIsCollapsed] = useState(false);
|
||||
const { planMode, piPrices, alertMode, balanceThreshold } = useContext(SessionContext);
|
||||
const { planMode, piPrices, alertMode, balanceThreshold, minExtractionRate } = useContext(SessionContext);
|
||||
const { monthlyEstimate, storageValue, planetCount, characterCount, runningExtractors, totalExtractors } = calculateAccountTotals(characters, piPrices);
|
||||
|
||||
// Calculate planet details and alert states for each planet
|
||||
@@ -237,7 +249,7 @@ export const AccountCard = ({ characters, isCollapsed: propIsCollapsed }: { char
|
||||
const details = calculatePlanetDetails(planet, piPrices, balanceThreshold);
|
||||
acc[`${character.character.characterId}-${planet.planet_id}`] = {
|
||||
...details,
|
||||
alertState: calculateAlertState(details)
|
||||
alertState: calculateAlertState(details, minExtractionRate)
|
||||
};
|
||||
});
|
||||
return acc;
|
||||
@@ -254,16 +266,18 @@ export const AccountCard = ({ characters, isCollapsed: propIsCollapsed }: { char
|
||||
if (alertState.hasLowStorage) return 'visible';
|
||||
if (alertState.hasLowImports) return 'visible';
|
||||
if (alertState.hasLargeExtractorDifference) return 'visible';
|
||||
if (alertState.hasLowExtractionRate) return 'visible';
|
||||
return 'hidden';
|
||||
};
|
||||
|
||||
// Check if any planet in the account has alerts
|
||||
const hasAnyAlerts = Object.values(planetDetails).some(details => {
|
||||
const alertState = calculateAlertState(details);
|
||||
return alertState.expired ||
|
||||
alertState.hasLowStorage ||
|
||||
alertState.hasLowImports ||
|
||||
alertState.hasLargeExtractorDifference;
|
||||
const alertState = calculateAlertState(details, minExtractionRate);
|
||||
return alertState.expired ||
|
||||
alertState.hasLowStorage ||
|
||||
alertState.hasLowImports ||
|
||||
alertState.hasLargeExtractorDifference ||
|
||||
alertState.hasLowExtractionRate;
|
||||
});
|
||||
|
||||
// If in alert mode and no alerts, hide the entire card
|
||||
|
||||
@@ -17,6 +17,7 @@ import { GitHubButton } from "../Github/GitHubButton";
|
||||
import { LoginButton } from "../Login/LoginButton";
|
||||
import { PartnerCodeButton } from "../PartnerCode/PartnerCodeButton";
|
||||
import { SettingsButton } from "../Settings/SettingsButtons";
|
||||
import { BuyMeCoffeeButton } from "../BuyMeCoffee/BuyMeCoffeeButton";
|
||||
import {
|
||||
Button,
|
||||
Dialog,
|
||||
@@ -132,6 +133,9 @@ function ResponsiveAppBar() {
|
||||
<MenuItem onClick={handleCloseNavMenu}>
|
||||
<PartnerCodeButton />
|
||||
</MenuItem>
|
||||
<MenuItem onClick={handleCloseNavMenu}>
|
||||
<BuyMeCoffeeButton />
|
||||
</MenuItem>
|
||||
</Menu>
|
||||
</Box>
|
||||
<PublicIcon sx={{ display: { xs: "flex", md: "none" }, mr: 1 }} />
|
||||
@@ -173,6 +177,7 @@ function ResponsiveAppBar() {
|
||||
</Button>
|
||||
<CCPButton />
|
||||
<PartnerCodeButton />
|
||||
<BuyMeCoffeeButton />
|
||||
</Box>
|
||||
</Toolbar>
|
||||
</Container>
|
||||
|
||||
17
src/app/components/BuyMeCoffee/BuyMeCoffeeButton.tsx
Normal file
17
src/app/components/BuyMeCoffee/BuyMeCoffeeButton.tsx
Normal file
@@ -0,0 +1,17 @@
|
||||
import { Box, Button, Tooltip } from "@mui/material";
|
||||
export const BuyMeCoffeeButton = () => {
|
||||
return (
|
||||
<Box>
|
||||
<Tooltip title="Support the development of this tool">
|
||||
<Button
|
||||
href="https://buymeacoffee.com/evepi"
|
||||
target="_blank"
|
||||
style={{ width: "100%" }}
|
||||
sx={{ color: "white", display: "block" }}
|
||||
>
|
||||
By me a beer
|
||||
</Button>
|
||||
</Tooltip>
|
||||
</Box>
|
||||
);
|
||||
};
|
||||
@@ -1,8 +1,9 @@
|
||||
import React from 'react';
|
||||
import React, { useContext } from 'react';
|
||||
import { Box, Paper, Typography, Stack } from '@mui/material';
|
||||
import { Line } from 'react-chartjs-2';
|
||||
import { getProgramOutputPrediction } from './ExtractionSimulation';
|
||||
import { PI_TYPES_MAP } from '@/const';
|
||||
import { SessionContext } from '@/app/context/Context';
|
||||
import {
|
||||
Chart as ChartJS,
|
||||
CategoryScale,
|
||||
@@ -41,6 +42,7 @@ interface ExtractionSimulationTooltipProps {
|
||||
export const ExtractionSimulationTooltip: React.FC<ExtractionSimulationTooltipProps> = ({
|
||||
extractors
|
||||
}) => {
|
||||
const { minExtractionRate } = useContext(SessionContext);
|
||||
const CYCLE_TIME = 30 * 60; // 30 minutes in seconds
|
||||
|
||||
// Calculate program duration and cycles for each extractor
|
||||
@@ -133,7 +135,7 @@ export const ExtractionSimulationTooltip: React.FC<ExtractionSimulationTooltipPr
|
||||
</Box>
|
||||
<Box sx={{ flex: 1, minWidth: 0 }}>
|
||||
<Stack spacing={1}>
|
||||
{extractorPrograms.map(({ typeId, cycleTime, cycles, installTime, expiryTime }, idx) => {
|
||||
{extractorPrograms.map(({ typeId, cycleTime, cycles, expiryTime }, idx) => {
|
||||
const prediction = getProgramOutputPrediction(
|
||||
extractors[idx].baseValue,
|
||||
CYCLE_TIME,
|
||||
@@ -159,8 +161,15 @@ export const ExtractionSimulationTooltip: React.FC<ExtractionSimulationTooltipPr
|
||||
<Typography variant="body2">
|
||||
• Average per Cycle: {(totalOutput / cycles).toFixed(1)} units
|
||||
</Typography>
|
||||
<Typography variant="body2">
|
||||
• Average per hour: {(totalOutput / cycles * 2).toFixed(1)} units
|
||||
<Typography
|
||||
variant="body2"
|
||||
color={
|
||||
minExtractionRate > 0 && (extractors[idx].baseValue * 3600) / extractors[idx].cycleTime < minExtractionRate
|
||||
? 'error'
|
||||
: 'inherit'
|
||||
}
|
||||
>
|
||||
• Average per hour: {(totalOutput / cycles * 2).toFixed(1)} units
|
||||
</Typography>
|
||||
<Typography variant="body2">
|
||||
• Expires in: <Countdown overtime={true} date={DateTime.fromISO(expiryTime).toMillis()} />
|
||||
@@ -176,17 +185,24 @@ export const ExtractionSimulationTooltip: React.FC<ExtractionSimulationTooltipPr
|
||||
</Typography>
|
||||
<Stack spacing={0.5}>
|
||||
{extractors.map((extractor, index) => {
|
||||
const averagePerHour = (extractor.baseValue * 3600) / extractor.cycleTime;
|
||||
const prediction = getProgramOutputPrediction(
|
||||
extractor.baseValue,
|
||||
CYCLE_TIME,
|
||||
extractorPrograms[index].cycles
|
||||
);
|
||||
const totalOutput = prediction.reduce((sum, val) => sum + val, 0);
|
||||
const cycles = extractorPrograms[index].cycles;
|
||||
const averagePerHour = totalOutput / cycles * 2;
|
||||
return (
|
||||
<Typography key={index} variant="body2">
|
||||
• {PI_TYPES_MAP[extractor.typeId]?.name}: {averagePerHour.toFixed(1)} u/h
|
||||
</Typography>
|
||||
);
|
||||
})}
|
||||
<Typography
|
||||
variant="body2"
|
||||
<Typography
|
||||
variant="body2"
|
||||
color="error"
|
||||
sx={{
|
||||
sx={{
|
||||
mt: 1,
|
||||
fontWeight: 'bold',
|
||||
borderTop: '1px solid',
|
||||
@@ -194,10 +210,27 @@ export const ExtractionSimulationTooltip: React.FC<ExtractionSimulationTooltipPr
|
||||
pt: 1
|
||||
}}
|
||||
>
|
||||
Difference: {Math.abs(
|
||||
(extractors[0].baseValue * 3600 / extractors[0].cycleTime) -
|
||||
(extractors[1].baseValue * 3600 / extractors[1].cycleTime)
|
||||
).toFixed(1)} u/h
|
||||
Difference: {(() => {
|
||||
const prediction0 = getProgramOutputPrediction(
|
||||
extractors[0].baseValue,
|
||||
CYCLE_TIME,
|
||||
extractorPrograms[0].cycles
|
||||
);
|
||||
const totalOutput0 = prediction0.reduce((sum, val) => sum + val, 0);
|
||||
const cycles0 = extractorPrograms[0].cycles;
|
||||
const avg0 = totalOutput0 / cycles0 * 2;
|
||||
|
||||
const prediction1 = getProgramOutputPrediction(
|
||||
extractors[1].baseValue,
|
||||
CYCLE_TIME,
|
||||
extractorPrograms[1].cycles
|
||||
);
|
||||
const totalOutput1 = prediction1.reduce((sum, val) => sum + val, 0);
|
||||
const cycles1 = extractorPrograms[1].cycles;
|
||||
const avg1 = totalOutput1 / cycles1 * 2;
|
||||
|
||||
return Math.abs(avg0 - avg1).toFixed(1);
|
||||
})()} u/h
|
||||
</Typography>
|
||||
</Stack>
|
||||
</Paper>
|
||||
|
||||
@@ -8,7 +8,7 @@ import { PlanetCalculations } from "@/types/planet";
|
||||
import React, { useContext } from "react";
|
||||
import { DateTime } from "luxon";
|
||||
import Countdown from "react-countdown";
|
||||
import { ColorContext } from "@/app/context/Context";
|
||||
import { ColorContext, SessionContext } from "@/app/context/Context";
|
||||
import { ExtractionSimulationTooltip } from "./ExtractionSimulationTooltip";
|
||||
import { timeColor } from "./alerts";
|
||||
|
||||
@@ -40,6 +40,7 @@ export const PlanetCard = ({
|
||||
}) => {
|
||||
const theme = useTheme();
|
||||
const { colors } = useContext(ColorContext);
|
||||
const { minExtractionRate } = useContext(SessionContext);
|
||||
|
||||
const extractorConfigs: ExtractorConfig[] = planetDetails.extractors
|
||||
.filter(e => e.extractor_details?.product_type_id && e.extractor_details?.qty_per_cycle)
|
||||
@@ -51,6 +52,8 @@ export const PlanetCard = ({
|
||||
expiryTime: e.expiry_time ?? ""
|
||||
}));
|
||||
|
||||
const hasLowExtractionRate = planetDetails.extractorAverages.length > 0 && minExtractionRate > 0 && planetDetails.extractorAverages.some(avg => avg.averagePerHour < minExtractionRate);
|
||||
|
||||
return (
|
||||
<Tooltip
|
||||
title={
|
||||
@@ -114,9 +117,30 @@ export const PlanetCard = ({
|
||||
/>
|
||||
)}
|
||||
<div style={{ position: "absolute", top: 5, left: 10 }}>
|
||||
<Typography fontSize={theme.custom.smallText}>
|
||||
<Typography
|
||||
fontSize={theme.custom.smallText}
|
||||
color={(planetDetails.hasLargeExtractorDifference || hasLowExtractionRate) ? 'error' : 'inherit'}
|
||||
>
|
||||
{planet.infoUniverse?.name}
|
||||
</Typography>
|
||||
{planetDetails.hasLargeExtractorDifference && (
|
||||
<Typography
|
||||
fontSize={theme.custom.smallText}
|
||||
color="error"
|
||||
sx={{ opacity: 0.7 }}
|
||||
>
|
||||
off-balance
|
||||
</Typography>
|
||||
)}
|
||||
{hasLowExtractionRate && (
|
||||
<Typography
|
||||
fontSize={theme.custom.smallText}
|
||||
color="error"
|
||||
sx={{ opacity: 0.7 }}
|
||||
>
|
||||
low-extraction
|
||||
</Typography>
|
||||
)}
|
||||
{planetDetails.extractors.map((e, idx) => {
|
||||
const average = planetDetails.extractorAverages[idx];
|
||||
return (
|
||||
|
||||
@@ -55,7 +55,7 @@ export const PlanetTableRow = ({
|
||||
planetDetails: PlanetCalculations;
|
||||
}) => {
|
||||
const theme = useTheme();
|
||||
const { showProductIcons, extractionTimeMode, alertMode } = useContext(SessionContext);
|
||||
const { showProductIcons, extractionTimeMode, alertMode, minExtractionRate } = useContext(SessionContext);
|
||||
const { colors } = useContext(ColorContext);
|
||||
|
||||
const [planetRenderOpen, setPlanetRenderOpen] = useState(false);
|
||||
@@ -103,11 +103,13 @@ export const PlanetTableRow = ({
|
||||
};
|
||||
|
||||
// Check if there are any alerts
|
||||
const hasLowExtractionRate = planetDetails.extractorAverages.length > 0 && minExtractionRate > 0 && planetDetails.extractorAverages.some(avg => avg.averagePerHour < minExtractionRate);
|
||||
const hasAlerts = alertMode && (
|
||||
planetDetails.expired ||
|
||||
planetDetails.storageInfo.some(storage => storage.fillRate > 60) ||
|
||||
planetDetails.importDepletionTimes.some(depletion => depletion.hoursUntilDepletion < 24) ||
|
||||
planetDetails.hasLargeExtractorDifference
|
||||
planetDetails.hasLargeExtractorDifference ||
|
||||
hasLowExtractionRate
|
||||
);
|
||||
|
||||
// If in alert mode and no alerts, hide the row
|
||||
@@ -225,14 +227,14 @@ export const PlanetTableRow = ({
|
||||
}}
|
||||
>
|
||||
<Stack spacing={0}>
|
||||
<Typography
|
||||
<Typography
|
||||
fontSize={theme.custom.smallText}
|
||||
color={planetDetails.hasLargeExtractorDifference ? 'error' : 'inherit'}
|
||||
color={(planetDetails.hasLargeExtractorDifference || hasLowExtractionRate) ? 'error' : 'inherit'}
|
||||
>
|
||||
{planetInfoUniverse?.name}
|
||||
</Typography>
|
||||
{planetDetails.hasLargeExtractorDifference && (
|
||||
<Typography
|
||||
<Typography
|
||||
fontSize={theme.custom.smallText}
|
||||
color="error"
|
||||
sx={{ opacity: 0.7 }}
|
||||
@@ -240,6 +242,15 @@ export const PlanetTableRow = ({
|
||||
off-balance
|
||||
</Typography>
|
||||
)}
|
||||
{hasLowExtractionRate && (
|
||||
<Typography
|
||||
fontSize={theme.custom.smallText}
|
||||
color="error"
|
||||
sx={{ opacity: 0.7 }}
|
||||
>
|
||||
low-extraction
|
||||
</Typography>
|
||||
)}
|
||||
</Stack>
|
||||
</Tooltip>
|
||||
</div>
|
||||
|
||||
@@ -21,7 +21,7 @@ import React, { useState, useContext } from "react";
|
||||
|
||||
export const SettingsButton = () => {
|
||||
const { colors, setColors } = useContext(ColorContext);
|
||||
const { balanceThreshold, setBalanceThreshold, showProductIcons, setShowProductIcons } = useContext(SessionContext);
|
||||
const { balanceThreshold, setBalanceThreshold, minExtractionRate, setMinExtractionRate, showProductIcons, setShowProductIcons } = useContext(SessionContext);
|
||||
const [open, setOpen] = useState(false);
|
||||
|
||||
const handleClickOpen = () => {
|
||||
@@ -51,6 +51,13 @@ export const SettingsButton = () => {
|
||||
setShowProductIcons(event.target.checked);
|
||||
};
|
||||
|
||||
const handleMinExtractionRateChange = (event: React.ChangeEvent<HTMLInputElement>) => {
|
||||
const value = parseInt(event.target.value);
|
||||
if (!isNaN(value) && value >= 0 && value <= 100000) {
|
||||
setMinExtractionRate(value);
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<Tooltip title="Toggle settings dialog">
|
||||
<>
|
||||
@@ -93,6 +100,19 @@ export const SettingsButton = () => {
|
||||
error={balanceThreshold < 0 || balanceThreshold > 100000}
|
||||
/>
|
||||
</Box>
|
||||
<Box sx={{ mt: 2 }}>
|
||||
<Typography variant="subtitle1">Minimum Extraction Rate</Typography>
|
||||
<TextField
|
||||
type="number"
|
||||
value={minExtractionRate}
|
||||
onChange={handleMinExtractionRateChange}
|
||||
fullWidth
|
||||
margin="normal"
|
||||
inputProps={{ min: 0, max: 100000 }}
|
||||
helperText="Alert if extraction per hour is below this value (0-100,000, 0 = disabled)"
|
||||
error={minExtractionRate < 0 || minExtractionRate > 100000}
|
||||
/>
|
||||
</Box>
|
||||
{Object.keys(colors).map((key) => {
|
||||
return (
|
||||
<div key={`color-row-${key}`}>
|
||||
|
||||
@@ -39,6 +39,8 @@ export const SessionContext = createContext<{
|
||||
}) => PlanetConfig;
|
||||
balanceThreshold: number;
|
||||
setBalanceThreshold: Dispatch<SetStateAction<number>>;
|
||||
minExtractionRate: number;
|
||||
setMinExtractionRate: Dispatch<SetStateAction<number>>;
|
||||
showProductIcons: boolean;
|
||||
setShowProductIcons: (show: boolean) => void;
|
||||
}>({
|
||||
@@ -68,6 +70,8 @@ export const SessionContext = createContext<{
|
||||
},
|
||||
balanceThreshold: 1000,
|
||||
setBalanceThreshold: () => {},
|
||||
minExtractionRate: 0,
|
||||
setMinExtractionRate: () => {},
|
||||
showProductIcons: false,
|
||||
setShowProductIcons: () => {},
|
||||
});
|
||||
|
||||
@@ -46,6 +46,7 @@ const Home = () => {
|
||||
undefined,
|
||||
);
|
||||
const [balanceThreshold, setBalanceThreshold] = useState(1000);
|
||||
const [minExtractionRate, setMinExtractionRate] = useState(0);
|
||||
const [showProductIcons, setShowProductIcons] = useState(false);
|
||||
const [extractionTimeMode, setExtractionTimeMode] = useState(false);
|
||||
|
||||
@@ -305,6 +306,8 @@ const Home = () => {
|
||||
readPlanetConfig,
|
||||
balanceThreshold,
|
||||
setBalanceThreshold,
|
||||
minExtractionRate,
|
||||
setMinExtractionRate,
|
||||
showProductIcons,
|
||||
setShowProductIcons,
|
||||
}}
|
||||
|
||||
@@ -62,11 +62,9 @@ export const getPlanet = async (
|
||||
const cached = planetCache.get(cacheKey);
|
||||
|
||||
if (cached && Date.now() - cached.timestamp < CACHE_DURATION_MS) {
|
||||
console.log(`[Cache HIT] Planet ${planet.planet_id} for character ${character.character.characterId}`);
|
||||
return cached.data;
|
||||
}
|
||||
|
||||
console.log(`[Cache MISS] Fetching planet ${planet.planet_id} for character ${character.character.characterId}`);
|
||||
const api = new Api();
|
||||
const planetInfo = (
|
||||
await api.v3.getCharactersCharacterIdPlanetsPlanetId(
|
||||
|
||||
@@ -32,6 +32,7 @@ export interface AlertState {
|
||||
hasLowStorage: boolean;
|
||||
hasLowImports: boolean;
|
||||
hasLargeExtractorDifference: boolean;
|
||||
hasLowExtractionRate: boolean;
|
||||
}
|
||||
|
||||
export interface ExtractorAverage {
|
||||
|
||||
Reference in New Issue
Block a user