- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我在 React 应用程序中使用 MathJax。 MathJax 带来了很大的复杂性:它有自己的并发管理系统,并对 DOM 进行了 React 不知道的更改。这导致了很多 DOM 微观管理,这些管理通常被认为是 React 中的反模式,我想知道我的代码是否可以做得更好。
在下面的代码中,MJX
是一个以 TeX 字符串作为输入并将其输入 MathJax 的组件。 RenderGroup
是一个方便的组件,可以跟踪其所有 MJX
的时间。后代已经排版完毕。
/// <reference types="mathjax" />
import * as React from "react";
/* Promise that resolves once MathJax is loaded and ready to go */
export const MathJaxReady = new Promise<typeof MathJax>((resolve, reject) => {
const script = $("#js-async-mathjax");
if (!script) return;
if (window.hasOwnProperty("MathJax")) {
MathJax.Hub.Register.StartupHook("End", resolve);
} else {
script.addEventListener("load", () => MathJax.Hub.Register.StartupHook("End", resolve));
}
});
interface Props extends React.HTMLAttributes<HTMLSpanElement> {
display?: boolean;
}
export class MJX extends React.Component<Props, {}> {
private resolveReady: () => void;
domElement: HTMLSpanElement;
jax: MathJax.ElementJax;
// Promise that resolves after initial typeset
ready: Promise<void>;
static defaultProps = {
display: false
}
constructor(props: Props) {
super(props);
this.ready = new Promise((resolve, reject) => this.resolveReady = resolve);
this.Typeset = this.Typeset.bind(this);
}
async componentDidMount() {
await MathJaxReady;
this.Typeset()
.then(() => this.jax = MathJax.Hub.getAllJax(this.domElement)[0])
.then(this.resolveReady);
}
shouldComponentUpdate(nextProps, nextState) {
/* original span has been eaten by MathJax, manage updates ourselves */
const text = this.props.children instanceof Array ? this.props.children.join("") : this.props.children,
nextText = nextProps.children instanceof Array ? nextProps.children.join("") : nextProps.children;
// rerender?
if (this.jax && text !== nextText) {
this.jax.Text(nextProps.children);
}
// classes changed?
if (this.props.className !== nextProps.className) {
const classes = this.props.className ? this.props.className.split(" ") : [],
newClasses = nextProps.className ? nextProps.className.split(" ") : [];
const add = newClasses.filter(_ => !classes.includes(_)),
remove = classes.filter(_ => !newClasses.includes(_));
for (const _ of remove)
this.domElement.classList.remove(_);
for (const _ of add)
this.domElement.classList.add(_);
}
// style attribute changed?
if (JSON.stringify(this.props.style) !== JSON.stringify(nextProps.style)) {
Object.keys(this.props.style || {})
.filter(_ => !(nextProps.style || {}).hasOwnProperty(_))
.forEach(_ => this.props.style[_] = null);
Object.assign(this.domElement.style, nextProps.style);
}
return false;
}
Typeset(): Promise<void> {
return new Promise((resolve, reject) => {
MathJax.Hub.Queue(["Typeset", MathJax.Hub, this.domElement]);
MathJax.Hub.Queue(resolve);
});
}
render() {
const {children, display, ...attrs} = this.props;
const [open, close] = display ? ["\\[", "\\]"] : ["\\(", "\\)"];
return (
<span {...attrs} ref={node => this.domElement = node}>{open + children + close}</span>
);
}
}
// wait for a whole bunch of things to be rendered
export class RenderGroup extends React.Component {
private promises: Promise<void>[];
ready: Promise<void>;
componentDidMount() {
this.ready = Promise.all(this.promises).then(() => {});
}
render() {
this.promises = [];
return recursiveMap(this.props.children, node => {
if (typeof node.type === "function" && node.type.prototype instanceof MJX) {
const originalRef = node.ref;
return React.cloneElement(node, {
ref: (ref: MJX) => {
if (!ref) return;
this.promises.push(ref.ready);
if (typeof originalRef === "function") {
originalRef(ref);
} else if (originalRef && typeof originalRef === "object") {
originalRef.current = ref;
}
}
});
}
return node;
});
}
}
// recursive React.Children.map
export function recursiveMap(
children: React.ReactNode,
fn: (child: React.ReactElement<any>) => React.ReactElement<any>
) {
return React.Children.map(children, (child) => {
if (!React.isValidElement<any>(child)) {
return child;
}
if ("children" in child.props) {
child = React.cloneElement(child, {
children: recursiveMap(child.props.children, fn)
});
}
return fn(child);
});
}
这是一个接近真实代码的示例。我们使用 MathJax 创建一些 <input>
2D 向量内的 s。在我的例子中,这将与交互式图形显示集成,因此条目的值将存储在父组件的状态中,并且 Example
都可以从父级接收值并设置这些值。自 <input>
在MathJax完成排版之前,s不存在,我们必须手动管理它们。
interface Props {
setParentValue: (i: number, value: number) => void;
values: number[];
}
class Example extends React.PureComponent<Props> {
private div: HTMLDivElement;
private inputs: HTMLInputElement[];
private rg: RenderGroup;
componentDidMount() {
this.rg.ready.then(() => {
this.inputs = this.div.querySelectorAll("input");
for (let i = 0; i < this.inputs.length; ++i) {
this.inputs[i].addEventListener("change", e => this.props.setParentValue(i, e.target.value));
}
});
}
shouldComponentUpdate(nextProps) {
if (this.inputs) {
for (let i = 0; i < nextProps.values.length; ++i) {
if (this.props.values[i] !== nextProps.values[i])
this.inputs[i].value = nextProps.values[i];
}
}
return false;
}
render() {
// render only runs once, using initial values
return (
<div ref={ref => this.div = ref}>
<RenderGroup ref={ref => this.rg = ref}>
<MJX>{String.raw`
\begin{bmatrix}
\FormInput[4][matrix-entry][${this.props.values[0]}]{input1}\\
\FormInput[4][matrix-entry][${this.props.values[1]}]{input2}
\end{bmatrix}
`}</MJX>
<MJX>+</MJX>
<MJX>{String.raw`
\begin{bmatrix}
\FormInput[4][matrix-entry][${this.props.values[2]}]{input3}\\
\FormInput[4][matrix-entry][${this.props.values[3]}]{input4}
\end{bmatrix}
`}</MJX>
<MJX>=</MJX>
<MJX>{String.raw`
\begin{bmatrix}
${this.props.values[0]+this.props.values[2]}\\
${this.props.values[1]+this.props.values[3]}
\end{bmatrix}
`}</MJX>
</RenderGroup>
</div>
);
}
}
这是我的问题。
RenderGroup
很脆。例如,我不明白为什么我需要检查 if (!ref)
;但如果我省略该行,则 ref
将(由于我不明白的原因)在后续更新中变为空并导致错误。拦截ref以获取ready
Promise 似乎也很粗略。
我正在慢慢尝试将我的类组件迁移到 Hooks ;而这个isn't strictly necessary ,根据 React 团队的说法 it should be possible 。问题是函数组件没有实例,所以我不知道如何公开 .ready
父组件如 Example
。我看到有一个 useImperativeHandle
对于这种情况,这似乎取决于最终对 HTML 组件的引用。我想在 MJX
的情况下我可以引用 <span>
,但这不适用于 RenderGroup
.
强制管理输入是痛苦且容易出错的。有什么办法可以恢复 React 声明式的优点吗?
额外奖励:我还不知道如何输入 recursiveMap
适本地; TypeScript 对 fn(child)
感到愤怒线。用泛型替换 any 也很好。
最佳答案
我个人没有使用过 MathJax,但根据我的经验,处理 resolveReady
内容的“惯用 React”方式可能是通过上下文向下传递回调,让子级通知父级在加载或准备就绪时。示例(带钩子(Hook)!):
const LoadingContext = createContext(() => () => {});
const LoadingProvider = memo(LoadingContext.Provider);
function RenderGroup({ children }) {
const [areChildrenReady, setAreChildrenReady] = useState(false);
const nextChildIdRef = useRef(0);
const unfinishedChildrenRef = useRef(new Set());
const startLoading = useCallback(() => {
const childId = nextChildIdRef.current++;
unfinishedChildrenRef.current.add(childId);
setAreChildrenReady(!!unfinishedChildrenRef.current.size);
const finishLoading = () => {
unfinishedChildrenRef.current.delete(childId);
setAreChildrenReady(!!unfinishedChildrenRef.current.size);
};
return finishLoading;
}, []);
useEffect(() => {
if (areChildrenReady) {
// do whatever
}
}, [areChildrenReady]);
return (
<LoadingProvider value={startLoading}>
{children}
</LoadingProvider>
);
}
function ChildComponent() {
const startLoading = useContext(LoadingContext);
useEffect(() => {
const finishLoading = startLoading();
MathJaxReady
.then(anotherPromise)
.then(finishLoading);
}, [startLoading]);
return (
// elements
);
}
关于javascript - 惯用的 React 和大量 DOM 操作 (MathJax),我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/57722818/
在 Mathjax 中,如何将其写为由第二个 = 分隔的双行? 这是 Mathjax 代码: $= 2[2W(k-2) + (k-1)2^{k-1}] + k2^k= 2^2W(k-2)+(k-1)2
如何使用 TeX 在 MathJax 中实现弹性双括号?例如, TeX 包 stmaryrd 有这个,但 MathJax 不支持任意包的导入。 我希望双括号在所有尺寸下都好看。 奖励:这在 Ascii
我希望能够通过在某种粗体命令中将几个符号分组来使它们变粗。我可以使用(例如)将单个符号加粗 \boldsymbol \phi 但我希望能够加粗几个符号,例如: {\boldsymbol \phi \v
我想输入这个。 我试过这样 $$\lambda=\frac{0.693}{t_\frac{1}{2}}$$ 还, $$\lambda=\frac{0.693}{{t}_\frac{1}{2}}$$ 还
下图来自 Chiswell 和 Hodges 数学逻辑练习,第 21 页: 当我在 Mathematics Stack Exchange 上发布答案时,我想显示类似的内容,但我不知道如何在 Mathj
我无法让 MathJax 更改它用于呈现以 AsciiMath 编写的公式的字体。我已经在 StackOverflow 和网络上的其他地方阅读了类似问题的答案: Styling MathJax Cha
Mathjax 元素默认居中对齐。 如何使 Mathjax 元素左对齐? 最佳答案 MathJax.Hub.Config({ jax: ["input/TeX","output/HTML-CS
我有一个文本区域,我希望用户在其中输入数学表达式。我不想立即呈现任何结果,就像它在 SO 上一样。 像这样的东西: function onkeyup(event) { var prev =
我有一个包含简单文本的网站,其中混合了最初仅可见标题的部分。单击标题可展开该部分。此页面的所有部分都可以包含我希望使用 MathJax 很好地排版的数学,但这些部分可能很长并且包含大量数学。 我想推迟
查看代码片段 What will be the output of $${x^2}$$ 这会在一行上显示字符串“What will be the output of”,并在第二行上显示表达式 如何让
如果你只是使用这样的东西: \( \left[ \begin{matrix} 0 & 1 & 5 & 2 \\ 1 & -7
有没有办法使用 MathJax 对齐多个方程,使赤道彼此位于下方? For example: 2x - 4 = 6 2x = 10 x = 5 最佳答案 使用 aligned环
是否有可能让 text-overflow:ellipsis 与 MathJax 一起工作? 这是一个(非工作)示例(on JSFiddle) HTML: \[ \text{2014-01-05}
我正在编写一个将 html 保存到 onenote 的网络应用程序。为了保存数学公式,我打算用MathJax.js把数学公式转成svg,然后再把svg转成png,因为onenote api支持的htm
我猜这之前已经在一个线程中完成了,但我只花了两个小时阅读各种线程并且无法解决一个非常基本的问题。 长话短说: 我正在尝试在网络浏览器中为家庭作业生成器创建动态方程/图表。到目前为止,我一直在使用 Ma
我想在我的本地 Mathjax 配置文件中声明一些数学运算符,以便我可以在每个页面中使用它们。 我发现我可以按照 MathJax 文档 Defining TeX macros 中的描述定义命令. 但是
我有一个基本的 MathJax代码 MathJax.Hub.Config({ extensions: ["tex2jax.js", "TeX/AMSmath.js"], ja
我知道如何使用 MathJax 将网页中的 TeX 命令转换为数学公式。 MathJax 脚本将在页面中搜索 TeX 命令并将它们内联转换为 HTML 语句。 有没有办法以预处理的形式来做到这一点?换
nCr 和 nPr 需要一个置换和组合 mathJaX 符号 最佳答案 你可以用这个: nCk => {}_n \mathrm{ C }_k nPk => {}_n \mathrm{ P }_k 关于
我想知道是否有办法转换 MathJax输出到 MathML . 我读了几篇文章说MathJax支持 MathML .我还可以看到选项“Show MathML” ' 当我右键单击 MathJax 时公式
我是一名优秀的程序员,十分优秀!