Recommended Posts

Updated the Python PDF name search app. 

  1. Give it a TXT file with a list of first names.
  2. Give it a dictionary full of english words.
  3. Give it a PDF to search

It looks through the PDF for a first name match. Then, it takes the next word following the first name and checks the English dictionary to see if it is an English word.

As an example, if it finds "Scarlett drove the car to the property," it would find "drove" in the dictionary and skip it. If it finds "Scarlett Wilberding drove the car to the property," it takes the word "Wilberding" and sees that it's not in the dictionary and then records "Scarlett Wilberding" along with the page number it was found on behind it.

Each name is recorded once, and the page numbers on which it appears show up in the back of its name.

I updated the app for the Epstein list, which is supposed to drop today..

In the example below, I used the one of the public Epstein. Court document

You can either copy pasted code or grab the .py file and names.txt and dictionary.txt

From this dropbox link
https://www.dropbox.com/scl/fo/06zqmpi5xstjh5w7vawdj/ANmedXX0X4BkNEoHtTQ1c50?rlkey=53892676fmz51ua83elhnzk0a&st=5qrqjsfj&dl=0

image.thumb.png.506317de17d38d8c1b8aa8dfa96a2fad.png

 

import sys
from PyQt5.QtWidgets import (
    QApplication,
    QMainWindow,
    QWidget,
    QVBoxLayout,
    QHBoxLayout,
    QFileDialog,
    QPushButton,
    QTextEdit,
    QLineEdit,
    QLabel,
    QProgressBar,
    QMessageBox,
)
from PyQt5.QtCore import Qt, QThread, pyqtSignal
import fitz  # PyMuPDF
import re


class SearchThread(QThread):
    update_progress = pyqtSignal(int)  # Signal to update progress bar
    update_results = pyqtSignal(str, list)  # Signal to update results text (name, pages)

    def __init__(self, pdf_path, names, dictionary, stop_flag):
        super().__init__()
        self.pdf_path = pdf_path
        self.names = names
        self.dictionary = dictionary
        self.stop_flag = stop_flag
        self.results = {}  # Stores results as {name: [pages]}

    def run(self):
        self.update_results.emit("Startingch...\n", [])
        pdf_document = fitz.open(self.pdf_path)
        total_pages = pdf_document.page_count

        for page_number in range(total_pages):
            if self.stop_flag():
                self.update_results.emit("Searchped.\n", [])
                break

            page = pdf_document[page_number]
            text = page.get_text("text")

            for name in self.names:
                if re.search(rf'\b{name.lower()}\b', text.lower()):
                    if name.strip():
                        parts = text.lower().split(name.lower())
                        if len(parts) > 1:
                            next_word_parts = parts[1].split()
                            if next_word_parts:
                                next_word = next_word_parts[0].rstrip(',\'')
                                if len(re.sub(r'\W', next_word)) in {1, 2}:
                                    continue
                                if re.match(r'\w+\.\wnext_word):
                                    continue
                                if name.lower() in self.dictionary:
                                    continue
                                content_in_parentheses = re.search(r'\((.*?)\)', name)
                                if content_in_parentheses:
                                    content_word = content_in_parentheses.group(1).strip()
                                    if content_word.lower() in self.dictionary:
                                        continue
                                if next_word.isdigit():
                                    continue
                                if self.is_valid_second_word(next_word) and next_word.lower() not in self.dictionary:
                                    clean_next_word = self.clean_word(next_word)
                                    full_name = f"{name} {clean_next_word}"
                                    if full_name not in self.results:
                                        self.results[full_name] = []
                                    self.results[full_name].append(page_number + 1)
                                    # Emit the updated result
                                    self.update_results.emit(full_name, self.results[full_name])

            # Update progress
            progress = int((page_number + 1) / total_pages * 100)
            self.update_progress.emit(progress)

        pdf_document.close()
        self.update_results.emit("Searchleted.\n", [])

    def is_valid_second_word(self, word):
        invalid_words = {f"{i}," for i in range(1, 32)}
        invalid_special_chars = {'#', '&', '-', '?', '.'}
        cleaned_word = ''.join(char for char in word if char.isalnum() or char in invalid_special_chars)
        return (
            cleaned_word not in invalid_words
            and cleaned_word not in invalid_special_chars
            and len(cleaned_word) > 1
        )

    def clean_word(self, word):
        cleaned_word = ''.join(char for char in word if char.isalnum() or char in {'-', '_'})
        return cleaned_word.strip()


class PDFSearchApp(QMainWindow):
    def __init__(self):
        super().__init__()
        self.setWindowTitle("PDF Search App")
        self.setGeometry(100, 100, 600, 700)

        self.stop_search_flag = False
        self.found_results = {}  # Stores results as {name: [pages]}
        self.dictionary = set()

        self.init_ui()

    def init_ui(self):
        self.central_widget = QWidget()
        self.setCentralWidget(self.central_widget)

        self.layout = QVBoxLayout()

        # File pickers
        self.names_file_picker = self.create_file_picker("Names File:")
        self.pdf_file_picker = self.create_file_picker("PDF File:")
        self.dictionary_file_picker = self.create_file_picker("Dictionary File:")

        # Search and Stop buttons
        self.search_button = QPushButton("Search")
        self.search_button.clicked.connect(self.on_search)
        self.stop_button = QPushButton("Stop Search")
        self.stop_button.clicked.connect(self.on_stop_search)

        # Results text area
        self.results_text = QTextEdit()
        self.results_text.setReadOnly(True)

        # Search exact text
        self.search_exact_label = QLabel("Search Exact Text:")
        self.search_exact_input = QLineEdit()
        self.search_exact_button = QPushButton("Search Exact")
        self.search_exact_button.clicked.connect(self.on_search_exact)

        # Save results button
        self.save_button = QPushButton("Save Results")
        self.save_button.clicked.connect(self.on_save_results)

        # Sort buttons
        self.sort_first_last_button = QPushButton("Sort First Name Last Name")
        self.sort_first_last_button.clicked.connect(self.on_sort_first_last)
        self.sort_last_first_button = QPushButton("Sort Last Name, First Name")
        self.sort_last_first_button.clicked.connect(self.on_sort_last_first)

        # Progress bar
        self.progress_bar = QProgressBar()
        self.progress_bar.setValue(0)

        # Add widgets to layout
        self.layout.addWidget(self.names_file_picker)        
        self.layout.addWidget(self.dictionary_file_picker)
        self.layout.addWidget(self.pdf_file_picker)
        self.layout.addWidget(self.search_button)
        self.layout.addWidget(self.stop_button)
        self.layout.addWidget(self.results_text)
        self.layout.addWidget(self.search_exact_label)
        self.layout.addWidget(self.search_exact_input)
        self.layout.addWidget(self.search_exact_button)
        self.layout.addWidget(self.save_button)
        self.layout.addWidget(self.sort_first_last_button)
        self.layout.addWidget(self.sort_last_first_button)
        self.layout.addWidget(self.progress_bar)

        self.central_widget.setLayout(self.layout)

    def create_file_picker(self, label_text):
        layout = QHBoxLayout()
        label = QLabel(label_text)
        file_picker = QPushButton("Browse...")
        file_picker.clicked.connect(lambda: self.open_file_dialog(label_text))
        layout.addWidget(label)
        layout.addWidget(file_picker)
        widget = QWidget()
        widget.setLayout(layout)
        return widget

    def open_file_dialog(self, label_text):
        file_path, _ = QFileDialog.getOpenFileName(self, f"Select {label_text}", "", "Text Files (*.txt);;PDF Files (*.pdf)")
        if file_path:
            if "Names" in label_text:
                self.names_file_path = file_path
            elif "PDF" in label_text:
                self.pdf_file_path = file_path
            elif "Dictionary" in label_text:
                self.dictionary_file_path = file_path

    def on_search(self):
        self.stop_search_flag = False
        self.found_results.clear()
        self.results_text.clear()

        if not hasattr(self, 'pdf_file_path'):
            QMessageBox.critical(self, "Error", "Please select a PDF file.")
            return

        names = self.load_names(self.names_file_path)
        self.load_dictionary(self.dictionary_file_path)

        self.search_thread = SearchThread(self.pdf_file_path, names, self.dictionary, lambda: self.stop_search_flag)
        self.search_thread.update_progress.connect(self.progress_bar.setValue)
        self.search_thread.update_results.connect(self.update_results_text)
        self.search_thread.start()

    def on_stop_search(self):
        self.stop_search_flag = True

    def on_search_exact(self):
        self.stop_search_flag = False
        self.found_results.clear()
        self.results_text.clear()

        if not hasattr(self, 'pdf_file_path'):
            QMessageBox.critical(self, "Error", "Please select a PDF file.")
            return

        exact_text = self.search_exact_input.text().strip()
        if not exact_text:
            QMessageBox.critical(self, "Error", "Please enter exact text to search.")
            return

        self.search_thread = SearchThread(self.pdf_file_path, [exact_text], self.dictionary, lambda: self.stop_search_flag)
        self.search_thread.update_progress.connect(self.progress_bar.setValue)
        self.search_thread.update_results.connect(self.update_results_text)
        self.search_thread.start()

    def on_save_results(self):
        file_path, _ = QFileDialog.getSaveFileName(self, "Save Results", "", "Text Files (*.txt)")
        if file_path:
            self.save_results_to_file(file_path)
            QMessageBox.information(self, "Info", f"Results saved successfully to:\n{file_path}")

    def on_sort_first_last(self):
        self.sort_results("first_last")

    def on_sort_last_first(self):
        self.sort_results("last_first")

    def sort_results(self, sort_order):
        sorted_results = sorted(self.found_results.items(), key=lambda x: self.get_sort_key(x[0], sort_order))

        # Clear the results dictionary and update with the sorted names
        new_results = {}
        self.results_text.clear()
        
        for result_name, result_pages in sorted_results:
            if sort_order == "last_first":
                parts = result_name.split()
                if len(parts) > 1:
                    new_name = f"{parts[-1]} {parts[0]}"  # Rewriting the name as "Last First"
                else:
                    new_name = parts[0]  # If there's only one part, keep it unchanged
            else:
                new_name = result_name  # Keep original order

            new_results[new_name] = result_pages
            self.results_text.append(f"{new_name}: {', '.join(map(str, result_pages))}")

        # Replace found_results with updated names
        self.found_results = new_results


    def get_sort_key(self, name, sort_order):
        parts = name.split()
        if sort_order == "first_last":
            return ' '.join(parts)
        elif sort_order == "last_first":
            if len(parts) > 1:
                return f"{parts[-1]}, {' '.join(parts[:-1])}"
            else:
                return parts[0]
        return name

    def load_names(self, file_path):
        with open(file_path, 'r', encoding='utf-8') as file:
            return [name.strip() for name in file]

    def load_dictionary(self, file_path):
        with open(file_path, 'r', encoding='utf-8') as file:
            self.dictionary = {line.strip().split()[0].lower() for line in file if line.strip()}

    def save_results_to_file(self, file_path):
        sorted_results = sorted(self.found_results.items(), key=lambda x: x[0].lower())
        with open(file_path, "w", encoding="utf-8") as file:
            for name, pages in sorted_results:
                file.write(f"{name, '.join(map(str, pages))}\n")

    def update_results_text(self, name, pages):
        if name in ["Starting search...\n", "Search stopped.\n", "Search completed.\n"]:
            self.results_text.append(name)
            return

        # Ensure last name is capitalized
        parts = name.split()
        if len(parts) > 1:
            formatted_name = f"{parts[0]} {parts[1].capitalize()}"  # Capitalize last name
        else:
            formatted_name = name.capitalize()  # If single name, just capitalize it

        # Update found_results dictionary
        if formatted_name not in self.found_results:
            self.found_results[formatted_name] = []
        self.found_results[formatted_name] = pages

        # Clear and rebuild results text with updated capitalization
        self.results_text.clear()
        sorted_results = sorted(self.found_results.items(), key=lambda x: x[0].lower())
        for result_name, result_pages in sorted_results:
            self.results_text.append(f"{result_name}: {', '.join(map(str, result_pages))}")



if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = PDFSearchApp()
    window.show()
    sys.exit(app.exec_())import sys
from PyQt5.QtWidgets import (
    QApplication,
    QMainWindow,
    QWidget,
    QVBoxLayout,
    QHBoxLayout,
    QFileDialog,
    QPushButton,
    QTextEdit,
    QLineEdit,
    QLabel,
    QProgressBar,
    QMessageBox,
)
from PyQt5.QtCore import Qt, QThread, pyqtSignal
import fitz  # PyMuPDF
import re


class SearchThread(QThread):
    update_progress = pyqtSignal(int)  # Signal to update progress bar
    update_results = pyqtSignal(str, list)  # Signal to update results text (name, pages)

    def __init__(self, pdf_path, names, dictionary, stop_flag):
        super().__init__()
        self.pdf_path = pdf_path
        self.names = names
        self.dictionary = dictionary
        self.stop_flag = stop_flag
        self.results = {}  # Stores results as {name: [pages]}

    def run(self):
        self.update_results.emit("Startingch...\n", [])
        pdf_document = fitz.open(self.pdf_path)
        total_pages = pdf_document.page_count

        for page_number in range(total_pages):
            if self.stop_flag():
                self.update_results.emit("Searchped.\n", [])
                break

            page = pdf_document[page_number]
            text = page.get_text("text")

            for name in self.names:
                if re.search(rf'\b{name.lower()}\b', text.lower()):
                    if name.strip():
                        parts = text.lower().split(name.lower())
                        if len(parts) > 1:
                            next_word_parts = parts[1].split()
                            if next_word_parts:
                                next_word = next_word_parts[0].rstrip(',\'')
                                if len(re.sub(r'\W', next_word)) in {1, 2}:
                                    continue
                                if re.match(r'\w+\.\wnext_word):
                                    continue
                                if name.lower() in self.dictionary:
                                    continue
                                content_in_parentheses = re.search(r'\((.*?)\)', name)
                                if content_in_parentheses:
                                    content_word = content_in_parentheses.group(1).strip()
                                    if content_word.lower() in self.dictionary:
                                        continue
                                if next_word.isdigit():
                                    continue
                                if self.is_valid_second_word(next_word) and next_word.lower() not in self.dictionary:
                                    clean_next_word = self.clean_word(next_word)
                                    full_name = f"{name} {clean_next_word}"
                                    if full_name not in self.results:
                                        self.results[full_name] = []
                                    self.results[full_name].append(page_number + 1)
                                    # Emit the updated result
                                    self.update_results.emit(full_name, self.results[full_name])

            # Update progress
            progress = int((page_number + 1) / total_pages * 100)
            self.update_progress.emit(progress)

        pdf_document.close()
        self.update_results.emit("Searchleted.\n", [])

    def is_valid_second_word(self, word):
        invalid_words = {f"{i}," for i in range(1, 32)}
        invalid_special_chars = {'#', '&', '-', '?', '.'}
        cleaned_word = ''.join(char for char in word if char.isalnum() or char in invalid_special_chars)
        return (
            cleaned_word not in invalid_words
            and cleaned_word not in invalid_special_chars
            and len(cleaned_word) > 1
        )

    def clean_word(self, word):
        cleaned_word = ''.join(char for char in word if char.isalnum() or char in {'-', '_'})
        return cleaned_word.strip()


class PDFSearchApp(QMainWindow):
    def __init__(self):
        super().__init__()
        self.setWindowTitle("PDF Search App")
        self.setGeometry(100, 100, 600, 700)

        self.stop_search_flag = False
        self.found_results = {}  # Stores results as {name: [pages]}
        self.dictionary = set()

        self.init_ui()

    def init_ui(self):
        self.central_widget = QWidget()
        self.setCentralWidget(self.central_widget)

        self.layout = QVBoxLayout()

        # File pickers
        self.names_file_picker = self.create_file_picker("Names File:")
        self.pdf_file_picker = self.create_file_picker("PDF File:")
        self.dictionary_file_picker = self.create_file_picker("Dictionary File:")

        # Search and Stop buttons
        self.search_button = QPushButton("Search")
        self.search_button.clicked.connect(self.on_search)
        self.stop_button = QPushButton("Stop Search")
        self.stop_button.clicked.connect(self.on_stop_search)

        # Results text area
        self.results_text = QTextEdit()
        self.results_text.setReadOnly(True)

        # Search exact text
        self.search_exact_label = QLabel("Search Exact Text:")
        self.search_exact_input = QLineEdit()
        self.search_exact_button = QPushButton("Search Exact")
        self.search_exact_button.clicked.connect(self.on_search_exact)

        # Save results button
        self.save_button = QPushButton("Save Results")
        self.save_button.clicked.connect(self.on_save_results)

        # Sort buttons
        self.sort_first_last_button = QPushButton("Sort First Name Last Name")
        self.sort_first_last_button.clicked.connect(self.on_sort_first_last)
        self.sort_last_first_button = QPushButton("Sort Last Name, First Name")
        self.sort_last_first_button.clicked.connect(self.on_sort_last_first)

        # Progress bar
        self.progress_bar = QProgressBar()
        self.progress_bar.setValue(0)

        # Add widgets to layout
        self.layout.addWidget(self.names_file_picker)
        self.layout.addWidget(self.pdf_file_picker)
        self.layout.addWidget(self.dictionary_file_picker)
        self.layout.addWidget(self.search_button)
        self.layout.addWidget(self.stop_button)
        self.layout.addWidget(self.results_text)
        self.layout.addWidget(self.search_exact_label)
        self.layout.addWidget(self.search_exact_input)
        self.layout.addWidget(self.search_exact_button)
        self.layout.addWidget(self.save_button)
        self.layout.addWidget(self.sort_first_last_button)
        self.layout.addWidget(self.sort_last_first_button)
        self.layout.addWidget(self.progress_bar)

        self.central_widget.setLayout(self.layout)

    def create_file_picker(self, label_text):
        layout = QHBoxLayout()
        label = QLabel(label_text)
        file_picker = QPushButton("Browse...")
        file_picker.clicked.connect(lambda: self.open_file_dialog(label_text))
        layout.addWidget(label)
        layout.addWidget(file_picker)
        widget = QWidget()
        widget.setLayout(layout)
        return widget

    def open_file_dialog(self, label_text):
        file_path, _ = QFileDialog.getOpenFileName(self, f"Select {label_text}", "", "Text Files (*.txt);;PDF Files (*.pdf)")
        if file_path:
            if "Names" in label_text:
                self.names_file_path = file_path
            elif "PDF" in label_text:
                self.pdf_file_path = file_path
            elif "Dictionary" in label_text:
                self.dictionary_file_path = file_path

    def on_search(self):
        self.stop_search_flag = False
        self.found_results.clear()
        self.results_text.clear()

        if not hasattr(self, 'pdf_file_path'):
            QMessageBox.critical(self, "Error", "Please select a PDF file.")
            return

        names = self.load_names(self.names_file_path)
        self.load_dictionary(self.dictionary_file_path)

        self.search_thread = SearchThread(self.pdf_file_path, names, self.dictionary, lambda: self.stop_search_flag)
        self.search_thread.update_progress.connect(self.progress_bar.setValue)
        self.search_thread.update_results.connect(self.update_results_text)
        self.search_thread.start()

    def on_stop_search(self):
        self.stop_search_flag = True

    def on_search_exact(self):
        self.stop_search_flag = False
        self.found_results.clear()
        self.results_text.clear()

        if not hasattr(self, 'pdf_file_path'):
            QMessageBox.critical(self, "Error", "Please select a PDF file.")
            return

        exact_text = self.search_exact_input.text().strip()
        if not exact_text:
            QMessageBox.critical(self, "Error", "Please enter exact text to search.")
            return

        self.search_thread = SearchThread(self.pdf_file_path, [exact_text], self.dictionary, lambda: self.stop_search_flag)
        self.search_thread.update_progress.connect(self.progress_bar.setValue)
        self.search_thread.update_results.connect(self.update_results_text)
        self.search_thread.start()

    def on_save_results(self):
        file_path, _ = QFileDialog.getSaveFileName(self, "Save Results", "", "Text Files (*.txt)")
        if file_path:
            self.save_results_to_file(file_path)
            QMessageBox.information(self, "Info", f"Results saved successfully to:\n{file_path}")

    def on_sort_first_last(self):
        self.sort_results("first_last")

    def on_sort_last_first(self):
        self.sort_results("last_first")

    def sort_results(self, sort_order):
        sorted_results = sorted(self.found_results.items(), key=lambda x: self.get_sort_key(x[0], sort_order))

        # Clear the results dictionary and update with the sorted names
        new_results = {}
        self.results_text.clear()
        
        for result_name, result_pages in sorted_results:
            if sort_order == "last_first":
                parts = result_name.split()
                if len(parts) > 1:
                    new_name = f"{parts[-1]} {parts[0]}"  # Rewriting the name as "Last First"
                else:
                    new_name = parts[0]  # If there's only one part, keep it unchanged
            else:
                new_name = result_name  # Keep original order

            new_results[new_name] = result_pages
            self.results_text.append(f"{new_name}: {', '.join(map(str, result_pages))}")

        # Replace found_results with updated names
        self.found_results = new_results


    def get_sort_key(self, name, sort_order):
        parts = name.split()
        if sort_order == "first_last":
            return ' '.join(parts)
        elif sort_order == "last_first":
            if len(parts) > 1:
                return f"{parts[-1]}, {' '.join(parts[:-1])}"
            else:
                return parts[0]
        return name

    def load_names(self, file_path):
        with open(file_path, 'r', encoding='utf-8') as file:
            return [name.strip() for name in file]

    def load_dictionary(self, file_path):
        with open(file_path, 'r', encoding='utf-8') as file:
            self.dictionary = {line.strip().split()[0].lower() for line in file if line.strip()}

    def save_results_to_file(self, file_path):
        sorted_results = sorted(self.found_results.items(), key=lambda x: x[0].lower())
        with open(file_path, "w", encoding="utf-8") as file:
            for name, pages in sorted_results:
                file.write(f"{name, '.join(map(str, pages))}\n")

    def update_results_text(self, name, pages):
        if name in ["Starting search...\n", "Search stopped.\n", "Search completed.\n"]:
            self.results_text.append(name)
            return

        # Ensure last name is capitalized
        parts = name.split()
        if len(parts) > 1:
            formatted_name = f"{parts[0]} {parts[1].capitalize()}"  # Capitalize last name
        else:
            formatted_name = name.capitalize()  # If single name, just capitalize it

        # Update found_results dictionary
        if formatted_name not in self.found_results:
            self.found_results[formatted_name] = []
        self.found_results[formatted_name] = pages

        # Clear and rebuild results text with updated capitalization
        self.results_text.clear()
        sorted_results = sorted(self.found_results.items(), key=lambda x: x[0].lower())
        for result_name, result_pages in sorted_results:
            self.results_text.append(f"{result_name}: {', '.join(map(str, result_pages))}")



if __name__ == '__main__':
    app = QApplication(sys.argv)
    window = PDFSearchApp()
    window.show()
    sys.exit(app.exec_())

 

 

Link to comment
https://www.neowin.net/forum/topic/1437118-pdf-name-search-python-app/
Share on other sites

Create an account or sign in to comment

You need to be a member in order to leave a comment

Create an account

Sign up for a new account in our community. It's easy!

Register a new account

Sign in

Already have an account? Sign in here.

Sign In Now
  • Recently Browsing   0 members

    • No registered users viewing this page.
  • Posts

    • Download The Inclusion Equation: Leveraging Data & AI (worth $21) for free by Steven Parker Claim your complimentary eBook worth $21 for free, before the offer ends on June 24. The Inclusion Equation is a comprehensive, one-of-a-kind guide to merging DEI and employee wellbeing concepts with data analytics and AI. In this book, renowned thought leader and professional keynote speaker Dr. Serena Huang explains exactly how to quantify the effectiveness of new talent strategies by connecting them to a firm ROI estimate, enabling readers to approach and win the favor of higher-ups in any organization with the same effectiveness that marketing and financial departments do. This book is written in a style that is appealing and accessible to all readers regardless of technical background, but with enough depth to provide real insight and strategies. Dr. Serena H. Huang distills her 10 years of Fortune 500 people analytics leadership experience into tools and framework you can leverage to measure and improve DEI and wellbeing in your workplace. Some of the topics explored in this book include: Attract and retain top talent, including Gen Z and Millennials, with tailored DEI and wellbeing strategies Quantifying not only a talent strategy's perceived initial effect on an organization, but also its improvement and expansion over time Turning DEI and wellbeing from illusive corporate concepts to quantifiable metrics Harness the power of AI to create synchronized DEI and wellbeing strategies that maximize ROI Getting serious attention from your CEO and CFO by quantifying HR initiatives Using data storytelling to demonstrate the business impact of DEI and wellbeing Preparing for the future by understanding the role of AI in creating an inclusive and healthy workplace The Inclusion Equation is a complete guide for DEI and wellbeing, covering getting started in measurement to using storytelling to influence leadership. This is the contemporary playbook for any organization intending to substantially improve their diversity, equity, inclusion, and employee wellbeing by leveraging data & AI. This book is also perfect for any data analytics professionals who want to understand how to apply analytics to issues that keep their CEOs up at night. Whether you are a data expert or data novice, as long as you are serious about improving DEI and wellbeing, this book is for you. This free to download offer expires June 24. How to get it Please ensure you read the terms and conditions to claim this offer. Complete and verifiable information is required in order to receive this free offer. If you have previously made use of these free offers, you will not need to re-register. While supplies last! Download The Inclusion Equation: Leveraging Data & AI (worth $21) for free Offered by Wiley, view other free resources The below offers are also available for free in exchange for your (work) email: AI and Innovation ($21 Value) FREE – Expires 6/11 Unruly: Fighting Back when Politics, AI, and Law Upend [...] ($18 Value) FREE - Expires 6/17 SQL Essentials For Dummies ($10 Value) FREE – Expires 6/17 Continuous Testing, Quality, Security, and Feedback ($27.99 Value) FREE – Expires 6/18 VideoProc Converter AI v7.5 for FREE (worth $78.90) – Expires 6/18 Macxvideo AI ($39.95 Value) Free for a Limited Time – Expires 6/22 Excel Quick and Easy ($12 Value) FREE – Expires 6/24 The Inclusion Equation: Leveraging Data & AI ($21 Value) FREE – Expires 6/24 Microsoft 365 Copilot At Work ($60 Value) FREE – Expires 6/25 Natural Language Processing with Python ($39.99 Value) FREE – Expires 6/25 How to Engage Buyers and Drive Growth in the Age of AI ($22.95 Value) FREE – Expires 7/1 Using Artificial Intelligence to Save the World ($30.00 Value) FREE – Expires 7/1 Essential: How Distributed Teams, Generative AI, [...] ($18.00 Value) FREE – Expires 7/2 The Chief AI Officer's Handbook: Master AI leadership with strategies to innovate, overcome challenges, and drive business growth ($9.99 Value) FREE for a Limited Time – Expires 7/2 The Ultimate Linux Newbie Guide – Featured Free content Python Notes for Professionals – Featured Free content Learn Linux in 5 Days – Featured Free content Quick Reference Guide for Cybersecurity – Featured Free content We post these because we earn commission on each lead so as not to rely solely on advertising, which many of our readers block. It all helps toward paying staff reporters, servers and hosting costs. Other ways to support Neowin The above deal not doing it for you, but still want to help? Check out the links below. Check out our partner software in the Neowin Store Buy a T-shirt at Neowin's Threadsquad Subscribe to Neowin - for $14 a year, or $28 a year for an ad-free experience Disclosure: An account at Neowin Deals is required to participate in any deals powered by our affiliate, StackCommerce. For a full description of StackCommerce's privacy guidelines, go here. Neowin benefits from shared revenue of each sale made through the branded deals site.
    • It's basically been a rite of passage to blow up your first WSUS server by trying to sync the drivers database. Anyone who has done this has certainly seen the tens of thousands of driver packages and asked "what is all of this literal garbage?". Seems Microsoft is asking the same question. I do hope they won't take it too far and start removing drivers needed to run legacy systems, but there's definitely a happy medium to be found between "only the latest versions for actively supported hardware" and "every version of every driver ever for all time".
    • Stable..... No, he isn't..
    • Of course the sales are bad. Who even asked for a thinner phone with way less battery? Lightness? It's still a giant brick, it's just a thinner giant brick. It makes no sense at all. Making folding phones thinner, now that does make sense. Because when folded, the thinner it is unfolded, the more usable and pocketable it is when folded. You already expect worse battery at expense of actually being more pocketable. Galaxy Flip, when folded is half the size of S Ultra models and about as thick. That does make a big difference when fitting it in a pocket. But the phone that's as big as Ultra, making it thinner, you don't really solve anything, it's still a giant slab that barely fits into a pocket. All the "Mini" phones made way more sense than this thin crap. Especially now that it's literally impossible to find a phone smaller than 6.5". My dad only needs phone for calls and SMS and he doesn't want to go with smartphone because they are all so massive. Especially cheaper ones. Like, he'd be fine with Galaxy A06 for all he cares in terms of hardware, but it only comes in giant 6.7" format. It's useless. Or is he suppose to find a 800€ old gen iPhone Mini or Zenfone? He doesn't even need those stupid specs and such stupid price. And then you see old people fumbling around with giant smartphones and they don't even need 3/4 of features on them.
  • Recent Achievements

    • First Post
      emptyother earned a badge
      First Post
    • Week One Done
      Crunchy6 earned a badge
      Week One Done
    • One Month Later
      KynanSEIT earned a badge
      One Month Later
    • One Month Later
      gowtham07 earned a badge
      One Month Later
    • Collaborator
      lethalman went up a rank
      Collaborator
  • Popular Contributors

    1. 1
      +primortal
      664
    2. 2
      ATLien_0
      270
    3. 3
      Michael Scrip
      218
    4. 4
      Steven P.
      161
    5. 5
      +FloatingFatMan
      157
  • Tell a friend

    Love Neowin? Tell a friend!