{"id":1628,"date":"2026-04-12T07:00:05","date_gmt":"2026-04-12T07:00:05","guid":{"rendered":"https:\/\/donhit.com\/en\/?p=1628"},"modified":"2026-04-12T07:00:05","modified_gmt":"2026-04-12T07:00:05","slug":"numworks","status":"publish","type":"post","link":"https:\/\/donhit.com\/en\/calculator\/numworks\/","title":{"rendered":"NumWorks Calculator"},"content":{"rendered":"    <div class=\"calculator-container\">\r\n        <div class=\"calculator\">\r\n            <div class=\"display\">\r\n                <div class=\"history\" id=\"history\"><\/div>\r\n                <input type=\"text\" class=\"input\" id=\"display\" readonly>\r\n            <\/div>\r\n            \r\n            <div class=\"keyboard\">\r\n                <div class=\"function-keys\">\r\n                    <button class=\"func-key\" data-action=\"clear\">AC<\/button>\r\n                    <button class=\"func-key\" data-action=\"delete\">\u232b<\/button>\r\n                    <button class=\"func-key\" data-action=\"toggle-mode\">DEG<\/button>\r\n                <\/div>\r\n                \r\n                <div class=\"scientific-keys\">\r\n                    <button class=\"sci-key\" data-action=\"sin\">sin<\/button>\r\n                    <button class=\"sci-key\" data-action=\"cos\">cos<\/button>\r\n                    <button class=\"sci-key\" data-action=\"tan\">tan<\/button>\r\n                    <button class=\"sci-key\" data-action=\"pow\">^<\/button>\r\n                    <button class=\"sci-key\" data-action=\"sqrt\">\u221a<\/button>\r\n                    <button class=\"sci-key\" data-action=\"log\">log<\/button>\r\n                <\/div>\r\n                \r\n                <div class=\"number-pad\">\r\n                    <button class=\"num-key\">7<\/button>\r\n                    <button class=\"num-key\">8<\/button>\r\n                    <button class=\"num-key\">9<\/button>\r\n                    <button class=\"operator-key\" data-action=\"divide\">\/<\/button>\r\n                    \r\n                    <button class=\"num-key\">4<\/button>\r\n                    <button class=\"num-key\">5<\/button>\r\n                    <button class=\"num-key\">6<\/button>\r\n                    <button class=\"operator-key\" data-action=\"multiply\">*<\/button>\r\n                    \r\n                    <button class=\"num-key\">1<\/button>\r\n                    <button class=\"num-key\">2<\/button>\r\n                    <button class=\"num-key\">3<\/button>\r\n                    <button class=\"operator-key\" data-action=\"subtract\">-<\/button>\r\n                    \r\n                    <button class=\"num-key\">0<\/button>\r\n                    <button class=\"num-key\">.<\/button>\r\n                    <button class=\"operator-key\" data-action=\"equals\">=<\/button>\r\n                    <button class=\"operator-key\" data-action=\"add\">+<\/button>\r\n                <\/div>\r\n            <\/div>\r\n        <\/div>\r\n        \r\n        <div class=\"mode-toggle\">\r\n            <label class=\"theme-switch\">\r\n                <input type=\"checkbox\" id=\"theme-toggle\">\r\n                <span class=\"slider\"><\/span>\r\n            <\/label>\r\n        <\/div>\r\n    <\/div>\r\n\r\n<script>\r\nclass NumWorksCalculator {\r\n    constructor() {\r\n        \/\/ DOM Element Selectors\r\n        this.display = document.getElementById('display');\r\n        this.historyDisplay = document.getElementById('history');\r\n        this.themeToggle = document.getElementById('theme-toggle');\r\n\r\n        \/\/ Calculator State\r\n        this.currentValue = '0';\r\n        this.previousValue = null;\r\n        this.operator = null;\r\n        this.calculationMode = 'DEG';\r\n\r\n        \/\/ Bind Event Listeners\r\n        this.bindEvents();\r\n        this.updateDisplay();\r\n    }\r\n\r\n    bindEvents() {\r\n        \/\/ Number & Decimal Input\r\n        document.querySelectorAll('.num-key').forEach(key => {\r\n            key.addEventListener('click', () => this.inputNumber(key.textContent));\r\n        });\r\n\r\n        \/\/ Operator Keys\r\n        document.querySelectorAll('.operator-key').forEach(key => {\r\n            key.addEventListener('click', () => this.handleOperator(key.dataset.action));\r\n        });\r\n\r\n        \/\/ Function Keys\r\n        document.querySelectorAll('.func-key').forEach(key => {\r\n            key.addEventListener('click', () => this.handleFunctionKey(key.dataset.action));\r\n        });\r\n\r\n        \/\/ Scientific Keys\r\n        document.querySelectorAll('.sci-key').forEach(key => {\r\n            key.addEventListener('click', () => this.handleScientificFunction(key.dataset.action));\r\n        });\r\n\r\n        \/\/ Theme Toggle\r\n        this.themeToggle.addEventListener('change', () => this.toggleTheme());\r\n    }\r\n\r\n    inputNumber(value) {\r\n        if (this.currentValue === '0' || this.readyToReplace) {\r\n            this.currentValue = value;\r\n            this.readyToReplace = false;\r\n        } else {\r\n            this.currentValue += value;\r\n        }\r\n        this.updateDisplay();\r\n    }\r\n\r\n    handleOperator(action) {\r\n        const currentNum = parseFloat(this.currentValue);\r\n\r\n        switch(action) {\r\n            case 'add':\r\n                this.performCalculation(currentNum, '+');\r\n                break;\r\n            case 'subtract':\r\n                this.performCalculation(currentNum, '-');\r\n                break;\r\n            case 'multiply':\r\n                this.performCalculation(currentNum, '*');\r\n                break;\r\n            case 'divide':\r\n                this.performCalculation(currentNum, '\/');\r\n                break;\r\n            case 'equals':\r\n                this.calculateResult();\r\n                break;\r\n        }\r\n    }\r\n\r\n    performCalculation(value, newOperator) {\r\n        if (this.operator) {\r\n            this.calculateResult();\r\n        }\r\n        this.previousValue = value;\r\n        this.operator = newOperator;\r\n        this.readyToReplace = true;\r\n        this.updateHistory(`${value} ${newOperator}`);\r\n    }\r\n\r\n    calculateResult() {\r\n        if (!this.operator) return;\r\n\r\n        const prev = parseFloat(this.previousValue);\r\n        const current = parseFloat(this.currentValue);\r\n        let result;\r\n\r\n        switch(this.operator) {\r\n            case '+': result = prev + current; break;\r\n            case '-': result = prev - current; break;\r\n            case '*': result = prev * current; break;\r\n            case '\/': \r\n                result = current !== 0 ? prev \/ current : 'Error';\r\n                break;\r\n        }\r\n\r\n        this.currentValue = result.toString();\r\n        this.previousValue = null;\r\n        this.operator = null;\r\n        this.readyToReplace = true;\r\n        this.updateHistory(`= ${result}`);\r\n        this.updateDisplay();\r\n    }\r\n\r\n    handleFunctionKey(action) {\r\n        switch(action) {\r\n            case 'clear':\r\n                this.clear();\r\n                break;\r\n            case 'delete':\r\n                this.deleteLastCharacter();\r\n                break;\r\n            case 'toggle-mode':\r\n                this.toggleCalculationMode();\r\n                break;\r\n        }\r\n    }\r\n\r\n    handleScientificFunction(action) {\r\n        const value = parseFloat(this.currentValue);\r\n        let result;\r\n\r\n        switch(action) {\r\n            case 'sin':\r\n                result = Math.sin(this.toRadians(value));\r\n                break;\r\n            case 'cos':\r\n                result = Math.cos(this.toRadians(value));\r\n                break;\r\n            case 'tan':\r\n                result = Math.tan(this.toRadians(value));\r\n                break;\r\n            case 'pow':\r\n                result = Math.pow(value, 2);\r\n                break;\r\n            case 'sqrt':\r\n                result = Math.sqrt(value);\r\n                break;\r\n            case 'log':\r\n                result = Math.log10(value);\r\n                break;\r\n        }\r\n\r\n        this.currentValue = result.toString();\r\n        this.updateDisplay();\r\n    }\r\n\r\n    toRadians(degrees) {\r\n        return this.calculationMode === 'DEG' ? \r\n            degrees * (Math.PI \/ 180) : degrees;\r\n    }\r\n\r\n    toggleCalculationMode() {\r\n        this.calculationMode = this.calculationMode === 'DEG' ? 'RAD' : 'DEG';\r\n        document.querySelector('[data-action=\"toggle-mode\"]').textContent = this.calculationMode;\r\n    }\r\n\r\n    clear() {\r\n        this.currentValue = '0';\r\n        this.previousValue = null;\r\n        this.operator = null;\r\n        this.historyDisplay.textContent = '';\r\n        this.updateDisplay();\r\n    }\r\n\r\n    deleteLastCharacter() {\r\n        this.currentValue = this.currentValue.length > 1 ? \r\n            this.currentValue.slice(0, -1) : '0';\r\n        this.updateDisplay();\r\n    }\r\n\r\n    updateDisplay() {\r\n        this.display.value = this.currentValue;\r\n    }\r\n\r\n    updateHistory(text) {\r\n        this.historyDisplay.textContent = text;\r\n    }\r\n\r\n    toggleTheme() {\r\n        document.body.classList.toggle('dark-mode');\r\n    }\r\n}\r\n\r\n\/\/ Initialize Calculator\r\ndocument.addEventListener('DOMContentLoaded', () => {\r\n    new NumWorksCalculator();\r\n});\r\n<\/script>You know how every few years, some piece of tech comes along and quietly changes the game? Well, this might be one of those moments\u2014especially if you\u2019re a student, a teacher, or honestly, a parent just trying to help with math homework. The NumWorks calculator isn\u2019t just another graphing tool\u2014it\u2019s an open-source, touchscreen, Python-powered rethink of what a school calculator should be in 2025.<\/p>\n<p>What I\u2019ve found is that NumWorks isn\u2019t just modern for the sake of it. It\u2019s built to actually work with the way students learn today. It\u2019s fully aligned with Common Core Standards, designed for AP Exams, and even recognized by the College Board\u2014which, let\u2019s be real, matters when test day rolls around. But here&#8217;s the interesting part: it\u2019s not just built for compliance. It\u2019s designed for clarity. For exploration. For real, hands-on learning that fits seamlessly into STEM education\u2014especially when you&#8217;re juggling algebra, trig, and Python coding all in one semester.<\/p>\n<p>So if you\u2019re wondering whether this sleek, almost phone-like device can really replace the bulky calculators we\u2019ve all wrestled with\u2026 well, you\u2019re not alone. Let\u2019s dig into why NumWorks USA is quickly becoming the go-to modern calculator for students\u2014and whether it actually lives up to the hype.<\/p>\n<h2>What is the NumWorks Calculator?<\/h2>\n<p>If you&#8217;ve ever wrestled with one of those clunky old TI calculators and thought, &#8220;There has to be a better way,&#8221; you&#8217;re not alone. That\u2019s pretty much the question that sparked the creation of the NumWorks graphing calculator\u2014a sleek, student-friendly alternative that honestly feels like it was made for you, not just a testing committee.<\/p>\n<p>Started in France by Romain Goyet, NumWorks was designed to reimagine what a high school calculator could be\u2014open-source, intuitive, and actually pleasant to use. When it finally made its way into American classrooms, it didn\u2019t just show up quietly. It turned heads. Partly because of its clean, minimalist look (think iPhone vibes), but mostly because of what\u2019s inside: a modern math interface, Python mode, custom firmware support, and a UI that makes sense without needing a 100-page manual. I mean, when was the last time you wanted to explore your calculator\u2019s features?<\/p>\n<p>What really sets it apart, though, is the open-source platform. You\u2019re not locked into whatever the factory gives you\u2014you can tweak, contribute, even build your own features if you\u2019re into that. And there\u2019s a growing community of students, teachers, and devs doing just that.<\/p>\n<p>So yeah, it\u2019s more than just a TI calculator alternative\u2014it\u2019s part of a shift in educational technology that\u2019s actually listening to what you need.<\/p>\n<h2>NumWorks for AP, SAT, and ACT Exams in the U.S.<\/h2>\n<p>If you\u2019ve ever sat down for the SAT, ACT, or AP Calculus exams, you already know how stressful it is just to make sure your calculator is allowed. I\u2019ve been there\u2014double-checking model numbers at 11 PM the night before. The good news? The NumWorks graphing calculator is explicitly approved by the College Board, which means you can bring it into those high-stakes testing rooms without worry.<\/p>\n<p>Here\u2019s what I\u2019ve learned (and seen students do) to get the most out of it for standardized tests:<\/p>\n<ul>\n<li>Exam Mode: NumWorks has a built-in test mode that disables features like Python programming automatically. This satisfies U.S. exam regulations for secure calculators.<\/li>\n<li>Speed &amp; Simplicity: Because the UI is so clean, you spend less time fumbling with menus. One student told me they shaved minutes off their graphing questions on the SAT just because it \u201cfelt like an app.\u201d<\/li>\n<li>Consistency: It handles exact values and graphing just like in class, so you\u2019re not relearning under pressure.<\/li>\n<\/ul>\n<p>What I\u2019ve found is that you feel more in control walking into the test because you\u2019re using a secure calculator that\u2019s already tailored for the exam environment. If you\u2019re prepping now, practice using its test mode early\u2014it makes test day feel like just another practice session.<\/p>\n<h2>Features That Make NumWorks a Modern Classroom Essential<\/h2>\n<p>If you&#8217;re like most teachers\u2014or students juggling too many tools\u2014you know that school tech only works when it\u2019s simple, fast, and doesn\u2019t require a PhD in settings menus. That\u2019s where NumWorks really stands out. It\u2019s not just modern in design; it\u2019s modern in how it actually fits into today\u2019s classroom routines.<\/p>\n<p>Here\u2019s what I\u2019ve found makes it genuinely classroom-ready:<\/p>\n<ul>\n<li>Touchscreen interface: You can tap, scroll, and navigate like you&#8217;re using an app. Way easier than memorizing key codes like on the old TI models.<\/li>\n<li>USB-C charging: No more scrambling for AAA batteries the night before an exam. This alone has saved me (and my students) more than once.<\/li>\n<li>Python programming: Students can code inside the calculator. It\u2019s not a tacked-on feature\u2014it\u2019s integrated, which is a big win for STEM classrooms.<\/li>\n<li>Exact values + graphing: It handles square roots, fractions, and plots in a way that actually makes sense visually. Super helpful during live lessons.<\/li>\n<li>Chromebook and iOS compatibility: With remote learning still a factor in some districts, being able to sync and emulate on Chromebooks is a game-changer.<\/li>\n<li>Privacy-focused: And this matters more than ever\u2014no student data is tracked or stored, which makes it a safer fit for U.S. school tech policies.<\/li>\n<\/ul>\n<h2>How U.S. Teachers Are Integrating NumWorks Into the Classroom<\/h2>\n<p>If you\u2019ve spent any time trying to weave new tech into your math curriculum, you know the drill: it either fits seamlessly, or it becomes just one more thing to troubleshoot mid-lesson. What I\u2019ve found is that NumWorks lands squarely in that first category\u2014it actually helps you teach, without needing a day of PD just to figure it out.<\/p>\n<p>Here\u2019s how U.S. teachers are making it work in real classrooms:<\/p>\n<ul>\n<li>Built-in lesson plans: You\u2019ll find a growing library of standards-aligned activities right on the NumWorks website. One high school teacher in Illinois told me it cut her prep time in half during finals week.<\/li>\n<li>Remote and hybrid learning support: With Chromebook integration and an online emulator, students can follow along from home\u2014no extra installs, no headaches. It just&#8230; works.<\/li>\n<li>Student-friendly design: You don\u2019t have to re-teach the calculator before each exam. That alone makes it a teacher-friendly calculator.<\/li>\n<li>No account required: Seriously\u2014no logins, no data tracking. That\u2019s a big win for schools worried about edtech compliance and privacy.<\/li>\n<\/ul>\n<p style=\"text-align: right\"><a href=\"https:\/\/donhit.com\/en\/\">DonHit<\/a><\/p>\n<h2>How It Compares to Traditional Calculators Like the TI-84<\/h2>\n<p>You\u2019ve probably seen a TI-84 in every high school math class since, well&#8230; forever. It\u2019s kind of the duct tape of calculators\u2014everywhere, reliable, but not exactly sleek or intuitive. Now, if you\u2019re weighing the NumWorks graphing calculator against it, there are a few things I think you really need to consider\u2014not just specs, but real classroom usability.<\/p>\n<p>Here\u2019s what I\u2019ve found makes NumWorks a seriously compelling TI-84 alternative:<\/p>\n<ul>\n<li>Interface: NumWorks feels like using a modern app. It&#8217;s icon-based, clean, and actually makes sense without a manual. The TI-84? Let\u2019s just say the UI hasn\u2019t aged well.<\/li>\n<li>Price: As of now, you\u2019re looking at around $99 for NumWorks versus $130+ for a new TI-84 Plus CE. That price gap can matter\u2014especially when you\u2019re buying more than one for home or class sets.<\/li>\n<li>Exam Compatibility: Both are approved by the College Board, so they\u2019re good for SAT, ACT, and AP exams. No worries there.<\/li>\n<li>Customization: With NumWorks, you can install custom firmware or even tweak it if you\u2019re into coding (Python mode\u2019s already built in). TI? Locked-down, closed system.<\/li>\n<li>Adoption: TI still dominates in U.S. high schools, mainly due to legacy adoption and teacher familiarity. But NumWorks is gaining traction\u2014especially in STEM-forward schools and among teachers who want a more intuitive tool.<\/li>\n<\/ul>\n","protected":false},"excerpt":{"rendered":"<p>You know how every few years, some piece of tech comes along and quietly changes the game? Well, this might be one of those moments\u2014especially if you\u2019re a student, a teacher, or honestly, a parent just trying to help with math homework. The NumWorks calculator isn\u2019t just another graphing tool\u2014it\u2019s an open-source, touchscreen, Python-powered rethink [&#8230;]\n","protected":false},"author":1,"featured_media":0,"comment_status":"open","ping_status":"open","sticky":false,"template":"","format":"standard","meta":{"footnotes":""},"categories":[184],"tags":[],"class_list":["post-1628","post","type-post","status-publish","format-standard","hentry","category-calculator"],"yoast_head":"<!-- This site is optimized with the Yoast SEO plugin v26.0 - https:\/\/yoast.com\/wordpress\/plugins\/seo\/ -->\n<title>NumWorks Calculator - DonHit<\/title>\n<meta name=\"description\" content=\"The NumWorks Calculator is a modern innovation in educational technology, designed specifically to enhance mathematics education for students and educators.\" \/>\n<meta name=\"robots\" content=\"index, follow, max-snippet:-1, max-image-preview:large, max-video-preview:-1\" \/>\n<link rel=\"canonical\" href=\"https:\/\/donhit.com\/en\/calculator\/numworks\/\" \/>\n<meta property=\"og:locale\" content=\"en_US\" \/>\n<meta property=\"og:type\" content=\"article\" \/>\n<meta property=\"og:title\" content=\"NumWorks Calculator - DonHit\" \/>\n<meta property=\"og:description\" content=\"The NumWorks Calculator is a modern innovation in educational technology, designed specifically to enhance mathematics education for students and educators.\" \/>\n<meta property=\"og:url\" content=\"https:\/\/donhit.com\/en\/calculator\/numworks\/\" \/>\n<meta property=\"og:site_name\" content=\"DonHit - World of Tools\" \/>\n<meta property=\"article:published_time\" content=\"2026-04-12T07:00:05+00:00\" \/>\n<meta name=\"author\" content=\"DonHit\" \/>\n<meta name=\"twitter:card\" content=\"summary_large_image\" \/>\n<meta name=\"twitter:label1\" content=\"Written by\" \/>\n\t<meta name=\"twitter:data1\" content=\"DonHit\" \/>\n\t<meta name=\"twitter:label2\" content=\"Est. reading time\" \/>\n\t<meta name=\"twitter:data2\" content=\"6 minutes\" \/>\n<!-- \/ Yoast SEO plugin. -->","yoast_head_json":{"title":"NumWorks Calculator - DonHit","description":"The NumWorks Calculator is a modern innovation in educational technology, designed specifically to enhance mathematics education for students and educators.","robots":{"index":"index","follow":"follow","max-snippet":"max-snippet:-1","max-image-preview":"max-image-preview:large","max-video-preview":"max-video-preview:-1"},"canonical":"https:\/\/donhit.com\/en\/calculator\/numworks\/","og_locale":"en_US","og_type":"article","og_title":"NumWorks Calculator - DonHit","og_description":"The NumWorks Calculator is a modern innovation in educational technology, designed specifically to enhance mathematics education for students and educators.","og_url":"https:\/\/donhit.com\/en\/calculator\/numworks\/","og_site_name":"DonHit - World of Tools","article_published_time":"2026-04-12T07:00:05+00:00","author":"DonHit","twitter_card":"summary_large_image","twitter_misc":{"Written by":"DonHit","Est. reading time":"6 minutes"},"schema":{"@context":"https:\/\/schema.org","@graph":[{"@type":"Article","@id":"https:\/\/donhit.com\/en\/calculator\/numworks\/#article","isPartOf":{"@id":"https:\/\/donhit.com\/en\/calculator\/numworks\/"},"author":{"name":"DonHit","@id":"https:\/\/donhit.com\/en\/#\/schema\/person\/0c6ff7dcd8ba4810c56a532f09c33148"},"headline":"NumWorks Calculator","datePublished":"2026-04-12T07:00:05+00:00","mainEntityOfPage":{"@id":"https:\/\/donhit.com\/en\/calculator\/numworks\/"},"wordCount":1338,"commentCount":0,"publisher":{"@id":"https:\/\/donhit.com\/en\/#\/schema\/person\/0c6ff7dcd8ba4810c56a532f09c33148"},"articleSection":["Calculator"],"inLanguage":"en-US","potentialAction":[{"@type":"CommentAction","name":"Comment","target":["https:\/\/donhit.com\/en\/calculator\/numworks\/#respond"]}]},{"@type":"WebPage","@id":"https:\/\/donhit.com\/en\/calculator\/numworks\/","url":"https:\/\/donhit.com\/en\/calculator\/numworks\/","name":"NumWorks Calculator - DonHit","isPartOf":{"@id":"https:\/\/donhit.com\/en\/#website"},"datePublished":"2026-04-12T07:00:05+00:00","description":"The NumWorks Calculator is a modern innovation in educational technology, designed specifically to enhance mathematics education for students and educators.","breadcrumb":{"@id":"https:\/\/donhit.com\/en\/calculator\/numworks\/#breadcrumb"},"inLanguage":"en-US","potentialAction":[{"@type":"ReadAction","target":["https:\/\/donhit.com\/en\/calculator\/numworks\/"]}]},{"@type":"BreadcrumbList","@id":"https:\/\/donhit.com\/en\/calculator\/numworks\/#breadcrumb","itemListElement":[{"@type":"ListItem","position":1,"name":"Trang ch\u1ee7","item":"https:\/\/donhit.com\/en\/"},{"@type":"ListItem","position":2,"name":"Calculator","item":"https:\/\/donhit.com\/en\/category\/calculator\/"},{"@type":"ListItem","position":3,"name":"NumWorks Calculator"}]},{"@type":"WebSite","@id":"https:\/\/donhit.com\/en\/#website","url":"https:\/\/donhit.com\/en\/","name":"DonHit - World of tools","description":"","publisher":{"@id":"https:\/\/donhit.com\/en\/#\/schema\/person\/0c6ff7dcd8ba4810c56a532f09c33148"},"potentialAction":[{"@type":"SearchAction","target":{"@type":"EntryPoint","urlTemplate":"https:\/\/donhit.com\/en\/?s={search_term_string}"},"query-input":{"@type":"PropertyValueSpecification","valueRequired":true,"valueName":"search_term_string"}}],"inLanguage":"en-US"},{"@type":["Person","Organization"],"@id":"https:\/\/donhit.com\/en\/#\/schema\/person\/0c6ff7dcd8ba4810c56a532f09c33148","name":"DonHit","image":{"@type":"ImageObject","inLanguage":"en-US","@id":"https:\/\/donhit.com\/en\/#\/schema\/person\/image\/","url":"https:\/\/donhit.com\/en\/wp-content\/uploads\/2024\/11\/logo-donhit.webp","contentUrl":"https:\/\/donhit.com\/en\/wp-content\/uploads\/2024\/11\/logo-donhit.webp","width":400,"height":267,"caption":"DonHit"},"logo":{"@id":"https:\/\/donhit.com\/en\/#\/schema\/person\/image\/"},"description":"DonHit is a website designed to provide useful tools for everyone. Its primary goal is to support and empower the community. All the tools available on the site are completely free to use.","sameAs":["https:\/\/donhit.com\/en"],"url":"https:\/\/donhit.com\/en\/author\/admin_don\/"}]}},"_links":{"self":[{"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/posts\/1628","targetHints":{"allow":["GET"]}}],"collection":[{"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/posts"}],"about":[{"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/types\/post"}],"author":[{"embeddable":true,"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/users\/1"}],"replies":[{"embeddable":true,"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/comments?post=1628"}],"version-history":[{"count":9,"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/posts\/1628\/revisions"}],"predecessor-version":[{"id":3775,"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/posts\/1628\/revisions\/3775"}],"wp:attachment":[{"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/media?parent=1628"}],"wp:term":[{"taxonomy":"category","embeddable":true,"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/categories?post=1628"},{"taxonomy":"post_tag","embeddable":true,"href":"https:\/\/donhit.com\/en\/wp-json\/wp\/v2\/tags?post=1628"}],"curies":[{"name":"wp","href":"https:\/\/api.w.org\/{rel}","templated":true}]}}