Skip to content

Latest commit

 

History

History
351 lines (255 loc) · 6.65 KB

File metadata and controls

351 lines (255 loc) · 6.65 KB

Examples

Common use cases and code samples for Accessible Math Reader.


Plaintext & Unicode Math Input

Everyday Notation

from accessible_math_reader import MathReader

reader = MathReader()

# Fractions using parentheses
print(reader.to_speech("(a+b)/(c-d)"))
# → "(a plus b) divided by (c minus d)"

# Exponents – three equivalent ways
print(reader.to_speech("x^2"))     # caret
print(reader.to_speech("x**2"))    # double-star
print(reader.to_speech("x²"))      # Unicode superscript

# Subscripts
print(reader.to_speech("x_i"))
print(reader.to_speech("x₁"))  # Unicode subscript

# Square root
print(reader.to_speech("sqrt(x^2 + y^2)"))

# Unicode Greek and symbols
print(reader.to_speech("π ≈ 3.14159"))
print(reader.to_speech("α² + β² ≤ γ²"))

# Named functions
print(reader.to_speech("sin(x) * cos(x)"))

Copy-Paste from Documents

# Common formats found in textbooks or web pages:
reader.to_speech("E = mc²")          # Einstein's equation
reader.to_speech("H₂O")             # Water formula
reader.to_speech("x² + y² = r²")    # Circle equation
reader.to_speech("∫ x² dx")         # Integral
reader.to_speech("∑ aᵢ = S")        # Summation

Basic Usage

Simple Fraction

from accessible_math_reader import MathReader

reader = MathReader()

# Convert to speech
speech = reader.to_speech(r"\frac{1}{2}")
print(speech)
# Output: "start fraction 1 over 2 end fraction"

# Convert to Braille
braille = reader.to_braille(r"\frac{1}{2}")
print(braille)
# Output: "⠹⠂⠌⠆⠼"

Quadratic Formula

latex = r"x = \frac{-b \pm \sqrt{b^2 - 4ac}}{2a}"

speech = reader.to_speech(latex)
print(speech)
# "x equals start fraction negative b plus or minus 
#  square root of b squared minus 4 a c end square root 
#  over 2 a end fraction"

Working with the Semantic Tree

Inspecting Structure

from accessible_math_reader import MathParser, NodeType

parser = MathParser()
tree = parser.parse(r"\frac{a+b}{c}")

# Print tree structure
def print_tree(node, depth=0):
    indent = "  " * depth
    print(f"{indent}{node.node_type.name}: {node.content or ''}")
    for child in node.children:
        print_tree(child, depth + 1)

print_tree(tree)
# ROOT:
#   FRACTION:
#     GROUP:
#       IDENTIFIER: a
#       OPERATOR: +
#       IDENTIFIER: b
#     IDENTIFIER: c

Traversing Nodes

for node in tree.walk():
    if node.node_type == NodeType.IDENTIFIER:
        print(f"Found variable: {node.content}")

Speech Options

Different Verbosity Levels

from accessible_math_reader import VerbosityLevel

latex = r"\frac{a}{b}"

reader.set_verbosity(VerbosityLevel.VERBOSE)
print(reader.to_speech(latex))
# "start fraction a over b end fraction"

reader.set_verbosity(VerbosityLevel.CONCISE)
print(reader.to_speech(latex))
# "a over b"

reader.set_verbosity(VerbosityLevel.SUPERBRIEF)
print(reader.to_speech(latex))
# "fraction a b"

Generating Audio Files

# MP3 output
reader.to_audio(
    r"\int_0^\infty e^{-x} dx",
    "integral.mp3"
)

# Get SSML for custom TTS
ssml = reader.to_ssml(r"\sqrt{x}")
print(ssml)
# <speak><prosody rate="90%">square root of <break time="200ms"/>x</prosody></speak>

Braille Conversion

Nemeth vs UEB

latex = r"x^2 + y^2 = r^2"

# Nemeth (North America standard)
nemeth = reader.to_braille(latex, notation="nemeth")
print(f"Nemeth: {nemeth}")

# UEB (International standard)
ueb = reader.to_braille(latex, notation="ueb")
print(f"UEB: {ueb}")

Exporting to BRF File

braille = reader.to_braille(
    r"\sum_{i=1}^{n} i^2 = \frac{n(n+1)(2n+1)}{6}"
)

with open("summation.brf", "w", encoding="utf-8") as f:
    f.write(braille)

Interactive Navigation

Step-by-Step Exploration

nav = reader.get_navigator(r"\frac{a+b}{c}")

# Start at root
print(nav.get_current_speech())  # "fraction"

# Enter fraction
nav.enter()
print(nav.get_current_speech())  # "numerator: a plus b"

# Move to sibling (denominator)
nav.next()
print(nav.get_current_speech())  # "denominator: c"

# Go back up
nav.exit()
print(nav.get_current_speech())  # "fraction"

Where Am I?

path = nav.get_context()
print(path)
# ["root", "fraction", "numerator"]

Batch Processing

Processing Multiple Expressions

expressions = [
    r"\frac{1}{2}",
    r"\sqrt{x^2 + y^2}",
    r"\sum_{i=1}^{n} i",
]

results = []
for expr in expressions:
    results.append({
        "latex": expr,
        "speech": reader.to_speech(expr),
        "braille": reader.to_braille(expr)
    })

# Export as JSON
import json
with open("results.json", "w") as f:
    json.dump(results, f, indent=2)

Reading from File

with open("equations.txt") as f:
    for line in f:
        latex = line.strip()
        if latex:
            print(f"{latex}{reader.to_speech(latex)}")

Web Integration

Flask Endpoint

from flask import Flask, request, jsonify
from accessible_math_reader import MathReader

app = Flask(__name__)
reader = MathReader()

@app.route("/api/convert", methods=["POST"])
def convert():
    latex = request.json.get("latex", "")
    return jsonify({
        "speech": reader.to_speech(latex),
        "braille": reader.to_braille(latex),
    })

JavaScript Fetch

async function convertMath(latex) {
    const response = await fetch('/api/convert', {
        method: 'POST',
        headers: { 'Content-Type': 'application/json' },
        body: JSON.stringify({ latex })
    });
    return response.json();
}

const result = await convertMath('\\frac{a}{b}');
console.log(result.speech);  // "start fraction a over b end fraction"

Error Handling

Parsing Errors

from accessible_math_reader.core.parser import ParseError

try:
    tree = parser.parse(r"\frac{a}")  # Missing argument
except ParseError as e:
    print(f"Error: {e.message}")
    print(f"At position: {e.position}")

Validation

def validate_latex(latex: str) -> bool:
    try:
        parser.parse(latex)
        return True
    except ParseError:
        return False

Custom Configuration

Per-Request Settings

from accessible_math_reader import Config
from accessible_math_reader.config import SpeechConfig, SpeechStyle

# Create a custom config for this request
config = Config(speech=SpeechConfig(style=SpeechStyle.CONCISE))
reader = MathReader(config)

speech = reader.to_speech(r"\frac{a}{b}")
# "a over b" (concise output)

Environment-Based Config

import os

os.environ["AMR_SPEECH_STYLE"] = "superbrief"
config = Config.from_env()
reader = MathReader(config)