How to Automatically Generate a Table of Contents for Articles Using PHP

This article guides you on how to automatically create a table of contents for your articles using PHP, utilizing the `DOMDocument` class to parse HTML and build a structured table of contents with headers.

In this article, we will learn how to create an automatic table of contents for an article using PHP. By using the generateTOC function, we will parse the HTML content, automatically add IDs to the headers, and generate a list of links to those headers.

PHP Code

<?php

function generateTOC($content) {
    // Load HTML content
    $dom = new DOMDocument();
    $contentType = '<meta http-equiv="Content-Type" content="text/html; charset=utf-8">';
    @$dom->loadHTML($contentType . $content);

    // Find all headers and add IDs
    $headers = $dom->getElementsByTagName('*');
    $toc = [];
    foreach ($headers as $header) {
        if (in_array($header->nodeName, ['h1', 'h2', 'h3', 'h4'])) {
            $id = str_slug($header->textContent);
            $header->setAttribute('id', $id);
            $toc[] = [
                'tag' => $header->nodeName,
                'text' => $header->textContent,
                'id' => $id
            ];
        }
    }

    // Generate TOC HTML with nested structure
    $tocHtml = buildNestedTOC($toc);
    if($tocHtml) {
        $tocHtml = '<div id="toc"><div id="toc-title"><strong>Table Of Contents</strong></div>' . $tocHtml . '</div>';
    }

    return $tocHtml . $dom->saveHTML();
}

function buildNestedTOC($toc) {
    $html = '';
    $prevLevel = 0;
    foreach ($toc as $item) {
        $currentLevel = (int) substr($item['tag'], 1);

        if ($prevLevel == 0) {
            $html .= '<ul>';
        } elseif ($currentLevel > $prevLevel) {
            $html .= '<ul>';
        } elseif ($currentLevel < $prevLevel) {
            $html .= str_repeat('</ul>', $prevLevel - $currentLevel);
        }

        $html .= '<li><a href="#' . htmlspecialchars($item['id']) . '">' . htmlspecialchars($item['text']) . '</a></li>';
        $prevLevel = $currentLevel;
    }
    $html .= str_repeat('</ul>', $prevLevel);

    return $html;
}

function str_slug($string) {
    // Convert string to slug (URL-friendly)
    $slug = preg_replace('/[^A-Za-z0-9-]+/', '-', $string);
    return strtolower(trim($slug, '-'));
}

// Example usage
$content = '<h1>Main Title</h1><h2>Sub Title 1</h2><h3>Sub Title 1.1</h3><

h2>Sub Title 2</h2>';
echo generateTOC($content);

?>

Detailed explanation of each line of code:

  1. function generateTOC($content): Defines the generateTOC function that takes HTML content as input.
  2. $dom = new DOMDocument();: Initializes a DOMDocument object to handle the HTML.
  3. $contentType = '<meta http-equiv="Content-Type" content="text/html; charset=utf-8">';: Sets the content type information.
  4. @$dom->loadHTML($contentType . $content);: Loads the HTML content into the DOMDocument object. The @ suppresses error messages if there are any.
  5. $headers = $dom->getElementsByTagName('*');: Retrieves all elements in the document.
  6. foreach ($headers as $header) {...}: Loops through each element and looks for headers (h1, h2, h3, h4).
  7. if (in_array($header->nodeName, ['h1', 'h2', 'h3', 'h4'])) {...}: Checks if the element is a header.
  8. $id = str_slug($header->textContent);: Generates an ID from the header content using the str_slug function.
  9. $header->setAttribute('id', $id);: Adds the ID attribute to the header.
  10. $toc[] = [...];: Adds the header information to the $toc array to create the table of contents.
  11. $tocHtml = buildNestedTOC($toc);: Calls the buildNestedTOC function to create the HTML for the table of contents.
  12. if($tocHtml) {...}: If there is a table of contents, creates the HTML for it.
  13. return $tocHtml . $dom->saveHTML();: Returns the table of contents along with the original HTML content.

System requirements:

  • PHP >= 7.0
  • No additional libraries required.

Recommendations:

  • The str_slug function can be adjusted to handle special characters as per your requirements.
  • Creating a table of contents helps readers easily navigate and find information within lengthy articles.


Related

Multithreading in PHP using the pthreads library

A comprehensive guide on how to implement multithreading in PHP using the `pthreads` library. This article covers installation steps, examples, and how to use multithreading to improve PHP application performance.
Comprehensive guide to concatenating strings in PHP

A detailed guide on all the ways to concatenate strings in PHP, including the concatenation operator, string functions, and other methods.
How to extract numbers from a string in PHP

This article demonstrates how to extract numbers from a string in PHP using various methods such as regex (regular expressions), built-in functions like `preg_match_all`, `filter_var`, and manual approaches.
Add watermark to image using PHP

A guide on how to add a watermark to an image using PHP with the GD library. This PHP script allows adding text or image watermark on top of the original image.
Creating Captcha Code with PHP

A guide on how to create a simple Captcha using PHP to protect your website from spam and automated bots.
How to remove Punctuation from String in PHP

A guide on how to remove punctuation from a string in PHP. This article explains how to use the `preg_replace` function to strip unwanted punctuation marks from a string.
Difference between `split()` and `explode()` functions for String manipulation in PHP

This article explains the difference between `split()` and `explode()` functions in PHP, both used to split strings but with different approaches and use cases.
How to use strtok() function in PHP

This article explains how to use the `strtok` function in PHP to split a string into smaller parts based on delimiters. The `strtok` function is a useful tool for string manipulation in PHP projects.
Guide to uploading multiple images in PHP

A detailed guide on how to upload multiple images at once in PHP, including file handling, format checks, and storage on the server.
Update multiple columns in MySQL using PHP

A guide on how to update multiple columns in MySQL using PHP. This PHP code uses the UPDATE statement to change multiple column values in a MySQL database.

main.add_cart_success