react-icons/fa#FaRegCheckCircle TypeScript Examples
The following examples show how to use
react-icons/fa#FaRegCheckCircle.
You can vote up the ones you like or vote down the ones you don't like,
and go to the original project or source file by following the links above each example. You may check out the related API usage on the sidebar.
Example #1
Source File: index.tsx From interbtc-ui with Apache License 2.0 | 5 votes |
StatusCell = ({ status }: Props): JSX.Element => {
const { t } = useTranslation();
// TODO: should double-check with the designer
let icon;
let notice;
let colorClassName;
switch (true) {
case status.completed:
icon = <FaRegCheckCircle />;
notice = t('completed');
colorClassName = 'text-interlayConifer';
break;
case status.cancelled:
icon = <FaRegTimesCircle />;
notice = t('cancelled');
colorClassName = 'text-interlayCinnabar';
break;
case status.isExpired:
icon = <FaUserClock />;
notice = t('expired');
colorClassName = 'text-interlayCinnabar';
break;
case status.reimbursed:
icon = <FaClipboardCheck />;
notice = t('reimbursed');
colorClassName = 'text-interlayConifer';
break;
default:
icon = <FaRegClock />;
notice = t('pending');
colorClassName = 'text-interlayCalifornia';
break;
}
return (
<div className={clsx('inline-flex', 'items-center', 'space-x-1.5', colorClassName)}>
{icon}
<span>{notice}</span>
</div>
);
}
Example #2
Source File: index.tsx From polkabtc-ui with Apache License 2.0 | 5 votes |
StatusCell = ({
status
}: Props): JSX.Element => {
const { t } = useTranslation();
// TODO: should double-check with the designer
let icon;
let notice;
let colorClassName;
switch (true) {
case status.completed:
icon = <FaRegCheckCircle />;
notice = t('completed');
colorClassName = 'text-interlayMalachite';
break;
case status.cancelled:
icon = <FaRegTimesCircle />;
notice = t('cancelled');
colorClassName = 'text-interlayScarlet';
break;
case status.isExpired:
icon = <FaUserClock />;
notice = t('expired');
colorClassName = 'text-interlayScarlet';
break;
case status.reimbursed:
icon = <FaClipboardCheck />;
notice = t('reimbursed');
colorClassName = 'text-interlayMalachite';
break;
default:
icon = <FaRegClock />;
notice = t('pending');
colorClassName = 'text-interlayTreePoppy';
break;
}
return (
<div
className={clsx(
'flex',
'items-center',
'space-x-1.5',
colorClassName
)}>
{icon}
<span>
{notice}
</span>
</div>
);
}
Example #3
Source File: InProductionButton.tsx From hub with Apache License 2.0 | 4 votes |
InProductionButton = (props: Props) => {
const { ctx, dispatch } = useContext(AppCtx);
const history = useHistory();
const [openStatus, setOpenStatus] = useState(false);
const [organizations, setOrganizations] = useState<Organization[] | undefined | null>(undefined);
const [isLoading, setIsLoading] = useState<boolean>(false);
const [updatingStatus, setUpdatingStatus] = useState<string | null>(null);
const ref = useRef(null);
useOutsideClick([ref], openStatus, () => setOpenStatus(false));
async function fetchOrganizations(visibleLoading: boolean = false) {
if (isNull(ctx.user)) {
setOrganizations(undefined);
} else {
try {
if (visibleLoading) {
setIsLoading(true);
}
setOrganizations(
await API.getProductionUsage({
packageName: props.normalizedName,
repositoryKind: getRepoKindName(props.repository.kind)!,
repositoryName: props.repository.name,
})
);
setOpenStatus(true);
if (visibleLoading) {
setIsLoading(false);
}
} catch (err: any) {
setOrganizations(null);
setOpenStatus(true);
if (visibleLoading) {
setIsLoading(false);
}
if (err.kind !== ErrorKind.Unauthorized) {
alertDispatcher.postAlert({
type: 'danger',
message:
'Something went wrong checking if your organizations use this package in production, please try again later.',
});
} else {
dispatch(signOut());
history.push(`${window.location.pathname}?modal=login&redirect=${window.location.pathname}`);
}
}
}
}
async function changeUsage(name: string, isActive: boolean) {
try {
setUpdatingStatus(name);
if (isActive) {
await API.deleteProductionUsage(
{
packageName: props.normalizedName,
repositoryKind: getRepoKindName(props.repository.kind)!,
repositoryName: props.repository.name,
},
name
);
} else {
await API.addProductionUsage(
{
packageName: props.normalizedName,
repositoryKind: getRepoKindName(props.repository.kind)!,
repositoryName: props.repository.name,
},
name
);
}
alertDispatcher.postAlert({
type: 'info',
message: "Your change was applied successfully. It'll be visible across the site in a few minutes",
});
setUpdatingStatus(null);
// We don't need to get orgs after changing it due to we are closing the dropdown
// and we get them again every time we open the dropdown
setOpenStatus(false);
} catch (err: any) {
setUpdatingStatus(null);
setOpenStatus(false);
if (err.kind !== ErrorKind.Unauthorized) {
alertDispatcher.postAlert({
type: 'danger',
message: `${
isActive
? 'Something went wrong deleting the selected organization from the list of production users of this package'
: 'Something went wrong adding the selected organization to the list of production users of this package'
}, please try again later.`,
});
} else {
dispatch(signOut());
history.push(`${window.location.pathname}?modal=login&redirect=${window.location.pathname}`);
}
}
}
const isDisabled = isNull(ctx.user) || isUndefined(ctx.user);
return (
<div className="d-none d-md-block position-relative ms-2">
<ElementWithTooltip
active
tooltipClassName={styles.tooltip}
element={
<button
className={classnames(
'btn btn-outline-primary rounded-circle p-0 position-relative lh-1 fs-5',
styles.iconWrapper,
{
[`disabled ${styles.isDisabled}`]: isDisabled,
}
)}
type="button"
onClick={() => {
if (!isLoading || isDisabled) {
fetchOrganizations(true);
}
}}
aria-label="Open organizations menu"
aria-expanded={openStatus}
>
<div className="d-flex align-items-center justify-content-center">
{isLoading && (
<div className={styles.loading}>
<div className={`spinner-border text-primary ${styles.spinner}`} role="status">
<span className="visually-hidden">Loading...</span>
</div>
</div>
)}
<RiMedalLine className={classnames('rounded-circle', { 'text-muted': isDisabled })} />
</div>
</button>
}
tooltipMessage="You must be signed in to specify which of your organizations are using this package in production"
visibleTooltip={isDisabled}
/>
<div
ref={ref}
role="menu"
className={classnames('dropdown-menu dropdown-menu-end p-0', styles.dropdown, {
show: openStatus,
})}
>
<div
className={classnames('dropdown-arrow', styles.arrow, {
[styles.darkArrow]: organizations && organizations.length > 0,
})}
/>
{isNull(organizations) || isUndefined(organizations) || organizations.length === 0 ? (
<div className={`p-4 text-center ${styles.emptyListMsg}`}>
Here you'll be able to specify which of the organizations you belong to are using this package in
production.
</div>
) : (
<div>
<div className={`p-3 border-bottom ${styles.title}`}>
Select which of your organizations are using this package in production
</div>
<div className={`overflow-auto ${styles.buttonsWrapper}`}>
{organizations!.map((org: Organization) => {
const isActive = org.usedInProduction || false;
const isUpdating = !isNull(updatingStatus) && updatingStatus === org.name;
return (
<button
className={`${styles.dropdownItem} dropdownItem btn p-3 rounded-0 w-100`}
onClick={() => changeUsage(org.name, isActive)}
key={`subs_${org.name}`}
aria-label={
isActive
? `Delete ${org.displayName || org.name} organization from package's production users list`
: `Add ${org.displayName || org.name} organization to package's production users list`
}
>
<div className="d-flex flex-row align-items-start w-100 justify-content-between">
<div className="me-3 position-relative">
<span className={classnames({ 'd-none': isUpdating })}>
{isActive ? <FaRegCheckCircle className="text-success" /> : <FaRegCircle />}
</span>
{isUpdating && (
<div className="text-secondary top-0">
<span className="spinner-border spinner-border-sm" />
</div>
)}
</div>
<div className={`d-flex flex-column flex-grow-1 ${styles.growWidth}`}>
<div className="d-flex flex-row align-items-center">
<div className="me-2">
<div
className={`d-flex align-items-center justify-content-center overflow-hidden rounded-circle border bg-white ${styles.imageWrapper} imageWrapper`}
>
<Image
alt={org.displayName || org.name}
imageId={org.logoImageId}
className={`m-auto ${styles.image}`}
placeholderIcon={<MdBusiness className={styles.orgIcon} />}
/>
</div>
</div>
<div className="h6 mb-0 mw-100 text-truncate">{org.displayName || org.name}</div>
</div>
</div>
</div>
</button>
);
})}
</div>
</div>
)}
</div>
</div>
);
}
Example #4
Source File: SubscriptionsButton.tsx From hub with Apache License 2.0 | 4 votes |
SubscriptionsButton = (props: Props) => {
const { ctx, dispatch } = useContext(AppCtx);
const history = useHistory();
const [openStatus, setOpenStatus] = useState(false);
const [activeSubscriptions, setActiveSubscriptions] = useState<Subscription[] | undefined | null>(undefined);
const [isLoading, setIsLoading] = useState<boolean | null>(null);
const [activePkgId, setActivePkgId] = useState(props.packageId);
const ref = useRef(null);
useOutsideClick([ref], openStatus, () => setOpenStatus(false));
const getNotification = (kind: EventKind): SubscriptionItem | undefined => {
const notif = PACKAGE_SUBSCRIPTIONS_LIST.find((subs: SubscriptionItem) => subs.kind === kind);
return notif;
};
const updateOptimisticallyActiveSubscriptions = (kind: EventKind, isActive: boolean) => {
if (isActive) {
setActiveSubscriptions(activeSubscriptions!.filter((subs) => subs.eventKind !== kind));
} else {
const newSubs = activeSubscriptions ? [...activeSubscriptions] : [];
newSubs.push({ eventKind: kind });
setActiveSubscriptions(newSubs);
}
};
const isActiveNotification = (kind: EventKind): boolean => {
let isActive = false;
if (activeSubscriptions) {
for (const activeSubs of activeSubscriptions) {
if (activeSubs.eventKind === kind) {
isActive = true;
break;
}
}
}
return isActive;
};
async function getSubscriptions(visibleLoading: boolean = false) {
if (isNull(ctx.user)) {
setActiveSubscriptions(undefined);
} else {
try {
if (visibleLoading) {
setIsLoading(true);
}
setActivePkgId(props.packageId);
setActiveSubscriptions(await API.getPackageSubscriptions(props.packageId));
if (visibleLoading) {
setIsLoading(false);
}
} catch (err: any) {
setActiveSubscriptions(null);
if (visibleLoading) {
setIsLoading(false);
if (err.kind !== ErrorKind.Unauthorized) {
alertDispatcher.postAlert({
type: 'danger',
message: 'An error occurred getting your subscriptions, please try again later.',
});
}
} else {
dispatch(signOut());
history.push(`${window.location.pathname}?modal=login&redirect=${window.location.pathname}`);
}
}
}
}
useEffect(() => {
if (
(!isUndefined(ctx.user) &&
((!isNull(ctx.user) && isUndefined(activeSubscriptions)) ||
(isNull(ctx.user) && !isUndefined(activeSubscriptions)))) ||
props.packageId !== activePkgId
) {
getSubscriptions();
}
}, [ctx.user, props.packageId]); /* eslint-disable-line react-hooks/exhaustive-deps */
async function changeSubscription(kind: EventKind, isActive: boolean) {
updateOptimisticallyActiveSubscriptions(kind, isActive);
try {
if (isActive) {
await API.deleteSubscription(props.packageId, kind);
} else {
await API.addSubscription(props.packageId, kind);
}
// We don't need to get subscriptions after changing it due to we are closing the dropdown
// and we get them again every time we open the dropdown
setOpenStatus(false);
} catch (err: any) {
if (err.kind !== ErrorKind.Unauthorized) {
const notif = getNotification(kind);
const title = !isUndefined(notif) ? notif.title : '';
alertDispatcher.postAlert({
type: 'danger',
message: `An error occurred ${
isActive ? 'unsubscribing from' : 'subscribing to'
} ${title} notification, please try again later.`,
});
getSubscriptions(true); // Get subscriptions if changeSubscription fails
}
}
}
if (isUndefined(ctx.user)) {
return null;
}
const isDisabled = isNull(ctx.user) || isNull(activeSubscriptions) || isUndefined(activeSubscriptions);
return (
<div className="d-none d-md-block position-relative ms-2">
<ElementWithTooltip
active
tooltipClassName={styles.tooltip}
element={
<button
className={classnames(
'btn btn-outline-primary p-0 position-relative rounded-circle lh-1 fs-5',
styles.subsBtn,
styles.iconWrapper,
{
disabled: isDisabled,
}
)}
type="button"
onClick={() => {
if (!isDisabled) {
getSubscriptions();
setOpenStatus(true);
}
}}
aria-label="Open subscriptions menu"
aria-expanded={openStatus}
>
<div className="d-flex align-items-center justify-content-center">
{isLoading && (
<div className={styles.loading}>
<div className={`spinner-border text-primary ${styles.spinner}`} role="status">
<span className="visually-hidden">Loading...</span>
</div>
</div>
)}
{activeSubscriptions && activeSubscriptions.length > 0 ? (
<MdNotificationsActive />
) : (
<MdNotificationsOff className={`offNotifications ${styles.offNotifications}`} />
)}
</div>
</button>
}
tooltipMessage="You must be signed in to subscribe to this package"
visibleTooltip={isNull(ctx.user)}
/>
<div
ref={ref}
role="menu"
className={classnames('dropdown-menu dropdown-menu-end p-0', styles.dropdown, { show: openStatus })}
>
<div className={`dropdown-arrow ${styles.arrow}`} />
{PACKAGE_SUBSCRIPTIONS_LIST.map((subs: SubscriptionItem) => {
const isActive = isActiveNotification(subs.kind);
return (
<button
className={classnames(styles.dropdownItem, 'dropdownItem btn p-3 rounded-0 w-100', {
[`disabled ${styles.isDisabled}`]: !subs.enabled,
})}
onClick={() => changeSubscription(subs.kind, isActive)}
key={`subs_${subs.kind}`}
aria-label={`Change ${subs.title} subscription`}
>
<div className="d-flex flex-row align-items-center w-100 justify-content-between">
<div className="me-3">
{isActive ? (
<FaRegCheckCircle className="text-success" data-testid="checkedSubsBtn" />
) : (
<FaRegCircle data-testid="uncheckedSubsBtn" />
)}
</div>
<div className="d-flex flex-column flex-grow-1">
<div className="h6 mb-2 d-flex flex-row align-items-center">
{subs.icon}
<span className="ms-2">{subs.title}</span>
</div>
<small className="text-muted text-start">
{subs.description}
{!subs.enabled && (
<i>
<br />
(Coming soon)
</i>
)}
</small>
</div>
</div>
</button>
);
})}
</div>
</div>
);
}
Example #5
Source File: Builder.tsx From crosshare with GNU Affero General Public License v3.0 | 4 votes |
GridMode = ({
getMostConstrainedEntry,
reRunAutofill,
state,
dispatch,
setClueMode,
...props
}: GridModeProps) => {
const [muted, setMuted] = usePersistedBoolean('muted', false);
const [toggleKeyboard, setToggleKeyboard] = usePersistedBoolean(
'keyboard',
false
);
const { showSnackbar } = useSnackbar();
const gridRef = useRef<HTMLDivElement | null>(null);
const focusGrid = useCallback(() => {
if (gridRef.current) {
gridRef.current.focus();
}
}, []);
const physicalKeyboardHandler = useCallback(
(e: KeyboardEvent) => {
const mkey = fromKeyboardEvent(e);
if (isSome(mkey)) {
e.preventDefault();
if (mkey.value.k === KeyK.Enter && !state.isEnteringRebus) {
reRunAutofill();
return;
}
if (mkey.value.k === KeyK.Exclamation) {
const entry = getMostConstrainedEntry();
if (entry !== null) {
const ca: ClickedEntryAction = {
type: 'CLICKEDENTRY',
entryIndex: entry,
};
dispatch(ca);
}
return;
}
if (mkey.value.k === KeyK.Octothorp) {
const a: ToggleHiddenAction = { type: 'TOGGLEHIDDEN' };
dispatch(a);
}
const kpa: KeypressAction = { type: 'KEYPRESS', key: mkey.value };
dispatch(kpa);
}
},
[dispatch, reRunAutofill, state.isEnteringRebus, getMostConstrainedEntry]
);
useEventListener(
'keydown',
physicalKeyboardHandler,
gridRef.current || undefined
);
const pasteHandler = useCallback(
(e: ClipboardEvent) => {
const tagName = (e.target as HTMLElement)?.tagName?.toLowerCase();
if (tagName === 'textarea' || tagName === 'input') {
return;
}
const pa: PasteAction = {
type: 'PASTE',
content: e.clipboardData?.getData('Text') || '',
};
dispatch(pa);
e.preventDefault();
},
[dispatch]
);
useEventListener('paste', pasteHandler);
const fillLists = useMemo(() => {
let left = <></>;
let right = <></>;
const [entry, cross] = entryAndCrossAtPosition(state.grid, state.active);
let crossMatches = cross && potentialFill(cross, state.grid);
let entryMatches = entry && potentialFill(entry, state.grid);
if (
crossMatches !== null &&
entryMatches !== null &&
entry !== null &&
cross !== null
) {
/* If we have both entry + cross we now filter for only matches that'd work for both. */
const entryActiveIndex = activeIndex(state.grid, state.active, entry);
const crossActiveIndex = activeIndex(state.grid, state.active, cross);
const entryValidLetters = lettersAtIndex(entryMatches, entryActiveIndex);
const crossValidLetters = lettersAtIndex(crossMatches, crossActiveIndex);
const validLetters = (
entryValidLetters.match(
new RegExp('[' + crossValidLetters + ']', 'g')
) || []
).join('');
entryMatches = entryMatches.filter(([word]) => {
const l = word[entryActiveIndex];
return l && validLetters.indexOf(l) !== -1;
});
crossMatches = crossMatches.filter(([word]) => {
const l = word[crossActiveIndex];
return l && validLetters.indexOf(l) !== -1;
});
}
if (cross && crossMatches !== null) {
if (cross.direction === Direction.Across) {
left = (
<PotentialFillList
selected={false}
gridRef={gridRef}
header="Across"
values={crossMatches}
entryIndex={cross.index}
dispatch={dispatch}
/>
);
} else {
right = (
<PotentialFillList
selected={false}
gridRef={gridRef}
header="Down"
values={crossMatches}
entryIndex={cross.index}
dispatch={dispatch}
/>
);
}
}
if (entry && entryMatches !== null) {
if (entry.direction === Direction.Across) {
left = (
<PotentialFillList
selected={true}
gridRef={gridRef}
header="Across"
values={entryMatches}
entryIndex={entry.index}
dispatch={dispatch}
/>
);
} else {
right = (
<PotentialFillList
selected={true}
gridRef={gridRef}
header="Down"
values={entryMatches}
entryIndex={entry.index}
dispatch={dispatch}
/>
);
}
}
return { left, right };
}, [state.grid, state.active, dispatch]);
const { autofillEnabled, setAutofillEnabled } = props;
const toggleAutofillEnabled = useCallback(() => {
if (autofillEnabled) {
showSnackbar('Autofill Disabled');
}
setAutofillEnabled(!autofillEnabled);
}, [autofillEnabled, setAutofillEnabled, showSnackbar]);
const stats = useMemo(() => {
let totalLength = 0;
const lengthHistogram: Array<number> = new Array(
Math.max(state.grid.width, state.grid.height) - 1
).fill(0);
const lengthHistogramNames = lengthHistogram.map((_, i) =>
(i + 2).toString()
);
state.grid.entries.forEach((e) => {
totalLength += e.cells.length;
lengthHistogram[e.cells.length - 2] += 1;
});
const numEntries = state.grid.entries.length;
const averageLength = totalLength / numEntries;
const lettersHistogram: Array<number> = new Array(26).fill(0);
const lettersHistogramNames = lettersHistogram.map((_, i) =>
String.fromCharCode(i + 65)
);
let numBlocks = 0;
const numTotal = state.grid.width * state.grid.height;
state.grid.cells.forEach((s) => {
if (s === '.') {
numBlocks += 1;
} else {
const index = lettersHistogramNames.indexOf(s);
if (index !== -1) {
lettersHistogram[index] += 1;
}
}
});
return {
numBlocks,
numTotal,
lengthHistogram,
lengthHistogramNames,
numEntries,
averageLength,
lettersHistogram,
lettersHistogramNames,
};
}, [
state.grid.entries,
state.grid.height,
state.grid.width,
state.grid.cells,
]);
const keyboardHandler = useCallback(
(key: string) => {
const mkey = fromKeyString(key);
if (isSome(mkey)) {
const kpa: KeypressAction = { type: 'KEYPRESS', key: mkey.value };
dispatch(kpa);
}
},
[dispatch]
);
const topBarChildren = useMemo(() => {
let autofillIcon = <SpinnerDisabled />;
let autofillReverseIcon = <SpinnerWorking />;
let autofillReverseText = 'Enable Autofill';
let autofillText = 'Autofill disabled';
if (props.autofillEnabled) {
autofillReverseIcon = <SpinnerDisabled />;
autofillReverseText = 'Disable Autofill';
if (props.autofillInProgress) {
autofillIcon = <SpinnerWorking />;
autofillText = 'Autofill in progress';
} else if (props.autofilledGrid.length) {
autofillIcon = <SpinnerFinished />;
autofillText = 'Autofill complete';
} else {
autofillIcon = <SpinnerFailed />;
autofillText = "Couldn't autofill this grid";
}
}
return (
<>
<TopBarDropDown
onClose={focusGrid}
icon={autofillIcon}
text="Autofill"
hoverText={autofillText}
>
{() => (
<>
<TopBarDropDownLink
icon={autofillReverseIcon}
text={autofillReverseText}
onClick={toggleAutofillEnabled}
/>
<TopBarDropDownLink
icon={<FaSignInAlt />}
text="Jump to Most Constrained"
shortcutHint={<ExclamationKey />}
onClick={() => {
const entry = getMostConstrainedEntry();
if (entry !== null) {
const ca: ClickedEntryAction = {
type: 'CLICKEDENTRY',
entryIndex: entry,
};
dispatch(ca);
}
}}
/>
<TopBarDropDownLink
icon={<MdRefresh />}
text="Rerun Autofiller"
shortcutHint={<EnterKey />}
onClick={() => {
reRunAutofill();
}}
/>
</>
)}
</TopBarDropDown>
<TopBarLink
icon={<FaListOl />}
text="Clues"
onClick={() => setClueMode(true)}
/>
<TopBarLink
icon={<FaRegNewspaper />}
text="Publish"
onClick={() => {
const a: PublishAction = {
type: 'PUBLISH',
publishTimestamp: TimestampClass.now(),
};
dispatch(a);
}}
/>
<TopBarDropDown onClose={focusGrid} icon={<FaEllipsisH />} text="More">
{(closeDropdown) => (
<>
<NestedDropDown
onClose={focusGrid}
closeParent={closeDropdown}
icon={<FaRegPlusSquare />}
text="New Puzzle"
>
{() => <NewPuzzleForm dispatch={dispatch} />}
</NestedDropDown>
<NestedDropDown
onClose={focusGrid}
closeParent={closeDropdown}
icon={<FaFileImport />}
text="Import .puz File"
>
{() => <ImportPuzForm dispatch={dispatch} />}
</NestedDropDown>
<TopBarDropDownLink
icon={<FaRegFile />}
text="Export .puz File"
onClick={() => {
const a: SetShowDownloadLink = {
type: 'SETSHOWDOWNLOAD',
value: true,
};
dispatch(a);
}}
/>
<NestedDropDown
onClose={focusGrid}
closeParent={closeDropdown}
icon={<IoMdStats />}
text="Stats"
>
{() => (
<>
<h2>Grid</h2>
<div>
{state.gridIsComplete ? (
<FaRegCheckCircle />
) : (
<FaRegCircle />
)}{' '}
All cells should be filled
</div>
<div>
{state.hasNoShortWords ? (
<FaRegCheckCircle />
) : (
<FaRegCircle />
)}{' '}
All words should be at least three letters
</div>
<div>
{state.repeats.size > 0 ? (
<>
<FaRegCircle /> (
{Array.from(state.repeats).sort().join(', ')})
</>
) : (
<FaRegCheckCircle />
)}{' '}
No words should be repeated
</div>
<h2 css={{ marginTop: '1.5em' }}>Fill</h2>
<div>Number of words: {stats.numEntries}</div>
<div>
Mean word length: {stats.averageLength.toPrecision(3)}
</div>
<div>
Number of blocks: {stats.numBlocks} (
{((100 * stats.numBlocks) / stats.numTotal).toFixed(1)}%)
</div>
<div
css={{
marginTop: '1em',
textDecoration: 'underline',
textAlign: 'center',
}}
>
Word Lengths
</div>
<Histogram
data={stats.lengthHistogram}
names={stats.lengthHistogramNames}
/>
<div
css={{
marginTop: '1em',
textDecoration: 'underline',
textAlign: 'center',
}}
>
Letter Counts
</div>
<Histogram
data={stats.lettersHistogram}
names={stats.lettersHistogramNames}
/>
</>
)}
</NestedDropDown>
<NestedDropDown
onClose={focusGrid}
closeParent={closeDropdown}
icon={<SymmetryIcon type={state.symmetry} />}
text="Change Symmetry"
>
{() => (
<>
<TopBarDropDownLink
icon={<SymmetryRotational />}
text="Use Rotational Symmetry"
onClick={() => {
const a: SymmetryAction = {
type: 'CHANGESYMMETRY',
symmetry: Symmetry.Rotational,
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<SymmetryHorizontal />}
text="Use Horizontal Symmetry"
onClick={() => {
const a: SymmetryAction = {
type: 'CHANGESYMMETRY',
symmetry: Symmetry.Horizontal,
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<SymmetryVertical />}
text="Use Vertical Symmetry"
onClick={() => {
const a: SymmetryAction = {
type: 'CHANGESYMMETRY',
symmetry: Symmetry.Vertical,
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<SymmetryNone />}
text="Use No Symmetry"
onClick={() => {
const a: SymmetryAction = {
type: 'CHANGESYMMETRY',
symmetry: Symmetry.None,
};
dispatch(a);
}}
/>
{state.grid.width === state.grid.height ? (
<>
<TopBarDropDownLink
icon={<SymmetryIcon type={Symmetry.DiagonalNESW} />}
text="Use NE/SW Diagonal Symmetry"
onClick={() => {
const a: SymmetryAction = {
type: 'CHANGESYMMETRY',
symmetry: Symmetry.DiagonalNESW,
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<SymmetryIcon type={Symmetry.DiagonalNWSE} />}
text="Use NW/SE Diagonal Symmetry"
onClick={() => {
const a: SymmetryAction = {
type: 'CHANGESYMMETRY',
symmetry: Symmetry.DiagonalNWSE,
};
dispatch(a);
}}
/>
</>
) : (
''
)}
</>
)}
</NestedDropDown>
<TopBarDropDownLink
icon={<FaSquare />}
text="Toggle Block"
shortcutHint={<PeriodKey />}
onClick={() => {
const a: KeypressAction = {
type: 'KEYPRESS',
key: { k: KeyK.Dot },
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<CgSidebarRight />}
text="Toggle Bar"
shortcutHint={<CommaKey />}
onClick={() => {
const a: KeypressAction = {
type: 'KEYPRESS',
key: { k: KeyK.Comma },
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<FaEyeSlash />}
text="Toggle Cell Visibility"
shortcutHint={<KeyIcon text="#" />}
onClick={() => {
const a: ToggleHiddenAction = {
type: 'TOGGLEHIDDEN',
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={<Rebus />}
text="Enter Rebus"
shortcutHint={<EscapeKey />}
onClick={() => {
const a: KeypressAction = {
type: 'KEYPRESS',
key: { k: KeyK.Escape },
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={
state.grid.highlight === 'circle' ? (
<FaRegCircle />
) : (
<FaFillDrip />
)
}
text="Toggle Square Highlight"
shortcutHint={<BacktickKey />}
onClick={() => {
const a: KeypressAction = {
type: 'KEYPRESS',
key: { k: KeyK.Backtick },
};
dispatch(a);
}}
/>
<TopBarDropDownLink
icon={
state.grid.highlight === 'circle' ? (
<FaFillDrip />
) : (
<FaRegCircle />
)
}
text={
state.grid.highlight === 'circle'
? 'Use Shade for Highlights'
: 'Use Circle for Highlights'
}
onClick={() => {
const a: SetHighlightAction = {
type: 'SETHIGHLIGHT',
highlight:
state.grid.highlight === 'circle' ? 'shade' : 'circle',
};
dispatch(a);
}}
/>
{muted ? (
<TopBarDropDownLink
icon={<FaVolumeUp />}
text="Unmute"
onClick={() => setMuted(false)}
/>
) : (
<TopBarDropDownLink
icon={<FaVolumeMute />}
text="Mute"
onClick={() => setMuted(true)}
/>
)}
<TopBarDropDownLink
icon={<FaKeyboard />}
text="Toggle Keyboard"
onClick={() => setToggleKeyboard(!toggleKeyboard)}
/>
{props.isAdmin ? (
<>
<TopBarDropDownLinkA
href="/admin"
icon={<FaUserLock />}
text="Admin"
/>
</>
) : (
''
)}
<TopBarDropDownLinkA
href="/dashboard"
icon={<FaHammer />}
text="Constructor Dashboard"
/>
<TopBarDropDownLinkA
href="/account"
icon={<FaUser />}
text="Account"
/>
</>
)}
</TopBarDropDown>
</>
);
}, [
focusGrid,
getMostConstrainedEntry,
props.autofillEnabled,
props.autofillInProgress,
props.autofilledGrid.length,
stats,
props.isAdmin,
setClueMode,
setMuted,
state.grid.highlight,
state.grid.width,
state.grid.height,
state.gridIsComplete,
state.hasNoShortWords,
state.repeats,
state.symmetry,
toggleAutofillEnabled,
reRunAutofill,
dispatch,
muted,
toggleKeyboard,
setToggleKeyboard,
]);
return (
<>
<Global styles={FULLSCREEN_CSS} />
<div
css={{
display: 'flex',
flexDirection: 'column',
height: '100%',
}}
>
<div css={{ flex: 'none' }}>
<TopBar>{topBarChildren}</TopBar>
</div>
{state.showDownloadLink ? (
<PuzDownloadOverlay
state={state}
cancel={() => {
const a: SetShowDownloadLink = {
type: 'SETSHOWDOWNLOAD',
value: false,
};
dispatch(a);
}}
/>
) : (
''
)}
{state.toPublish ? (
<PublishOverlay
id={state.id}
toPublish={state.toPublish}
warnings={state.publishWarnings}
user={props.user}
cancelPublish={() => dispatch({ type: 'CANCELPUBLISH' })}
/>
) : (
''
)}
{state.publishErrors.length ? (
<Overlay
closeCallback={() => dispatch({ type: 'CLEARPUBLISHERRORS' })}
>
<>
<div>
Please fix the following errors and try publishing again:
</div>
<ul>
{state.publishErrors.map((s, i) => (
<li key={i}>{s}</li>
))}
</ul>
{state.publishWarnings.length ? (
<>
<div>Warnings:</div>
<ul>
{state.publishWarnings.map((s, i) => (
<li key={i}>{s}</li>
))}
</ul>
</>
) : (
''
)}
</>
</Overlay>
) : (
''
)}
<div
css={{ flex: '1 1 auto', overflow: 'scroll', position: 'relative' }}
>
<SquareAndCols
leftIsActive={state.active.dir === Direction.Across}
ref={gridRef}
aspectRatio={state.grid.width / state.grid.height}
square={(width: number, _height: number) => {
return (
<GridView
isEnteringRebus={state.isEnteringRebus}
rebusValue={state.rebusValue}
squareWidth={width}
grid={state.grid}
active={state.active}
dispatch={dispatch}
allowBlockEditing={true}
autofill={props.autofillEnabled ? props.autofilledGrid : []}
/>
);
}}
left={fillLists.left}
right={fillLists.right}
dispatch={dispatch}
/>
</div>
<div css={{ flex: 'none', width: '100%' }}>
<Keyboard
toggleKeyboard={toggleKeyboard}
keyboardHandler={keyboardHandler}
muted={muted}
showExtraKeyLayout={state.showExtraKeyLayout}
includeBlockKey={true}
/>
</div>
</div>
</>
);
}